diff --git a/.github/workflows/self-update.yml b/.github/workflows/self-update.yml index 49da3433569..35374ef63dd 100644 --- a/.github/workflows/self-update.yml +++ b/.github/workflows/self-update.yml @@ -30,64 +30,68 @@ jobs: - name: Install dependencies run: composer update --prefer-stable --prefer-dist --no-progress --no-interaction - - name: Keys actualization + - name: Scanning packages + id: commit_packages if: success() - run: php app/keys.php + run: | + IS_DIRTY=1 + + php app/packages.php + + { git add . && git commit -a -m "Updating package files"; } || IS_DIRTY=0 - - name: Commit files after checking keys + echo ::set-output name=is_dirty::${IS_DIRTY} + + - name: Keys actualization id: commit_keys if: success() run: | IS_DIRTY=1 + php app/keys.php + { git add . && git commit -a -m "Updating translations keys"; } || IS_DIRTY=0 echo ::set-output name=is_dirty::${IS_DIRTY} - name: Updating referents - if: success() - run: php app/referents.php - - - name: Commit files after referents update id: referents if: success() run: | IS_DIRTY=1 + php app/referents.php + { git add . && git commit -a -m "Updating the `docs/referents.md` file"; } || IS_DIRTY=0 echo ::set-output name=is_dirty::${IS_DIRTY} - name: Checking for excludes - if: success() - run: php app/excludes.php - - - name: Commit files after checking for excludes id: excludes if: success() run: | IS_DIRTY=1 + php app/excludes.php + { git add . && git commit -a -m "Updating excludes files"; } || IS_DIRTY=0 echo ::set-output name=is_dirty::${IS_DIRTY} - name: Status update - if: success() - run: php app/status.php - - - name: Commit file id: commit_status if: success() run: | IS_DIRTY=1 + php app/status.php + { git add . && git commit -a -m "Updated status of translations"; } || IS_DIRTY=0 echo ::set-output name=is_dirty::${IS_DIRTY} - name: Push changes uses: ad-m/github-push-action@master - if: success() && (steps.commit_keys.outputs.is_dirty == 1 || steps.referents.outputs.is_dirty == 1 || steps.excludes.outputs.is_dirty == 1 || steps.commit_status.outputs.is_dirty == 1) + if: success() && (steps.commit_packages.outputs.is_dirty == 1 || steps.commit_keys.outputs.is_dirty == 1 || steps.referents.outputs.is_dirty == 1 || steps.excludes.outputs.is_dirty == 1 || steps.commit_status.outputs.is_dirty == 1) with: github_token: ${{ secrets.GITHUB_TOKEN }} diff --git a/README.md b/README.md index 465d051d2f1..8686c889108 100644 --- a/README.md +++ b/README.md @@ -11,11 +11,12 @@ In this repository, you can find the lang files for the [Laravel Framework 4/5/6 ## News -* in version 6.1, we propose a new file by language: `validation-inline.php` ( see [#1268](https://github.com/Laravel-Lang/lang/issues/1268) ) -* in version 7, we propose new directory names to follow ISO-15897 ( see [#1269](https://github.com/Laravel-Lang/lang/issues/1269) ) -* in version 8, we propose new directory names to follow Php Intl ( see [#1453](https://github.com/Laravel-Lang/lang/pull/1453) ) -* in version 9, we propose new structure of files ( see [#1606](https://github.com/Laravel-Lang/lang/discussions/1606), [#1607](https://github.com/Laravel-Lang/lang/pull/1607) ) +* in version 10, we split translation keys into Laravel packages ([#1748](https://github.com/Laravel-Lang/lang/pull/1748), [discussion](https://github.com/Laravel-Lang/lang/discussions/1702#discussioncomment-703215)) * in version 9.1, we include machine translations, with review by humans for some languages ( see [Discussions](https://github.com/Laravel-Lang/lang/discussions/1692) ) +* in version 9, we propose new structure of files ( see [#1606](https://github.com/Laravel-Lang/lang/discussions/1606), [#1607](https://github.com/Laravel-Lang/lang/pull/1607) ) +* in version 8, we propose new directory names to follow Php Intl ( see [#1453](https://github.com/Laravel-Lang/lang/pull/1453) ) +* in version 7, we propose new directory names to follow ISO-15897 ( see [#1269](https://github.com/Laravel-Lang/lang/issues/1269) ) +* in version 6.1, we propose a new file by language: `validation-inline.php` ( see [#1268](https://github.com/Laravel-Lang/lang/issues/1268) ) ## Translation managers diff --git a/app/keys.php b/app/keys.php index ef59b322d38..554ea9a458f 100644 --- a/app/keys.php +++ b/app/keys.php @@ -1,12 +1,10 @@ processor(Json::make()); -$app->processor(Php::make()); +$app->processor(Process::make()); diff --git a/app/main/Concerns/Contains.php b/app/main/Concerns/Contains.php index 7aea78bf060..fd694ac00eb 100644 --- a/app/main/Concerns/Contains.php +++ b/app/main/Concerns/Contains.php @@ -2,8 +2,30 @@ namespace LaravelLang\Lang\Concerns; +use Helldar\Support\Facades\Helpers\Filesystem\Directory; +use Helldar\Support\Facades\Helpers\Str; +use LaravelLang\Lang\Constants\Locales; + trait Contains { + protected function isMainJson(string $filename): bool + { + if ($this->isEnglishJson($filename)) { + return true; + } + + $locale = Str::before($filename, '.'); + + $path = $this->app->localePath($locale); + + return $this->isJson($filename) && Directory::exists($path); + } + + protected function isEnglishJson(string $filename): bool + { + return $this->isJson($filename) && str_starts_with($filename, Locales::ENGLISH); + } + protected function isJson(string $filename): bool { return str_ends_with($filename, 'json'); @@ -14,11 +36,6 @@ protected function isMarkdown(string $filename): bool return str_ends_with($filename, 'md'); } - protected function isPhp(string $filename): bool - { - return ! $this->isJson($filename); - } - protected function isValidation(string $filename): bool { return str_starts_with($filename, 'validation'); diff --git a/app/main/Concerns/Template.php b/app/main/Concerns/Template.php index 67d578a2c9e..cbcf754d3d8 100644 --- a/app/main/Concerns/Template.php +++ b/app/main/Concerns/Template.php @@ -13,6 +13,8 @@ protected function template(string $filename, array $values = [], bool $trim = f { $template = $this->getTemplate($filename, $trim); + $values = array_merge($this->extend, $values); + return $this->replace($template, $values, $return_empty); } diff --git a/app/main/Constants/Locales.php b/app/main/Constants/Locales.php new file mode 100644 index 00000000000..307cb4f2594 --- /dev/null +++ b/app/main/Constants/Locales.php @@ -0,0 +1,8 @@ +getSourcePath()); + return File::names($this->getSourcePath(), recursive: true); } protected function targetFiles(): array diff --git a/app/main/Processors/Json.php b/app/main/Processors/Json.php deleted file mode 100644 index 22a012349ac..00000000000 --- a/app/main/Processors/Json.php +++ /dev/null @@ -1,17 +0,0 @@ -locales() as $locale) { - $target_path = $this->getTargetPath($locale . '/' . $locale . '.json'); - - $this->process($target_path, 'en.json', $locale); - } - } -} diff --git a/app/main/Processors/Packages.php b/app/main/Processors/Packages.php new file mode 100644 index 00000000000..a319dea9909 --- /dev/null +++ b/app/main/Processors/Packages.php @@ -0,0 +1,46 @@ + 'packages/fortify.json', + 'laravel/jetstream' => 'packages/jetstream.json', + ]; + + public function run(): void + { + foreach ($this->packages as $package => $filename) { + $items = $this->files($package); + + $path = $this->getSourcePath($filename); + + $content = $this->map($items); + + $this->sort($content); + + $this->store($path, $content); + } + } + + protected function map(array $items): array + { + return Arr::renameKeys($items, static fn ($key, $value) => $value); + } + + protected function files(string $package): array + { + $path = $this->vendorPath($package); + + return Package::some()->path($path)->content(); + } + + protected function vendorPath(string $package): string + { + return $this->app->path('vendor/' . $package); + } +} diff --git a/app/main/Processors/Php.php b/app/main/Processors/Process.php similarity index 64% rename from app/main/Processors/Php.php rename to app/main/Processors/Process.php index c05a0baae22..2f7906391c1 100644 --- a/app/main/Processors/Php.php +++ b/app/main/Processors/Process.php @@ -4,7 +4,7 @@ use Helldar\Support\Facades\Helpers\Filesystem\File; -final class Php extends Processor +final class Process extends Processor { protected string $target_path = 'locales'; @@ -14,13 +14,15 @@ public function run(): void foreach ($this->files($locale) as $file) { $target_path = $this->getTargetPath($locale . '/' . $file); - $this->process($target_path, $file, $locale); + $filename = $this->isMainJson($file) ? 'en.json' : $file; + + $this->process($target_path, $filename, $locale); } } } protected function files(string $locale): array { - return File::names($this->getTargetPath($locale), fn ($filename) => $this->isPhp($filename)); + return File::names($this->getTargetPath($locale), recursive: true); } } diff --git a/app/main/Processors/Processor.php b/app/main/Processors/Processor.php index e4d2fdb33cd..6c365ba4ef5 100644 --- a/app/main/Processors/Processor.php +++ b/app/main/Processors/Processor.php @@ -39,7 +39,7 @@ public function application(Application $app): Processable protected function merge(array $source, array $target, string $filename): array { - $target = Arr::only($target, array_keys($source)); + $target = $this->filter($target, $source); $this->sort($source); $this->sort($target); @@ -95,6 +95,13 @@ protected function getSourcePath(string $filename = null): string return $this->app->sourcePath($filename); } + protected function filter(array $first, array $second): array + { + $keys = array_keys($second); + + return Arr::only($first, $keys); + } + protected function sort(array &$array): void { $array = Arr::ksort($array); @@ -110,6 +117,11 @@ protected function locales(): array return Directory::names($this->getTargetPath()); } + protected function resolveFilename(string $filename, string $locale): string + { + return $this->isMainJson($filename) ? $locale . '.json' : $filename; + } + protected function getFilesystem(string $filename): Filesystem { $class = $this->getFilesystemClass($filename); @@ -125,7 +137,9 @@ protected function getFilesystemClass(string $path): string { return match (true) { $this->isJson($path) => JsonFilesystem::class, + $this->isMarkdown($path) => MarkdownFilesystem::class, + default => PhpFilesystem::class, }; } diff --git a/app/main/Processors/Splitters/CleanUp.php b/app/main/Processors/Splitters/CleanUp.php new file mode 100644 index 00000000000..d4917687a92 --- /dev/null +++ b/app/main/Processors/Splitters/CleanUp.php @@ -0,0 +1,49 @@ +keys(); + + foreach ($this->locales() as $locale) { + $path = $this->main($locale); + + $items = $this->load($path); + + $content = Arr::except($items, $keys); + + $this->sort($content); + + $this->store($path, $content); + } + } + + protected function keys(): array + { + $keys = []; + + foreach ($this->files as $file) { + $items = $this->source($file); + + $keys = array_merge($keys, $items); + } + + return array_keys($keys); + } + + protected function locales(): array + { + $locales = parent::locales(); + + array_push($locales, 'en'); + + return $locales; + } +} diff --git a/app/main/Processors/Splitters/Locales.php b/app/main/Processors/Splitters/Locales.php new file mode 100644 index 00000000000..ad1f563c0bc --- /dev/null +++ b/app/main/Processors/Splitters/Locales.php @@ -0,0 +1,29 @@ +locales() as $locale) { + $this->handle($locale); + } + } + + protected function handle(string $locale) + { + foreach ($this->files as $filename) { + $path = $this->splitTargetPath($locale, $filename); + + $this->process($path, $filename, $locale); + } + } + + protected function splitTargetPath(string $locale, string $filename): string + { + return $this->getTargetPath($locale . '/' . $filename); + } +} diff --git a/app/main/Processors/Splitters/Main.php b/app/main/Processors/Splitters/Main.php new file mode 100644 index 00000000000..f2906278702 --- /dev/null +++ b/app/main/Processors/Splitters/Main.php @@ -0,0 +1,13 @@ +files as $filename) { + $this->process($this->getSourcePath($filename), $filename); + } + } +} diff --git a/app/main/Processors/Splitters/Processor.php b/app/main/Processors/Splitters/Processor.php new file mode 100644 index 00000000000..2bafbe9e267 --- /dev/null +++ b/app/main/Processors/Splitters/Processor.php @@ -0,0 +1,43 @@ +load($this->main($locale)); + $target = $this->load($target_path); + + $content = $this->merge($main, $target, $filename); + + $this->sort($content); + + $this->store($target_path, $content); + } + + protected function merge(array $source, array $target, string $filename): array + { + $source = $this->filter($source, $target); + + return array_merge($target, $source); + } + + protected function main(?string $locale): string + { + return empty($locale) || $locale === 'en' + ? $this->getSourcePath('en.json') + : $this->getTargetPath($locale . '/' . $locale . '.json'); + } +} diff --git a/app/main/Processors/Splitters/Structure.php b/app/main/Processors/Splitters/Structure.php new file mode 100644 index 00000000000..a24ab378cfe --- /dev/null +++ b/app/main/Processors/Splitters/Structure.php @@ -0,0 +1,44 @@ +locales() as $locale) { + $this->create($locale); + } + } + + protected function create(string $locale): void + { + foreach ($this->files as $file) { + $from = $this->getSourcePath($file); + $to = $this->getTargetPath($locale . '/' . $file); + + $this->ensureDirectory($to); + + if (! $this->fileExists($to)) { + copy($from, $to); + } + } + } + + protected function fileExists(string $path): bool + { + return File::exists($path); + } + + protected function ensureDirectory(string $path): void + { + $directory = pathinfo($path, PATHINFO_DIRNAME); + + Directory::ensureDirectory($directory); + } +} diff --git a/app/main/Processors/Statuses/Locales.php b/app/main/Processors/Statuses/Locales.php index fe410c7b826..01f8531b99c 100644 --- a/app/main/Processors/Statuses/Locales.php +++ b/app/main/Processors/Statuses/Locales.php @@ -15,7 +15,7 @@ protected function saving(): void { foreach ($this->locales as $locale => $items) { $count = $this->countMissing($locale); - $content = $this->compileList($items); + $content = $this->compileList($locale, $items); $result = $this->compileContent($content, $locale, $count); @@ -30,20 +30,19 @@ protected function compileContent(string $content, string $locale, int $count): return Locale::make($this->app)->items(compact('locale', 'count', 'content')); } - protected function compileList(array $items): string + protected function compileList(string $locale, array $items): string { - $content = Collection::make($this->app)->items($items)->toString(); + $content = Collection::make($this->app) + ->extend(compact('locale')) + ->items($items) + ->toString(); return $content ?: $this->template(Resource::COMPONENT_ALL_TRANSLATED); } protected function ensureDirectory(): void { - if (Directory::exists($this->pathStatus())) { - Directory::delete($this->pathStatus()); - } - - Directory::make($this->pathStatus()); + Directory::ensureDirectory($this->pathStatus(), can_delete: true); } protected function pathStatus(string $filename = null): string diff --git a/app/main/Processors/Statuses/Processor.php b/app/main/Processors/Statuses/Processor.php index b3a2086d6ab..11a7b58e372 100644 --- a/app/main/Processors/Statuses/Processor.php +++ b/app/main/Processors/Statuses/Processor.php @@ -12,8 +12,6 @@ use LaravelLang\Lang\Facades\Arr as ArrHelper; use LaravelLang\Lang\Processors\Processor as BaseProcessor; -use function PHPUnit\Framework\returnArgument; - abstract class Processor extends BaseProcessor { use Countable; @@ -40,6 +38,8 @@ public function run(): void protected function handle(): void { foreach ($this->locales() as $locale) { + $this->ensureLocale($locale); + foreach ($this->files() as $file) { $target_path = $this->getTargetPath($locale . $this->extension); @@ -50,7 +50,7 @@ protected function handle(): void protected function process(string $target_path, string $filename, string $locale = null): void { - $corrected = $this->getCorrectedFilename($filename, $locale); + $corrected = $this->resolveFilename($filename, $locale); $source = $this->source($filename); $target = $this->target($locale, $corrected); @@ -60,13 +60,9 @@ protected function process(string $target_path, string $filename, string $locale $this->addCount($source); if ($diff = $this->compare($source, $target, $locale, $is_validation)) { - $key = $this->getFileBasename($corrected); - - $this->locales[$locale][$key] = $diff; + $this->pushLocale($locale, $corrected, $diff); $this->addCount($diff, 'diff'); - } else { - $this->locales[$locale] = []; } } @@ -115,18 +111,6 @@ protected function getLocalePath(string $locale = null): string return $this->app->localePath($locale); } - protected function getFileBasename(string $filename): string - { - $flag = $this->isJson($filename) ? PATHINFO_EXTENSION : PATHINFO_FILENAME; - - return pathinfo($filename, $flag); - } - - protected function getCorrectedFilename(string $filename, string $locale): string - { - return $this->isJson($filename) ? $locale . '.json' : $filename; - } - protected function locales(): array { return Directory::names($this->getLocalePath()); @@ -138,32 +122,41 @@ protected function files(): array return $this->source_files; } - $files = File::names($this->getSourcePath()); - - return $this->source_files = Arr::sort($files, function (string $a, string $b) { - if ($a === $b) { - return 0; - } - - if ($this->isJson($a)) { - return 1; - } + $files = File::names($this->getSourcePath(), recursive: true); + $items = Arr::sort($files, function (string $a, string $b) { $sorter = Sorter::defaultCallback(); return $sorter($a, $b); }); + + $php = array_filter($items, fn ($value) => ! $this->isJson($value)); + $json = array_filter($items, fn ($value) => $this->isJson($value)); + + return $this->source_files = array_merge(array_values($php), array_values($json)); } protected function target(string $locale, string $filename): array { - $corrected = $this->getCorrectedFilename($filename, $locale); + $corrected = $this->resolveFilename($filename, $locale); $path = $this->getLocalePath($locale . '/' . $corrected); return $this->load($path); } + protected function pushLocale(string $locale, string $filename, array $diff): void + { + $this->locales[$locale][$filename] = $diff; + } + + protected function ensureLocale(string $locale): void + { + if (! isset($this->locales[$locale])) { + $this->locales[$locale] = []; + } + } + protected function ensureDirectory(): void { // diff --git a/app/main/Processors/Statuses/Translator.php b/app/main/Processors/Statuses/Translator.php index d43cfce496b..14464d2882a 100644 --- a/app/main/Processors/Statuses/Translator.php +++ b/app/main/Processors/Statuses/Translator.php @@ -39,9 +39,7 @@ protected function storing(string $locale, string $filename, array $items): void { $target_path = $this->getLocalePath($locale) . '/' . $filename; - $source_filename = $this->isJson($filename) ? 'en.json' : $filename; - - $source = $this->source($source_filename); + $source = $this->source($filename); $target = $this->target($locale, $filename); $target = array_merge($target, $items); @@ -94,6 +92,10 @@ protected function getRandomValue(array $items): int protected function restoreFilename(string $locale, string $filename): string { - return $this->isJson($filename) ? $locale . '.json' : $filename . '.php'; + return match (true) { + $this->isMainJson($filename) => $locale . '.json', + $this->isJson($filename) => $filename . '.json', + default => $filename . '.php', + }; } } diff --git a/app/main/Services/Compilers/Collection.php b/app/main/Services/Compilers/Collection.php index c3786dc2bba..9e36eaf0d49 100644 --- a/app/main/Services/Compilers/Collection.php +++ b/app/main/Services/Compilers/Collection.php @@ -25,7 +25,9 @@ public function toString(): string protected function compileLocale(string $content, int $count, string $filename): string { - return $this->template(Resource::COMPONENT_LOCALE, compact('count', 'filename', 'content')); + $basename = $this->basename($filename); + + return $this->template(Resource::COMPONENT_LOCALE, compact('count', 'basename', 'filename', 'content')); } protected function compileItems(array $items, bool $is_json = false): string @@ -41,4 +43,9 @@ protected function split(array $items, bool $is_json = false): array ? array_values(array_map(static fn ($key) => [$key], array_keys($items))) : array_values(array_map(static fn ($key, $value) => [$key, $value], array_keys($items), array_values($items))); } + + protected function basename(string $filename): string + { + return pathinfo($filename, PATHINFO_FILENAME); + } } diff --git a/app/main/Services/Filesystem/Base.php b/app/main/Services/Filesystem/Base.php index 9a058d6e685..d3847325a33 100644 --- a/app/main/Services/Filesystem/Base.php +++ b/app/main/Services/Filesystem/Base.php @@ -3,7 +3,7 @@ namespace LaravelLang\Lang\Services\Filesystem; use Helldar\Support\Concerns\Makeable; -use Helldar\Support\Facades\Helpers\Arr; +use Helldar\Support\Facades\Helpers\Ables\Arrayable; use LaravelLang\Lang\Application; use LaravelLang\Lang\Concerns\Storable; use LaravelLang\Lang\Contracts\Filesystem; @@ -29,6 +29,11 @@ public function load(string $path): array protected function correctValues(array $items): array { - return Arr::map($items, static fn ($value) => str_replace('\"', '"', $value), true); + $callback = static fn ($value) => stripslashes($value); + + return Arrayable::of($items) + ->map($callback, true) + ->renameKeys($callback) + ->get(); } } diff --git a/app/main/Support/Finder.php b/app/main/Support/Finder.php new file mode 100644 index 00000000000..ce7938d2a09 --- /dev/null +++ b/app/main/Support/Finder.php @@ -0,0 +1,53 @@ +search($path); + + return $this->files(); + } + + protected function search(string|array $path): void + { + foreach ($this->find($path) as $file) { + $this->push($file->getRealPath()); + } + } + + protected function find(string|array $path): SymfonyFinder + { + return $this->instance->in($path)->files() + ->name($this->names) + ->contains($this->contains); + } + + protected function push(string $path): void + { + $this->files[] = $path; + } + + protected function files(): array + { + return $this->files; + } +} diff --git a/app/main/Support/Package.php b/app/main/Support/Package.php new file mode 100644 index 00000000000..5747ace8cf4 --- /dev/null +++ b/app/main/Support/Package.php @@ -0,0 +1,57 @@ +path = realpath($path); + + return $this; + } + + public function content(): array + { + $files = $this->files(); + + $items = $this->parsed($files); + + return $this->filter($items); + } + + protected function files(): array + { + return $this->finder->get($this->path); + } + + protected function parsed(array $files): array + { + return $this->parser->files($files)->get(); + } + + protected function filter(array $items): array + { + return array_filter(array_keys($items), fn ($value) => ! Str::startsWith($value, $this->filter)); + } +} diff --git a/app/main/Support/Parser.php b/app/main/Support/Parser.php new file mode 100644 index 00000000000..f4fb48f358b --- /dev/null +++ b/app/main/Support/Parser.php @@ -0,0 +1,97 @@ +files = $files; + + return $this; + } + + public function get(): array + { + $this->each(); + $this->sort(); + + return $this->keys(); + } + + protected function each(): void + { + foreach ($this->files as $file) { + $content = file_get_contents($file); + + $this->parse($content); + } + } + + protected function sort(): void + { + Arr::ksort($this->keys); + } + + protected function parse(string $content): void + { + foreach ($this->match($content) as $match) { + $value = $match; + + if (Str::contains((string) $value, ['__', 'trans', '@lang', 'Lang::get'])) { + $sub_key = $this->subkey($value); + + $value = $this->keys[$sub_key] ?? null; + } + + $this->push($value); + } + } + + protected function match(string $content, string $pattern = self::REGEX): array + { + preg_match_all($pattern, $content, $matches); + + return $matches[2] ?? []; + } + + protected function push(mixed $value): void + { + $value = $this->trim($value); + + if (! isset($this->keys[$value])) { + $this->keys[$value] = $value; + } + } + + protected function subkey(string $value): string + { + $sub_key = $this->match($value)[0]; + + return $this->trim($sub_key); + } + + protected function keys(): array + { + return $this->keys; + } + + protected function trim($value) + { + $chars = " \t\n\r\0\x0B'\""; + + return is_string($value) ? trim($value, $chars) : $value; + } +} diff --git a/app/packages.php b/app/packages.php new file mode 100644 index 00000000000..91cff6f9013 --- /dev/null +++ b/app/packages.php @@ -0,0 +1,10 @@ +processor(Packages::make()); diff --git a/app/resources/components/locale.stub b/app/resources/components/locale.stub index 65937222fca..f6594621047 100644 --- a/app/resources/components/locale.stub +++ b/app/resources/components/locale.stub @@ -1,5 +1,5 @@ -### {{filename}} +### [{{basename}}](https://github.com/Laravel-Lang/lang/blob/master/locales/{{locale}}/{{filename}}) ##### Missing: {{count}} diff --git a/app/split-packages.php b/app/split-packages.php new file mode 100644 index 00000000000..4ec0d0fc064 --- /dev/null +++ b/app/split-packages.php @@ -0,0 +1,15 @@ +processor(Packages::make()); +$app->processor(Structure::make()); +$app->processor(Main::make()); +$app->processor(Locales::make()); +$app->processor(CleanUp::make()); diff --git a/app/tests/JsonTest.php b/app/tests/JsonTest.php index 3913764e3c4..17d2176c78b 100644 --- a/app/tests/JsonTest.php +++ b/app/tests/JsonTest.php @@ -3,32 +3,39 @@ namespace Tests; use Helldar\PrettyArray\Services\File as Pretty; -use Helldar\Support\Facades\Helpers\Filesystem\Directory; final class JsonTest extends TestCase { public function testJson(): void { - $source = $this->source('en.json'); + foreach ($this->files('.json') as $filename) { + $resolved = $this->resolveFilename($filename); - foreach ($this->files() as $locale) { - $path = $this->target_path . '/' . $locale . '/' . $locale . '.json'; + $source = $this->source($resolved); - $target = $this->load($path); + foreach ($this->locales() as $locale) { + $filename = $this->resolveFilename($filename, $locale); - $this->assertSame(array_keys($source), array_keys($target), $this->messageForPath($path)); - } - } + $path = $this->target_path . '/' . $locale . '/' . $filename; - protected function files(): array - { - return Directory::names($this->target_path); + $target = $this->load($path); + + $this->assertSame(array_keys($source), array_keys($target), $this->messageForPath($path)); + } + } } protected function load(string $path): array { $content = Pretty::make()->loadRaw($path); - return json_decode($content, true); + $items = json_decode($content, true); + + return $this->correctValues($items); + } + + protected function resolveFilename(string $filename, string $locale = null): string + { + return $this->isMainJson($filename) && ! empty($locale) ? $locale . '.json' : $filename; } } diff --git a/app/tests/PhpTest.php b/app/tests/PhpTest.php index c51360eb808..03313e298c5 100644 --- a/app/tests/PhpTest.php +++ b/app/tests/PhpTest.php @@ -3,14 +3,12 @@ namespace Tests; use Helldar\PrettyArray\Services\File as Pretty; -use Helldar\Support\Facades\Helpers\Filesystem\Directory; -use Helldar\Support\Facades\Helpers\Filesystem\File; final class PhpTest extends TestCase { public function testPhp(): void { - foreach ($this->files() as $filename) { + foreach ($this->files('.php') as $filename) { $source = $this->source($filename); foreach ($this->locales() as $locale) { @@ -27,18 +25,10 @@ public function testPhp(): void } } - protected function files(): array - { - return File::names($this->source_path, static fn ($filename) => str_ends_with($filename, '.php')); - } - - protected function locales(): array - { - return Directory::names($this->target_path); - } - protected function load(string $path): array { - return Pretty::make()->load($path); + $items = Pretty::make()->load($path); + + return $this->correctValues($items); } } diff --git a/app/tests/TestCase.php b/app/tests/TestCase.php index 8c44ad8bc8d..c7bddecac4c 100644 --- a/app/tests/TestCase.php +++ b/app/tests/TestCase.php @@ -3,7 +3,12 @@ namespace Tests; use Helldar\PrettyArray\Services\File; +use Helldar\Support\Facades\Helpers\Ables\Arrayable; use Helldar\Support\Facades\Helpers\Arr; +use Helldar\Support\Facades\Helpers\Filesystem\Directory; +use Helldar\Support\Facades\Helpers\Filesystem\File as Filesystem; +use Helldar\Support\Facades\Helpers\Str; +use LaravelLang\Lang\Constants\Locales; use PHPUnit\Framework\TestCase as BaseTestCase; use Tests\Concerns\Messages; @@ -23,11 +28,11 @@ protected function source(string $filename): array $custom = Arr::get($content, 'custom', []); $attributes = Arr::get($content, 'attributes', []); - $content = Arr::except($content, ['custom', 'attributes']); - - $content = Arr::ksort($content); - - return array_merge($content, compact('custom', 'attributes')); + return Arrayable::of($content) + ->except(['custom', 'attributes']) + ->ksort() + ->merge(compact('custom', 'attributes')) + ->get(); } return Arr::ksort($content); @@ -62,6 +67,16 @@ protected function sort(array &$array): void $array = Arr::ksort($array); } + protected function files(string $extension): array + { + return Filesystem::names($this->source_path, static fn ($filename) => str_ends_with($filename, $extension), recursive: true); + } + + protected function locales(): array + { + return Directory::names($this->target_path); + } + protected function isValidation(string $filename): bool { return str_starts_with($filename, 'validation'); @@ -71,4 +86,30 @@ protected function isInline(string $filename): bool { return str_contains($filename, 'inline'); } + + protected function isMainJson(string $filename): bool + { + if ($this->isEnglish($filename)) { + return true; + } + + $locale = Str::before($filename, '.'); + + return Directory::exists(__DIR__ . '/../../locales/' . $locale); + } + + protected function isEnglish(string $filename): bool + { + return str_starts_with($filename, Locales::ENGLISH); + } + + protected function correctValues(array $items): array + { + $callback = static fn ($value) => stripslashes($value); + + return Arrayable::of($items) + ->map($callback, true) + ->renameKeys($callback) + ->get(); + } } diff --git a/composer.json b/composer.json index d85a420ec57..aa174a97265 100644 --- a/composer.json +++ b/composer.json @@ -24,9 +24,12 @@ "require-dev": { "php": "^8.0", "andrey-helldar/pretty-array": "^2.3", - "andrey-helldar/support": "^3.6", + "andrey-helldar/support": "^3.16.1", "guzzlehttp/guzzle": "^7.3", + "laravel/fortify": "^1.7", + "laravel/jetstream": "^2.3", "phpunit/phpunit": "^9.5", + "symfony/finder": "^5.2", "symfony/var-dumper": "^5.2", "vlucas/phpdotenv": "^5.3" }, diff --git a/docs/changelog.md b/docs/changelog.md index c409b90139e..dd15b0e20c9 100644 --- a/docs/changelog.md +++ b/docs/changelog.md @@ -13,6 +13,7 @@ to [Semantic Versioning](https://semver.org/spec/v2.0.0.html). * feature: [de] #1750 json file * feature: [nb] #1747 auth.php pagination.php passwords.php validation-inline.php validation.php json file + * feature: #1748 Split translation keys into Laravel packages ## [9.1.2] - 2021-05-14 diff --git a/docs/contributing-to-dev.md b/docs/contributing-to-dev.md index 42d09ac4809..68aa158063d 100644 --- a/docs/contributing-to-dev.md +++ b/docs/contributing-to-dev.md @@ -18,6 +18,12 @@ We accept contributions via Pull Requests on [Github](https://github.com/Laravel * `passwords.php` * `validation.php` * `validation-inline.php` + * `packages/cashier.json` + * `packages/fortify.json` + * `packages/jetstream.json` + * `packages/nova.json` + * `packages/spark-paddle.json` + * `packages/spark-stripe.json` * Rename json file according to localization (ex: `fr` for `locales/fr/fr.json`, `de` for `locales/de/de.json`, etc) * keep in mind that the `validation-inline.php` file does not come with Laravel and the idea of this file is not to put a specific name to each attribute (as in `validation.php`) but a generic name for the validation attributes. Therefore in the translations of this file the placeholder `:attribute` **should not** diff --git a/docs/index.md b/docs/index.md index 809198a47d2..5859affea78 100644 --- a/docs/index.md +++ b/docs/index.md @@ -2,8 +2,7 @@ # Laravel Lang -In this repository, you can find the lang files for the [Laravel Framework 4/5/6/7/8](https://laravel.com), [Laravel Jetstream](https://jetstream.laravel.com) -, [Laravel Fortify](https://github.com/laravel/fortify), [Laravel Cashier](https://laravel.com/docs/8.x/billing) and [Laravel Nova](https://nova.laravel.com). +In this repository, you can find the lang files for the [Laravel Framework 4/5/6/7/8](https://laravel.com), [Laravel Jetstream](https://jetstream.laravel.com) , [Laravel Fortify](https://github.com/laravel/fortify), [Laravel Cashier](https://laravel.com/docs/8.x/billing), [Laravel Nova](https://nova.laravel.com) and [Laravel Spark](https://spark.laravel.com). ## Translation status diff --git a/docs/status.md b/docs/status.md index bdc4e440b56..e3c6bd609e1 100644 --- a/docs/status.md +++ b/docs/status.md @@ -2,7 +2,7 @@ # Completion status -> Translation of localizations is completed by **79%** (55.1K / 69.9K). +> Translation of localizations is completed by **77%** (70.7K / 91.9K). @@ -79,7 +79,7 @@ @@ -224,7 +224,7 @@ + + @@ -151,6 +378,10 @@ Managing billing for :billableName + + @@ -179,6 +410,10 @@ Payment Information + + @@ -255,6 +490,10 @@ Subscription Information + + @@ -271,30 +510,6 @@ Thanks, - - - - - - - - - - - - @@ -327,6 +542,10 @@ Total: + + @@ -390,6 +609,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -12,7 +12,7 @@ -[ar ✔](statuses/ar.md) +[ar ❗](statuses/ar.md) @@ -63,7 +63,7 @@ -[de ✔](statuses/de.md) +[de ❗](statuses/de.md)
-[es ✔](statuses/es.md) +[es ❗](statuses/es.md) @@ -110,7 +110,7 @@ -[fr ✔](statuses/fr.md) +[fr ❗](statuses/fr.md) @@ -156,7 +156,7 @@ -[it ✔](statuses/it.md) +[it ❗](statuses/it.md)
-[nb ✔](statuses/nb.md) +[nb ❗](statuses/nb.md) @@ -384,7 +384,7 @@ -[vi ✔](statuses/vi.md) +[vi ❗](statuses/vi.md) diff --git a/docs/statuses/af.md b/docs/statuses/af.md index 80c481f6e4f..196180f2cea 100644 --- a/docs/statuses/af.md +++ b/docs/statuses/af.md @@ -2,12 +2,208 @@ # af -##### All missed: 67 +##### All missed: 108 -### json +### [af](https://github.com/Laravel-Lang/lang/blob/master/locales/af/af.json) -##### Missing: 67 +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/af/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/af/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/af/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/af/packages/spark-stripe.json) + +##### Missing: 70 + + + + @@ -91,6 +295,10 @@ Having second thoughts about cancelling your subscription? You can instantly rea + + @@ -103,6 +311,10 @@ Managing billing for :billableName + + @@ -127,6 +339,10 @@ Payment Information + + @@ -171,31 +387,15 @@ Subscription Information - - - - - - - - + + @@ -278,6 +482,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -31,6 +227,14 @@ An unexpected error occurred and we have notified our support team. Please try a
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Monthly
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
-Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns. -
-Thanks, -
-The :attribute must contain at least one letter. +Svalbard and Jan Mayen
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. +Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.
-The given :attribute has appeared in a data leak. Please choose a different :attribute. +Thanks,
@@ -231,6 +431,10 @@ Total:
+Trinidad and Tobago +
Update Payment Information
+Åland Islands +
diff --git a/docs/statuses/ar.md b/docs/statuses/ar.md index 05f118d75cd..de1d651c2f2 100644 --- a/docs/statuses/ar.md +++ b/docs/statuses/ar.md @@ -2,7 +2,126 @@ # ar -##### All missed: 0 +##### All missed: 19 -All lines are translated 😊 + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/ar/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/ar/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/ar/packages/spark-paddle.json) + +##### Missing: 9 + + + + + + + + + + + + + + + + + + + + + +
+Payment Method +
+Subscription Pending +
+There is no active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+You are already subscribed. +
+Your current payment method is :paypal. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/ar/packages/spark-stripe.json) + +##### Missing: 8 + + + + + + + + + + + + + + + + + + + +
+Apply +
+Apply Coupon +
+I accept the terms of service +
+Micronesia, Federated States of +
+Please accept the terms of service. +
+Svalbard and Jan Mayen +
+Trinidad and Tobago +
+Åland Islands +
+ + +[ [go back](../status.md) | [to top](#) ] diff --git a/docs/statuses/az.md b/docs/statuses/az.md index 834f12d5708..b44a701af06 100644 --- a/docs/statuses/az.md +++ b/docs/statuses/az.md @@ -2,10 +2,28 @@ # az -##### All missed: 194 +##### All missed: 284 -### validation-inline +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/az/auth.php) + +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/az/validation-inline.php) ##### Missing: 32 @@ -240,7 +258,7 @@ The string must be :size characters. [ [go back](../status.md) | [to top](#) ] -### validation +### [validation](https://github.com/Laravel-Lang/lang/blob/master/locales/az/validation.php) ##### Missing: 16 @@ -363,9 +381,432 @@ The :attribute must be less than or equal :value characters. [ [go back](../status.md) | [to top](#) ] -### json +### [az](https://github.com/Laravel-Lang/lang/blob/master/locales/az/az.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/az/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/az/packages/jetstream.json) + +##### Missing: 3 + + + + + + + + + +
+Enable +
+Permissions +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/az/packages/nova.json) + +##### Missing: 52 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+Andorra +
+Angola +
+Argentina +
+Aruba +
+Barbados +
+Belarus +
+Belize +
+Benin +
+Bermuda +
+Burkina Faso +
+Burundi +
+Cape Verde +
+Cook Islands +
+Fiji +
+Gibraltar +
+Greenland +
+Guernsey +
+Guyana +
+Haiti +
+Honduras +
+Hong Kong +
+Jamaica +
+Jersey +
+Kiribati +
+Kosovo +
+Lesotho +
+Luxembourg +
+Malta +
+Mauritius +
+May +
+Moldova +
+Montserrat +
+Nauru +
+Nepal +
+Niger +
+Niue +
+Oman +
+Pakistan +
+Palau +
+Panama +
+Peru +
+Qatar +
+Rwanda +
+Samoa +
+Sudan +
+Suriname +
+Tanzania +
+Timor-Leste +
+Tokelau +
+Turkmenistan +
+Tuvalu +
+Vanuatu +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/az/packages/spark-paddle.json) -##### Missing: 146 +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/az/packages/spark-stripe.json) + +##### Missing: 143 + + + + @@ -505,10 +954,6 @@ Email Addresses - - @@ -561,6 +1006,10 @@ Hong Kong + + @@ -593,10 +1042,6 @@ Korea, Republic of - - @@ -621,11 +1066,7 @@ Mauritius - - - - - - - - - - - - @@ -877,6 +1298,10 @@ Total: + + @@ -952,6 +1377,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -401,6 +842,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Argentina
-Enable -
ex VAT
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
-Kosovo -
Lesotho
-May -
-Moldova +Micronesia, Federated States of
@@ -693,11 +1134,11 @@ Payment Information
-Permissions +Peru
-Peru +Please accept the terms of service.
@@ -797,11 +1238,11 @@ Suriname
-Taiwan, Province of China +Svalbard and Jan Mayen
-Tanzania +Taiwan, Province of China
@@ -817,26 +1258,6 @@ Thanks,
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turkmenistan
+Åland Islands +
diff --git a/docs/statuses/be.md b/docs/statuses/be.md index 9cac7138d34..7caf11b151e 100644 --- a/docs/statuses/be.md +++ b/docs/statuses/be.md @@ -2,10 +2,28 @@ # be -##### All missed: 140 +##### All missed: 182 -### validation-inline +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/be/auth.php) + +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/be/validation-inline.php) ##### Missing: 32 @@ -240,7 +258,7 @@ The string must be :size characters. [ [go back](../status.md) | [to top](#) ] -### validation +### [validation](https://github.com/Laravel-Lang/lang/blob/master/locales/be/validation.php) ##### Missing: 16 @@ -363,9 +381,205 @@ The :attribute must be less than or equal :value characters. [ [go back](../status.md) | [to top](#) ] -### json +### [be](https://github.com/Laravel-Lang/lang/blob/master/locales/be/be.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/be/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/be/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/be/packages/spark-paddle.json) -##### Missing: 92 +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/be/packages/spark-stripe.json) + +##### Missing: 95 + + + + @@ -473,6 +695,10 @@ Heard Island and McDonald Islands + + @@ -501,6 +727,10 @@ Managing billing for :billableName + + @@ -529,6 +759,10 @@ Payment Information + + @@ -605,6 +839,10 @@ Subscription Information + + @@ -621,26 +859,6 @@ Thanks, - - - - - - - - - - @@ -673,6 +891,10 @@ Total: + + @@ -736,6 +958,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -393,6 +607,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/bg.md b/docs/statuses/bg.md index 9e8a7da3a76..03821d39f49 100644 --- a/docs/statuses/bg.md +++ b/docs/statuses/bg.md @@ -2,12 +2,461 @@ # bg -##### All missed: 92 +##### All missed: 166 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/bg/auth.php) -##### Missing: 92 +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/bg/validation-inline.php) + +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [bg](https://github.com/Laravel-Lang/lang/blob/master/locales/bg/bg.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/bg/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/bg/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/bg/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/bg/packages/spark-stripe.json) + +##### Missing: 95 + + + + @@ -115,6 +572,10 @@ Heard Island and McDonald Islands + + @@ -143,6 +604,10 @@ Managing billing for :billableName + + @@ -171,6 +636,10 @@ Payment Information + + @@ -247,6 +716,10 @@ Subscription Information + + @@ -263,26 +736,6 @@ Thanks, - - - - - - - - - - @@ -315,6 +768,10 @@ Total: + + @@ -378,6 +835,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +484,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/bn.md b/docs/statuses/bn.md index b0dfd4c3792..1fe0a3e1a1e 100644 --- a/docs/statuses/bn.md +++ b/docs/statuses/bn.md @@ -2,10 +2,10 @@ # bn -##### All missed: 131 +##### All missed: 170 -### validation-inline +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/bn/validation-inline.php) ##### Missing: 32 @@ -240,7 +240,7 @@ The string must be :size characters. [ [go back](../status.md) | [to top](#) ] -### validation +### [validation](https://github.com/Laravel-Lang/lang/blob/master/locales/bn/validation.php) ##### Missing: 16 @@ -363,12 +363,208 @@ The :attribute must be less than or equal :value characters. [ [go back](../status.md) | [to top](#) ] -### json +### [bn](https://github.com/Laravel-Lang/lang/blob/master/locales/bn/bn.json) -##### Missing: 83 +##### Missing: 5 + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/bn/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/bn/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/bn/packages/spark-paddle.json) + +##### Missing: 29 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/bn/packages/spark-stripe.json) + +##### Missing: 86 + + + + + + + @@ -437,6 +633,10 @@ Heard Island and McDonald Islands + + @@ -465,6 +665,10 @@ Managing billing for :billableName + + @@ -493,6 +697,10 @@ Payment Information + + @@ -569,6 +777,10 @@ Subscription Information + + @@ -585,26 +797,6 @@ Thanks, - - - - - - - - - - @@ -637,6 +829,10 @@ Total: + + @@ -700,6 +896,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
+Apply +
+Apply Coupon +
Bolivia, Plurinational State of
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/bs.md b/docs/statuses/bs.md index bbb3b2afc6d..81fb7cf8506 100644 --- a/docs/statuses/bs.md +++ b/docs/statuses/bs.md @@ -2,12 +2,443 @@ # bs -##### All missed: 92 +##### All missed: 165 -### json +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/bs/validation-inline.php) -##### Missing: 92 +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [bs](https://github.com/Laravel-Lang/lang/blob/master/locales/bs/bs.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/bs/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/bs/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/bs/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/bs/packages/spark-stripe.json) + +##### Missing: 95 + + + + @@ -115,6 +554,10 @@ Heard Island and McDonald Islands + + @@ -143,6 +586,10 @@ Managing billing for :billableName + + @@ -171,6 +618,10 @@ Payment Information + + @@ -247,6 +698,10 @@ Subscription Information + + @@ -263,26 +718,6 @@ Thanks, - - - - - - - - - - @@ -315,6 +750,10 @@ Total: + + @@ -378,6 +817,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +466,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/ca.md b/docs/statuses/ca.md index 5b632ad7936..3cf923b8640 100644 --- a/docs/statuses/ca.md +++ b/docs/statuses/ca.md @@ -2,12 +2,330 @@ # ca -##### All missed: 175 +##### All missed: 321 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/ca/auth.php) -##### Missing: 175 +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/ca/validation-inline.php) + +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [ca](https://github.com/Laravel-Lang/lang/blob/master/locales/ca/ca.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/ca/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/ca/packages/jetstream.json) + +##### Missing: 2 + + + + + + + +
+Editor +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/ca/packages/nova.json) + +##### Missing: 82 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
@@ -15,6 +333,476 @@
+Andorra +
+Angola +
+Anguilla +
+Argentina +
+Aruba +
+Bahrain +
+Barbados +
+Belize +
+Bhutan +
+Botswana +
+Bouvet Island +
+Burkina Faso +
+Burundi +
+Congo +
+Constant +
+Costa Rica +
+Cuba +
+Djibouti +
+Eritrea +
+Fiji +
+Gabon +
+Ghana +
+Gibraltar +
+Guam +
+Guatemala +
+Guinea +
+Guinea-Bissau +
+ID +
+Israel +
+Jamaica +
+Jersey +
+Kazakhstan +
+Kenya +
+Kiribati +
+Kosovo +
+Kuwait +
+Lesotho +
+Liechtenstein +
+Madagascar +
+Malawi +
+Maldives +
+Malta +
+Mayotte +
+Montenegro +
+Montserrat +
+Myanmar +
+Nauru +
+Nepal +
+Nicaragua +
+Niue +
+No +
+Norfolk Island +
+Oman +
+Original +
+Pakistan +
+Palau +
+Portugal +
+Puerto Rico +
+Qatar +
+Romania +
+Rwanda +
+Samoa +
+San Marino +
+Senegal +
+Seychelles +
+Sierra Leone +
+Sint Maarten (Dutch part) +
+Sri Lanka +
+Sudan +
+Taiwan +
+Timor-Leste +
+Togo +
+Tokelau +
+total +
+Trashed +
+Turkmenistan +
+Tuvalu +
+Uganda +
+Uzbekistan +
+Vanuatu +
+Zimbabwe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/ca/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/ca/packages/spark-stripe.json) + +##### Missing: 167 + + + @@ -51,6 +839,14 @@ Antigua and Barbuda + + + + @@ -127,10 +923,6 @@ Congo, the Democratic Republic of the - - @@ -167,10 +959,6 @@ Download Receipt - - @@ -231,7 +1019,7 @@ Heard Island and McDonald Islands - - @@ -323,6 +1107,10 @@ Mayotte + + @@ -371,10 +1159,6 @@ Niue - - @@ -383,10 +1167,6 @@ Oman - - @@ -403,6 +1183,10 @@ Payment Information + + @@ -503,10 +1287,6 @@ Signed in as - - @@ -531,7 +1311,7 @@ Sudan - - - - - - - - - - @@ -611,15 +1371,11 @@ Tokelau - - + +
:days day trial
+Apply +
+Apply Coupon +
Argentina
-Constant -
Costa Rica
-Editor -
Email Addresses
-ID +I accept the terms of service
@@ -279,10 +1067,6 @@ Korea, Republic of
-Kosovo -
Kuwait
+Micronesia, Federated States of +
Moldova, Republic of
-No -
Norfolk Island
-Original -
Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
-Sint Maarten (Dutch part) -
South Georgia and the South Sandwich Islands
-Taiwan +Svalbard and Jan Mayen
@@ -551,26 +1331,6 @@ Thanks,
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
-total -
Total:
-Trashed +Trinidad and Tobago
@@ -710,6 +1466,10 @@ Zimbabwe Zip / Postal Code
+Åland Islands +
diff --git a/docs/statuses/cs.md b/docs/statuses/cs.md index 568cc60ad06..a5c0b911af9 100644 --- a/docs/statuses/cs.md +++ b/docs/statuses/cs.md @@ -2,12 +2,708 @@ # cs -##### All missed: 151 +##### All missed: 278 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/cs/auth.php) -##### Missing: 151 +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/cs/validation-inline.php) + +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cs](https://github.com/Laravel-Lang/lang/blob/master/locales/cs/cs.json) + +##### Missing: 6 + + + + + + + + + + + + + + + +
+Nevermind +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/cs/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/cs/packages/jetstream.json) + +##### Missing: 3 + + + + + + + + + +
+Editor +
+Role +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/cs/packages/nova.json) + +##### Missing: 56 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+Andorra +
+Angola +
+Anguilla +
+Argentina +
+Aruba +
+Barbados +
+Belize +
+Benin +
+Botswana +
+Burkina Faso +
+Burundi +
+Chile +
+China +
+Egypt +
+Eritrea +
+Ghana +
+Gibraltar +
+Grenada +
+Guadeloupe +
+Guam +
+Guatemala +
+Guernsey +
+Guinea +
+Guinea-Bissau +
+Haiti +
+Honduras +
+Kiribati +
+Lesotho +
+Macao +
+Malawi +
+Malta +
+Mauritius +
+Mayotte +
+Montserrat +
+Nauru +
+Niger +
+Niue +
+Norfolk Island +
+Panama +
+Paraguay +
+Qatar +
+Rwanda +
+Samoa +
+San Marino +
+Senegal +
+Sierra Leone +
+Sint Maarten (Dutch part) +
+Timor-Leste +
+Togo +
+Tokelau +
+Tuvalu +
+Uganda +
+Uruguay +
+Venezuela +
+Whoops +
+Zimbabwe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/cs/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/cs/packages/spark-stripe.json) + +##### Missing: 148 + + + + @@ -143,10 +847,6 @@ Download Receipt - - @@ -223,6 +923,10 @@ Honduras + + @@ -279,6 +983,10 @@ Mayotte + + @@ -303,10 +1011,6 @@ Netherlands Antilles - - @@ -339,6 +1043,10 @@ Payment Information + + @@ -363,10 +1071,6 @@ Return to :appName - - @@ -427,10 +1131,6 @@ Signed in as - - @@ -447,6 +1147,10 @@ Subscription Information + + @@ -463,26 +1167,6 @@ Thanks, - - - - - - - - - - @@ -527,6 +1211,10 @@ Total: + + @@ -555,10 +1243,6 @@ VAT Number - - @@ -575,10 +1259,6 @@ We will send a receipt download link to the email addresses that you specify bel - - @@ -614,6 +1294,10 @@ Zimbabwe Zip / Postal Code + +
@@ -47,6 +743,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Argentina
-Editor -
Egypt
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
-Nevermind -
Nevermind, I'll keep my old plan
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
-Role -
Rwanda
-Sint Maarten (Dutch part) -
South Georgia and the South Sandwich Islands
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
-Venezuela -
Venezuela, Bolivarian Republic of
-Whoops -
Yearly
+Åland Islands +
diff --git a/docs/statuses/cy.md b/docs/statuses/cy.md index dc1d7f163cd..17f62124b8a 100644 --- a/docs/statuses/cy.md +++ b/docs/statuses/cy.md @@ -2,10 +2,42 @@ # cy -##### All missed: 140 +##### All missed: 184 -### validation-inline +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/cy/auth.php) + +##### Missing: 3 + + + + + + + + + + + + +
+failed + +These credentials do not match our records. +
+password + +The provided password is incorrect. +
+throttle + +Too many login attempts. Please try again in :seconds seconds. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/cy/validation-inline.php) ##### Missing: 32 @@ -240,7 +272,7 @@ The string must be :size characters. [ [go back](../status.md) | [to top](#) ] -### validation +### [validation](https://github.com/Laravel-Lang/lang/blob/master/locales/cy/validation.php) ##### Missing: 16 @@ -363,9 +395,205 @@ The :attribute must be less than or equal :value characters. [ [go back](../status.md) | [to top](#) ] -### json +### [cy](https://github.com/Laravel-Lang/lang/blob/master/locales/cy/cy.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/cy/packages/cashier.json) -##### Missing: 92 +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/cy/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/cy/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/cy/packages/spark-stripe.json) + +##### Missing: 95 + + + + @@ -473,6 +709,10 @@ Heard Island and McDonald Islands + + @@ -501,6 +741,10 @@ Managing billing for :billableName + + @@ -529,6 +773,10 @@ Payment Information + + @@ -605,6 +853,10 @@ Subscription Information + + @@ -621,26 +873,6 @@ Thanks, - - - - - - - - - - @@ -673,6 +905,10 @@ Total: + + @@ -736,6 +972,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -393,6 +621,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/da.md b/docs/statuses/da.md index dd2c4ea594f..799e0dfb2fd 100644 --- a/docs/statuses/da.md +++ b/docs/statuses/da.md @@ -2,36 +2,1020 @@ # da -##### All missed: 224 +##### All missed: 403 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/da/auth.php) -##### Missing: 224 +##### Missing: 1 + + + +
-:days day trial +password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/da/validation-inline.php) + +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [da](https://github.com/Laravel-Lang/lang/blob/master/locales/da/da.json) + +##### Missing: 7 + + + + + + + + + + + + + + + + + +
+Nevermind +
+Pagination Navigation +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/da/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/da/packages/jetstream.json) + +##### Missing: 6 + + + + + + + + + + + + + + + +
+Administrator +
+API Tokens +
+Dashboard +
+Editor +
+Team Invitation +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/da/packages/nova.json) + +##### Missing: 126 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+Action Status +
+Afghanistan +
+Andorra +
+Angola +
+Anguilla +
+April +
+Argentina +
+Aruba +
+August +
+Bahamas +
+Bahrain +
+Bangladesh +
+Barbados +
+Belarus +
+Belize +
+Benin +
+Bermuda +
+Bhutan +
+Bolivia +
+Botswana +
+Burkina Faso +
+Burundi +
+Canada +
+Chile +
+Congo +
+Costa Rica +
+Cuba +
+Dashboard +
+December +
+Djibouti +
+Ecuador +
+Eritrea +
+Fiji +
+Finland +
+Force Delete +
+Gabon +
+Gambia +
+Ghana +
+Gibraltar +
+Grenada +
+Guadeloupe +
+Guam +
+Guatemala +
+Guernsey +
+Guinea +
+Guinea-Bissau +
+Guyana +
+Haiti +
+Honduras +
+ID +
+Iran, Islamic Republic Of +
+Israel +
+Jamaica +
+Japan +
+Jordan +
+Kenya +
+Kiribati +
+Kosovo +
+Kuwait +
+Lesotho +
+Liberia +
+Liechtenstein +
+Luxembourg +
+Macao +
+Malawi +
+Malaysia +
+Malta +
+Martinique +
+Mauritius +
+Mayotte +
+Mexico +
+Moldova +
+Monaco +
+Montenegro +
+Montserrat +
+Mozambique +
+Myanmar +
+Namibia +
+Nepal +
+New Zealand +
+Nicaragua +
+Niger +
+Nigeria +
+Niue +
+Norfolk Island +
+November +
+Pakistan +
+Palau +
+Paraguay +
+Peru +
+Portugal +
+Preview +
+Puerto Rico +
+Qatar +
+Rwanda +
+Saint Barthelemy +
+Saint Helena +
+Saint Lucia +
+Saint Martin +
+Samoa +
+San Marino +
+Senegal +
+September +
+Sierra Leone +
+Singapore +
+Sint Maarten (Dutch part) +
+Somalia +
+Sri Lanka +
+Start Polling +
+Stop Polling +
+Sudan +
+Taiwan +
+Tanzania +
+Thailand +
+Timor-Leste +
+Togo +
+Tokelau +
+Turkmenistan +
+Tuvalu +
+Uganda +
+Ukraine +
+Uruguay +
+Venezuela +
+Yemen +
+Zambia +
+Zimbabwe
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/da/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
-Action Status +An unexpected error occurred and we have notified our support team. Please try again later.
-Add VAT Number +Billing Management
-Address +Cancel Subscription
-Address Line 2 +Change Subscription Plan
-Administrator +Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/da/packages/spark-stripe.json) + +##### Missing: 199 + + + + + + + + + - - @@ -123,10 +1103,6 @@ Billing Management - - @@ -203,14 +1179,6 @@ Côte d'Ivoire - - - - @@ -223,10 +1191,6 @@ Ecuador - - @@ -251,10 +1215,6 @@ Finland - - @@ -323,7 +1283,7 @@ Honduras - - @@ -375,10 +1331,6 @@ Korea, Republic of - - @@ -439,7 +1391,7 @@ Mexico - - @@ -519,18 +1467,10 @@ Norfolk Island - - - - @@ -551,15 +1491,15 @@ Peru - - @@ -615,10 +1551,6 @@ Saint Lucia - - @@ -655,10 +1587,6 @@ Senegal - - @@ -671,10 +1599,6 @@ Singapore - - @@ -687,18 +1611,10 @@ Sri Lanka - - - - @@ -711,7 +1627,7 @@ Sudan - - - - @@ -743,26 +1651,6 @@ Thanks, - - - - - - - - - - @@ -807,6 +1695,10 @@ Total: + + @@ -843,10 +1735,6 @@ VAT Number - - @@ -906,6 +1794,10 @@ Zimbabwe Zip / Postal Code + +
+:days day trial +
+Add VAT Number +
+Address +
+Address Line 2
@@ -59,11 +1043,11 @@ Antigua and Barbuda
-API Tokens +Apply
-April +Apply Coupon
@@ -75,10 +1059,6 @@ Aruba
-August -
Bahamas
-Bolivia -
Bolivia, Plurinational State of
-Dashboard -
-December -
Djibouti
-Editor -
Email Addresses
-Force Delete -
Gabon
-ID +I accept the terms of service
@@ -335,10 +1295,6 @@ Iran, Islamic Republic of
-Iran, Islamic Republic Of -
Isle of Man
-Kosovo -
Kuwait
-Moldova +Micronesia, Federated States of
@@ -487,10 +1439,6 @@ Netherlands Antilles
-Nevermind -
Nevermind, I'll keep my old plan
-November -
Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.
-Pagination Navigation -
Pakistan
-Please provide a maximum of three receipt emails addresses. +Please accept the terms of service.
-Portugal +Please provide a maximum of three receipt emails addresses.
-Preview +Portugal
@@ -595,10 +1535,6 @@ Réunion
-Saint Barthelemy -
Saint Barthélemy
-Saint Martin -
Saint Martin (French part)
-September -
Sierra Leone
-Sint Maarten (Dutch part) -
Somalia
-Start Polling -
State / County
-Stop Polling -
Subscribe
-Taiwan +Svalbard and Jan Mayen
@@ -719,18 +1635,10 @@ Taiwan, Province of China
-Tanzania -
Tanzania, United Republic of
-Team Invitation -
Thailand
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turkmenistan
-Venezuela -
Venezuela, Bolivarian Republic of
+Åland Islands +
diff --git a/docs/statuses/de-ch.md b/docs/statuses/de-ch.md index 7c5bae6213c..7f2fcf7f0b7 100644 --- a/docs/statuses/de-ch.md +++ b/docs/statuses/de-ch.md @@ -2,12 +2,226 @@ # de_CH -##### All missed: 92 +##### All missed: 134 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/de_CH/auth.php) -##### Missing: 92 +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [de_CH](https://github.com/Laravel-Lang/lang/blob/master/locales/de_CH/de_CH.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/de_CH/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/de_CH/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/de_CH/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/de_CH/packages/spark-stripe.json) + +##### Missing: 95 + + + + @@ -115,6 +337,10 @@ Heard Island and McDonald Islands + + @@ -143,6 +369,10 @@ Managing billing for :billableName + + @@ -171,6 +401,10 @@ Payment Information + + @@ -247,6 +481,10 @@ Subscription Information + + @@ -263,26 +501,6 @@ Thanks, - - - - - - - - - - @@ -315,6 +533,10 @@ Total: + + @@ -378,6 +600,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +249,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/de.md b/docs/statuses/de.md index 2a819f6c539..e8756a0a66a 100644 --- a/docs/statuses/de.md +++ b/docs/statuses/de.md @@ -2,7 +2,126 @@ # de -##### All missed: 0 +##### All missed: 19 -All lines are translated 😊 + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/de/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/de/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/de/packages/spark-paddle.json) + +##### Missing: 9 + + + + + + + + + + + + + + + + + + + + + +
+Payment Method +
+Subscription Pending +
+There is no active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+You are already subscribed. +
+Your current payment method is :paypal. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/de/packages/spark-stripe.json) + +##### Missing: 8 + + + + + + + + + + + + + + + + + + + +
+Apply +
+Apply Coupon +
+I accept the terms of service +
+Micronesia, Federated States of +
+Please accept the terms of service. +
+Svalbard and Jan Mayen +
+Trinidad and Tobago +
+Åland Islands +
+ + +[ [go back](../status.md) | [to top](#) ] diff --git a/docs/statuses/el.md b/docs/statuses/el.md index 4e229a79fa1..f20f0e24361 100644 --- a/docs/statuses/el.md +++ b/docs/statuses/el.md @@ -2,12 +2,476 @@ # el -##### All missed: 93 +##### All missed: 168 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/el/auth.php) -##### Missing: 93 +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/el/validation-inline.php) + +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [el](https://github.com/Laravel-Lang/lang/blob/master/locales/el/el.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/el/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/el/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/el/packages/nova.json) + +##### Missing: 1 + + + + + +
+Qatar +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/el/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/el/packages/spark-stripe.json) + +##### Missing: 96 + + + + @@ -115,6 +587,10 @@ Heard Island and McDonald Islands + + @@ -143,6 +619,10 @@ Managing billing for :billableName + + @@ -171,6 +651,10 @@ Payment Information + + @@ -251,6 +735,10 @@ Subscription Information + + @@ -267,26 +755,6 @@ Thanks, - - - - - - - - - - @@ -319,6 +787,10 @@ Total: + + @@ -382,6 +854,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +499,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/es.md b/docs/statuses/es.md index 7cb7f923b8e..7dad02c0748 100644 --- a/docs/statuses/es.md +++ b/docs/statuses/es.md @@ -2,7 +2,126 @@ # es -##### All missed: 0 +##### All missed: 19 -All lines are translated 😊 + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/es/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/es/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/es/packages/spark-paddle.json) + +##### Missing: 9 + + + + + + + + + + + + + + + + + + + + + +
+Payment Method +
+Subscription Pending +
+There is no active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+You are already subscribed. +
+Your current payment method is :paypal. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/es/packages/spark-stripe.json) + +##### Missing: 8 + + + + + + + + + + + + + + + + + + + +
+Apply +
+Apply Coupon +
+I accept the terms of service +
+Micronesia, Federated States of +
+Please accept the terms of service. +
+Svalbard and Jan Mayen +
+Trinidad and Tobago +
+Åland Islands +
+ + +[ [go back](../status.md) | [to top](#) ] diff --git a/docs/statuses/et.md b/docs/statuses/et.md index aa08d795213..8b158e5cc1b 100644 --- a/docs/statuses/et.md +++ b/docs/statuses/et.md @@ -2,12 +2,461 @@ # et -##### All missed: 92 +##### All missed: 166 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/et/auth.php) -##### Missing: 92 +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/et/validation-inline.php) + +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [et](https://github.com/Laravel-Lang/lang/blob/master/locales/et/et.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/et/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/et/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/et/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/et/packages/spark-stripe.json) + +##### Missing: 95 + + + + @@ -115,6 +572,10 @@ Heard Island and McDonald Islands + + @@ -143,6 +604,10 @@ Managing billing for :billableName + + @@ -171,6 +636,10 @@ Payment Information + + @@ -247,6 +716,10 @@ Subscription Information + + @@ -263,26 +736,6 @@ Thanks, - - - - - - - - - - @@ -315,6 +768,10 @@ Total: + + @@ -378,6 +835,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +484,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/eu.md b/docs/statuses/eu.md index ce04d7d63b5..71d459e22b4 100644 --- a/docs/statuses/eu.md +++ b/docs/statuses/eu.md @@ -2,12 +2,461 @@ # eu -##### All missed: 92 +##### All missed: 166 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/eu/auth.php) -##### Missing: 92 +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/eu/validation-inline.php) + +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [eu](https://github.com/Laravel-Lang/lang/blob/master/locales/eu/eu.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/eu/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/eu/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/eu/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/eu/packages/spark-stripe.json) + +##### Missing: 95 + + + + @@ -115,6 +572,10 @@ Heard Island and McDonald Islands + + @@ -143,6 +604,10 @@ Managing billing for :billableName + + @@ -171,6 +636,10 @@ Payment Information + + @@ -247,6 +716,10 @@ Subscription Information + + @@ -263,26 +736,6 @@ Thanks, - - - - - - - - - - @@ -315,6 +768,10 @@ Total: + + @@ -378,6 +835,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +484,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/fa.md b/docs/statuses/fa.md index 8149b405f2d..a828e2eb9b1 100644 --- a/docs/statuses/fa.md +++ b/docs/statuses/fa.md @@ -2,10 +2,10 @@ # fa -##### All missed: 498 +##### All missed: 754 -### validation-inline +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/fa/validation-inline.php) ##### Missing: 5 @@ -51,7 +51,7 @@ This field may not be associated with this resource. [ [go back](../status.md) | [to top](#) ] -### validation +### [validation](https://github.com/Laravel-Lang/lang/blob/master/locales/fa/validation.php) ##### Missing: 5 @@ -97,53 +97,241 @@ This :attribute may not be associated with this resource. [ [go back](../status.md) | [to top](#) ] -### json +### [fa](https://github.com/Laravel-Lang/lang/blob/master/locales/fa/fa.json) -##### Missing: 488 +##### Missing: 5 + + + + +
-:amount Total +The :attribute must contain at least one letter.
-:days day trial +The :attribute must contain at least one number.
-:resource Details +The :attribute must contain at least one symbol.
-:resource Details: :title +The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/fa/packages/cashier.json) + +##### Missing: 14 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+Card +
+Confirm Payment +
+Confirm your :amount payment +
+Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below. +
+Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below. +
+Jane Doe +
+Pay :amount +
+Payment Cancelled +
+Payment Confirmation +
+Payment Successful +
+Please provide your name. +
+The payment was successful. +
+This payment was already successfully confirmed. +
+This payment was cancelled. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [fortify](https://github.com/Laravel-Lang/lang/blob/master/locales/fa/packages/fortify.json) + +##### Missing: 1 + + + + +
+The :attribute must be at least :length characters and contain at least one special character and one number.
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/fa/packages/jetstream.json) + +##### Missing: 21 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Accept Invitation
-Action +Cancel
-Action Happened At +Create Account
-Action Initiated By +Great! You have accepted the invitation to join the :team team.
-Add VAT Number +I agree to the :terms_of_service and :privacy_policy
-Address +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.
-Address Line 2 +If you already have an account, you may accept this invitation by clicking the button below: +
+If you did not expect to receive an invitation to this team, you may discard this 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: +
+Manage and log out your active sessions on other browsers and devices. +
+Pending Team Invitations +
+Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices. +
+Please provide the email address of the person you would like to add to this team. +
+Privacy Policy +
+Team Invitation +
+Terms of Service +
+The :attribute must be at least :length characters and contain at least one special character and one number. +
+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. +
+This user has already been invited to the team. +
+You have been invited to join the :team team! +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/fa/packages/nova.json) + +##### Missing: 364 + + + + + + + + + + + + + - - @@ -195,10 +379,6 @@ Antarctica - - @@ -327,22 +507,10 @@ Bhutan - - - - - - @@ -351,10 +519,6 @@ Bosnia And Herzegovina - - @@ -399,1443 +563,2425 @@ Cancel + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+:amount Total +
+:resource Details +
+:resource Details: :title +
+Action +
+Action Happened At +
+Action Initiated By
@@ -171,10 +359,6 @@ An error occured while uploading the file.
-An unexpected error occurred and we have notified our support team. Please try again later. -
Andorra
-Antigua and Barbuda -
Antigua And Barbuda
-Billing Information -
-Billing Management -
Bolivia
-Bolivia, Plurinational State of -
Bonaire, Sint Eustatius and Saba
-Bosnia and Herzegovina -
Botswana
-Cancel Subscription +Cape Verde
-Cape Verde +Cayman Islands
-Card +Central African Republic
-Cayman Islands +Chad
-Central African Republic +Changes
-Chad +Chile
-Change Subscription Plan +China
-Changes +Choose
-Chile +Choose :field
-China +Choose :resource +
+Choose an option +
+Choose date +
+Choose File +
+Choose Type +
+Christmas Island +
+Click to choose +
+Cocos (Keeling) Islands +
+Colombia +
+Comoros +
+Congo +
+Congo, Democratic Republic +
+Constant +
+Cook Islands +
+Costa Rica +
+could not be found. +
+Create & Add Another +
+Create :resource +
+Croatia +
+Curaçao +
+Customize +
+Cyprus +
+December +
+Decrease +
+Delete File +
+Delete Resource +
+Delete Selected +
+Denmark +
+Detach +
+Detach Resource +
+Detach Selected +
+Details +
+Djibouti +
+Do you really want to leave? You have unsaved changes. +
+Dominica +
+Dominican Republic +
+Ecuador +
+Egypt +
+El Salvador +
+Equatorial Guinea +
+Eritrea +
+Estonia +
+Ethiopia +
+Falkland Islands (Malvinas) +
+Faroe Islands +
+February +
+Fiji +
+Finland +
+Force Delete Selected +
+France +
+French Guiana +
+French Polynesia +
+French Southern Territories +
+Gabon +
+Gambia +
+Georgia +
+Germany +
+Ghana +
+Gibraltar +
+Greece +
+Greenland +
+Grenada +
+Guadeloupe +
+Guam +
+Guatemala +
+Guernsey +
+Guinea +
+Guinea-Bissau +
+Guyana +
+Haiti +
+Heard Island & Mcdonald Islands +
+Hide Content +
+Hold Up! +
+Honduras +
+Hong Kong +
+Hungary +
+Iceland +
+Increase +
+India +
+Indonesia +
+Iran, Islamic Republic Of +
+Ireland +
+Isle Of Man +
+Israel +
+Italy +
+Jamaica +
+January +
+Jersey +
+Jordan +
+July +
+June +
+Kazakhstan +
+Kenya +
+Key +
+Kiribati +
+Korea +
+Korea, Democratic People's Republic of +
+Kosovo +
+Kuwait +
+Kyrgyzstan +
+Latvia +
+Lebanon +
+Lens +
+Lesotho +
+Liberia +
+Libyan Arab Jamahiriya +
+Liechtenstein +
+Lithuania +
+Load :perPage More +
+Luxembourg +
+Macao +
+Macedonia +
+Madagascar +
+Malawi +
+Malaysia +
+Maldives +
+Mali +
+Malta +
+March +
+Marshall Islands +
+Martinique +
+Mauritania +
+Mauritius +
+May +
+Mayotte +
+Mexico +
+Micronesia, Federated States Of +
+Moldova +
+Monaco +
+Mongolia +
+Montenegro +
+Month To Date +
+Montserrat +
+Morocco +
+Mozambique +
+Myanmar +
+Namibia +
+Nauru +
+Nepal +
+Netherlands +
+New Caledonia +
+New Zealand +
+Nicaragua +
+Niger +
+Nigeria +
+Niue +
+No +
+No :resource matched the given criteria. +
+No additional information... +
+No Current Data +
+No Data +
+no file selected +
+No Increase +
+No Prior Data +
+No Results Found. +
+Norfolk Island +
+Northern Mariana Islands +
+Norway +
+Nova User +
+November +
+October +
+Oman +
+Only Trashed +
+Original +
+Pakistan +
+Palau +
+Palestinian Territory, Occupied +
+Panama +
+Papua New Guinea +
+Paraguay +
+Per Page +
+Peru +
+Philippines +
+Pitcairn +
+Poland +
+Portugal +
+Press / to search +
+Preview +
+Previous +
+Puerto Rico +
+Qatar +
+Quarter To Date +
+Reload +
+Reset Filters +
+Restore +
+Restore Resource +
+Restore Selected +
+Reunion +
+Romania +
+Russian Federation +
+Rwanda +
+Saint Barthelemy +
+Saint Helena +
+Saint Kitts And Nevis +
+Saint Lucia +
+Saint Martin +
+Saint Pierre And Miquelon +
+Saint Vincent And Grenadines +
+Samoa +
+San Marino +
+Sao Tome And Principe +
+Saudi Arabia +
+Search +
+Select Action +
+Select All +
+Select All Matching +
+Senegal +
+September +
+Serbia +
+Seychelles +
+Show All Fields +
+Show Content +
+Sierra Leone +
+Singapore +
+Sint Maarten (Dutch part) +
+Slovakia +
+Slovenia +
+Solomon Islands +
+Somalia +
+Something went wrong. +
+Sorry! You are not authorized to perform this action. +
+Sorry, your session has expired. +
+South Africa +
+South Georgia And Sandwich Isl. +
+South Sudan +
+Spain +
+Sri Lanka +
+Start Polling +
+Stop Polling +
+Sudan +
+Suriname +
+Svalbard And Jan Mayen +
+Sweden +
+Switzerland +
+Syrian Arab Republic +
+Taiwan +
+Tajikistan +
+Tanzania +
+Thailand +
+The :resource was created! +
+The :resource was deleted!
-Choose +The :resource was restored!
-Choose :field +The :resource was updated!
-Choose :resource +The action ran successfully!
-Choose an option +The file was deleted!
-Choose date +The government won't let us show you what's behind these doors
-Choose File +The HasOne relationship has already been filled.
-Choose Type +The resource was updated!
-Christmas Island +There are no available options for this resource.
-City +There was a problem executing the action.
-Click to choose +There was a problem submitting the form.
-Cocos (Keeling) Islands +This file field is read-only.
-Colombia +This image
-Comoros +This resource no longer exists
-Confirm Payment +Timor-Leste
-Confirm your :amount payment +Today
-Congo +Togo
-Congo, Democratic Republic +Tokelau
-Congo, the Democratic Republic of the +Tonga
-Constant +total
-Cook Islands +Trashed
-Costa Rica +Trinidad And Tobago
-could not be found. +Tunisia
-Country +Turkey
-Coupon +Turkmenistan
-Create & Add Another +Turks And Caicos Islands
-Create :resource +Tuvalu
-Create Account +Uganda
-Croatia +Ukraine
-Curaçao +United Arab Emirates
-Current Subscription Plan +United Kingdom
-Currently Subscribed +United States
-Customize +United States Outlying Islands
-Cyprus +Update & Continue Editing
-Côte d'Ivoire +Update attached :resource: :title
-December +Uruguay
-Decrease +Uzbekistan
-Delete File +Value
-Delete Resource +Vanuatu
-Delete Selected +Venezuela
-Denmark +View
-Detach +Virgin Islands, British
-Detach Resource +Virgin Islands, U.S.
-Detach Selected +Wallis And Futuna
-Details +We're lost in space. The page you were trying to view does not exist.
-Djibouti +Western Sahara
-Do you really want to leave? You have unsaved changes. +With Trashed
-Dominica +Write
-Dominican Republic +Year To Date
-Download Receipt +Yemen
-Ecuador +Zambia
-Egypt +Zimbabwe
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/fa/packages/spark-paddle.json) + +##### Missing: 32 + + + +
-El Salvador +An unexpected error occurred and we have notified our support team. Please try again later.
-Email Addresses +Billing Management
-Equatorial Guinea +Cancel Subscription
-Eritrea +Change Subscription Plan
-Estonia +Current Subscription Plan
-Ethiopia +Currently Subscribed
-ex VAT +Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.
-Extra Billing Information +It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.
-Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below. +Managing billing for :billableName
-Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below. +Monthly
-Falkland Islands (Malvinas) +Nevermind, I'll keep my old plan
-Faroe Islands +Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.
-February +Payment Method
-Fiji +Receipts
-Finland +Resume Subscription
-Force Delete Selected +Return to :appName
-France +Signed in as
-French Guiana +Subscribe
-French Polynesia +Subscription Pending
-French Southern Territories +Terms of Service
-Gabon +The selected plan is invalid.
-Gambia +There is no active subscription.
-Georgia +This account does not have an active subscription.
-Germany +This subscription cannot be resumed. Please create a new subscription.
-Ghana +Update Payment Method
-Gibraltar +View Receipt
-Great! You have accepted the invitation to join the :team team. +We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.
-Greece +Yearly
-Greenland +You are already subscribed.
-Grenada +You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.
-Guadeloupe +Your current payment method is :paypal.
-Guam +Your current payment method is a credit card ending in :lastFour that expires on :expiration.
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/fa/packages/spark-stripe.json) + +##### Missing: 307 + + - - - - - - @@ -1915,18 +3049,6 @@ United States Minor Outlying Islands - - - - - - @@ -1939,10 +3061,6 @@ Uzbekistan - - @@ -1951,18 +3069,10 @@ VAT Number - - - - @@ -1975,10 +3085,6 @@ Wallis and Futuna - - @@ -1987,26 +3093,10 @@ We will send a receipt download link to the email addresses that you specify bel - - - - - - - - @@ -2019,10 +3109,6 @@ You are currently within your free trial period. Your trial will expire on :date - - @@ -2054,6 +3140,10 @@ Zimbabwe Zip / Postal Code + +
-Guatemala +:days day trial
-Guernsey +Add VAT Number
-Guinea +Address
-Guinea-Bissau +Address Line 2
-Guyana +Afghanistan
-Haiti +Albania
-Have a coupon code? +Algeria
-Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +American Samoa
-Heard Island & Mcdonald Islands +An unexpected error occurred and we have notified our support team. Please try again later.
-Heard Island and McDonald Islands +Andorra
-Hide Content +Angola
-Hold Up! +Anguilla
-Honduras +Antarctica
-Hong Kong +Antigua and Barbuda
-Hungary +Apply
-I agree to the :terms_of_service and :privacy_policy +Apply Coupon
-Iceland +Argentina
-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. +Armenia
-If you already have an account, you may accept this invitation by clicking the button below: +Aruba
-If you did not expect to receive an invitation to this team, you may discard this email. +Australia
-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: +Austria
-If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here. +Azerbaijan
-Increase +Bahamas
-India +Bahrain
-Indonesia +Bangladesh
-Iran, Islamic Republic of +Barbados
-Iran, Islamic Republic Of +Belarus
-Ireland +Belgium
-Isle of Man +Belize
-Isle Of Man +Benin
-Israel +Bermuda
-It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +Bhutan
-Italy +Billing Information
-Jamaica +Billing Management
-January +Bolivia, Plurinational State of
-Jersey +Bosnia and Herzegovina
-Jordan +Botswana
-July +Bouvet Island
-June +Brazil
-Kazakhstan +British Indian Ocean Territory
-Kenya +Bulgaria
-Key +Burkina Faso
-Kiribati +Burundi
-Korea +Cambodia
-Korea, Democratic People's Republic of +Cameroon
-Korea, Republic of +Canada
-Kosovo +Cancel Subscription
-Kuwait +Cape Verde
-Kyrgyzstan +Card
-Latvia +Cayman Islands
-Lebanon +Central African Republic
-Lens +Chad
-Lesotho +Change Subscription Plan
-Liberia +Chile
-Libyan Arab Jamahiriya +China
-Liechtenstein +Christmas Island
-Lithuania +City
-Load :perPage More +Cocos (Keeling) Islands
-Luxembourg +Colombia
-Macao +Comoros
-Macedonia +Confirm Payment
-Macedonia, the former Yugoslav Republic of +Confirm your :amount payment
-Madagascar +Congo
-Malawi +Congo, the Democratic Republic of the
-Malaysia +Cook Islands
-Maldives +Costa Rica
-Mali +Country
-Malta +Coupon
-Manage and log out your active sessions on other browsers and devices. +Croatia
-Managing billing for :billableName +Current Subscription Plan
-March +Currently Subscribed
-Marshall Islands +Cyprus
-Martinique +Côte d'Ivoire
-Mauritania +Denmark
-Mauritius +Djibouti
-May +Dominica
-Mayotte +Dominican Republic
-Mexico +Download Receipt
-Micronesia, Federated States Of +Ecuador
-Moldova +Egypt
-Moldova, Republic of +El Salvador
-Monaco +Email Addresses
-Mongolia +Equatorial Guinea
-Montenegro +Eritrea
-Month To Date +Estonia
-Monthly +Ethiopia
-monthly +ex VAT
-Montserrat +Extra Billing Information
-Morocco +Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.
-Mozambique +Falkland Islands (Malvinas)
-Myanmar +Faroe Islands
-Namibia +Fiji
-Nauru +Finland
-Nepal +France
-Netherlands +French Guiana
-Netherlands Antilles +French Polynesia
-Nevermind, I'll keep my old plan +French Southern Territories
-New Caledonia +Gabon
-New Zealand +Gambia
-Nicaragua +Georgia
-Niger +Germany
-Nigeria +Ghana
-Niue +Gibraltar
-No +Greece
-No :resource matched the given criteria. +Greenland
-No additional information... +Grenada
-No Current Data +Guadeloupe
-No Data +Guam
-no file selected +Guatemala
-No Increase +Guernsey
-No Prior Data +Guinea
-No Results Found. +Guinea-Bissau
-Norfolk Island +Guyana
-Northern Mariana Islands +Haiti
-Norway +Have a coupon code?
-Nova User +Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.
-November +Heard Island and McDonald Islands
-October +Honduras
-Oman +Hong Kong
-Only Trashed +Hungary
-Original +I accept the terms of service
-Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +Iceland
-Pakistan +If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
-Palau +India
-Palestinian Territory, Occupied +Indonesia
-Panama +Iran, Islamic Republic of
-Papua New Guinea +Ireland
-Paraguay +Isle of Man
-Pay :amount +Israel
-Payment Cancelled +It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.
-Payment Confirmation +Italy
-Payment Information +Jamaica
-Payment Successful +Jersey
-Pending Team Invitations +Jordan
-Per Page +Kazakhstan
-Peru +Kenya
-Philippines +Kiribati
-Pitcairn +Korea, Democratic People's Republic of
-Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices. +Korea, Republic of
-Please provide a maximum of three receipt emails addresses. +Kuwait
-Please provide the email address of the person you would like to add to this team. +Kyrgyzstan
-Please provide your name. +Latvia
-Poland +Lebanon
-Portugal +Lesotho
-Press / to search +Liberia
-Preview +Libyan Arab Jamahiriya
-Previous +Liechtenstein
-Privacy Policy +Lithuania
-Puerto Rico +Luxembourg
-Qatar +Macao
-Quarter To Date +Macedonia, the former Yugoslav Republic of
-Receipt Email Addresses +Madagascar
-Receipts +Malawi
-Reload +Malaysia
-Reset Filters +Maldives
-Restore +Mali
-Restore Resource +Malta
-Restore Selected +Managing billing for :billableName
-Resume Subscription +Marshall Islands
-Return to :appName +Martinique
-Reunion +Mauritania
-Romania +Mauritius
-Russian Federation +Mayotte
-Rwanda +Mexico
-Réunion +Micronesia, Federated States of
-Saint Barthelemy +Moldova, Republic of
-Saint Barthélemy +Monaco
-Saint Helena +Mongolia
-Saint Kitts and Nevis +Montenegro
-Saint Kitts And Nevis +Monthly
-Saint Lucia +monthly
-Saint Martin +Montserrat
-Saint Martin (French part) +Morocco
-Saint Pierre and Miquelon +Mozambique
-Saint Pierre And Miquelon +Myanmar
-Saint Vincent And Grenadines +Namibia
-Saint Vincent and the Grenadines +Nauru
-Samoa +Nepal
-San Marino +Netherlands
-Sao Tome and Principe +Netherlands Antilles
-Sao Tome And Principe +Nevermind, I'll keep my old plan
-Saudi Arabia +New Caledonia
-Search +New Zealand
-Select +Nicaragua
-Select a different plan +Niger
-Select Action +Nigeria
-Select All +Niue
-Select All Matching +Norfolk Island
-Senegal +Northern Mariana Islands
-September +Norway
-Serbia +Oman
-Seychelles +Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.
-Show All Fields +Pakistan
-Show Content +Palau
-Sierra Leone +Palestinian Territory, Occupied
-Signed in as +Panama
-Singapore +Papua New Guinea
-Sint Maarten (Dutch part) +Paraguay
-Slovakia +Payment Information
-Slovenia +Peru
-Solomon Islands +Philippines
-Somalia +Pitcairn
-Something went wrong. +Please accept the terms of service.
-Sorry! You are not authorized to perform this action. +Please provide a maximum of three receipt emails addresses.
-Sorry, your session has expired. +Poland
-South Africa +Portugal
-South Georgia And Sandwich Isl. +Puerto Rico
-South Georgia and the South Sandwich Islands +Qatar
-South Sudan +Receipt Email Addresses
-Spain +Receipts
-Sri Lanka +Resume Subscription
-Start Polling +Return to :appName
-State / County +Romania
-Stop Polling +Russian Federation
-Subscribe +Rwanda
-Subscription Information +Réunion
-Sudan +Saint Barthélemy
-Suriname +Saint Helena
-Svalbard And Jan Mayen +Saint Kitts and Nevis
-Sweden +Saint Lucia
-Switzerland +Saint Martin (French part)
-Syrian Arab Republic +Saint Pierre and Miquelon
-Taiwan +Saint Vincent and the Grenadines
-Taiwan, Province of China +Samoa
-Tajikistan +San Marino
-Tanzania +Sao Tome and Principe
-Tanzania, United Republic of +Saudi Arabia
-Team Invitation +Select
-Terms of Service +Select a different plan
-Thailand +Senegal
-Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns. +Serbia
-Thanks, +Seychelles
-The :attribute must be at least :length characters and contain at least one special character and one number. +Sierra Leone
-The :attribute must contain at least one letter. +Signed in as
-The :attribute must contain at least one number. +Singapore
-The :attribute must contain at least one symbol. +Slovakia
-The :attribute must contain at least one uppercase and one lowercase letter. +Slovenia
-The :resource was created! +Solomon Islands
-The :resource was deleted! +Somalia
-The :resource was restored! +South Africa
-The :resource was updated! +South Georgia and the South Sandwich Islands
-The action ran successfully! +Spain
-The file was deleted! +Sri Lanka
-The given :attribute has appeared in a data leak. Please choose a different :attribute. +State / County
-The government won't let us show you what's behind these doors +Subscribe
-The HasOne relationship has already been filled. +Subscription Information
-The payment was successful. +Sudan
-The provided coupon code is invalid. +Suriname
-The provided VAT number is invalid. +Svalbard and Jan Mayen
-The receipt emails must be valid email addresses. +Sweden
-The resource was updated! +Switzerland
-The selected country is invalid. +Syrian Arab Republic
-The selected plan is invalid. +Taiwan, Province of China
-There are no available options for this resource. +Tajikistan
-There was a problem executing the action. +Tanzania, United Republic of
-There was a problem submitting the form. +Terms of Service
-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. +Thailand
-This account does not have an active subscription. +Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.
-This file field is read-only. +Thanks,
-This image +The provided coupon code is invalid.
-This payment was already successfully confirmed. +The provided VAT number is invalid.
-This payment was cancelled. +The receipt emails must be valid email addresses.
-This resource no longer exists +The selected country is invalid.
-This subscription has expired and cannot be resumed. Please create a new subscription. +The selected plan is invalid.
-This user has already been invited to the team. +This account does not have an active subscription.
-Timor-Leste +This subscription has expired and cannot be resumed. Please create a new subscription.
-Today +Timor-Leste
@@ -1851,19 +2997,11 @@ Tonga
-total -
Total:
-Trashed -
-Trinidad And Tobago +Trinidad and Tobago
@@ -1883,10 +3021,6 @@ Turks and Caicos Islands
-Turks And Caicos Islands -
Tuvalu
-United States Outlying Islands -
-Update & Continue Editing -
-Update attached :resource: :title -
Update Payment Information
-Value -
Vanuatu
-Venezuela -
Venezuela, Bolivarian Republic of
-View -
Virgin Islands, British
-Wallis And Futuna -
We are unable to process your payment. Please contact customer support.
-We're lost in space. The page you were trying to view does not exist. -
Western Sahara
-With Trashed -
-Write -
-Year To Date -
Yearly
-You have been invited to join the :team team! -
You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.
+Åland Islands +
diff --git a/docs/statuses/fi.md b/docs/statuses/fi.md index ea1f1ce011c..5a3f48378e1 100644 --- a/docs/statuses/fi.md +++ b/docs/statuses/fi.md @@ -2,12 +2,461 @@ # fi -##### All missed: 92 +##### All missed: 166 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/fi/auth.php) -##### Missing: 92 +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/fi/validation-inline.php) + +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [fi](https://github.com/Laravel-Lang/lang/blob/master/locales/fi/fi.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/fi/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/fi/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/fi/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/fi/packages/spark-stripe.json) + +##### Missing: 95 + + + + @@ -115,6 +572,10 @@ Heard Island and McDonald Islands + + @@ -143,6 +604,10 @@ Managing billing for :billableName + + @@ -171,6 +636,10 @@ Payment Information + + @@ -247,6 +716,10 @@ Subscription Information + + @@ -263,26 +736,6 @@ Thanks, - - - - - - - - - - @@ -315,6 +768,10 @@ Total: + + @@ -378,6 +835,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +484,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/fil.md b/docs/statuses/fil.md index 389dc14aff0..70f76968c51 100644 --- a/docs/statuses/fil.md +++ b/docs/statuses/fil.md @@ -2,10 +2,10 @@ # fil -##### All missed: 813 +##### All missed: 1093 -### auth +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/fil/auth.php) ##### Missing: 3 @@ -37,7 +37,7 @@ Too many login attempts. Please try again in :seconds seconds. [ [go back](../status.md) | [to top](#) ] -### pagination +### [pagination](https://github.com/Laravel-Lang/lang/blob/master/locales/fil/pagination.php) ##### Missing: 2 @@ -62,7 +62,7 @@ previous [ [go back](../status.md) | [to top](#) ] -### passwords +### [passwords](https://github.com/Laravel-Lang/lang/blob/master/locales/fil/passwords.php) ##### Missing: 5 @@ -108,7 +108,7 @@ We can't find a user with that email address. [ [go back](../status.md) | [to top](#) ] -### validation-inline +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/fil/validation-inline.php) ##### Missing: 94 @@ -777,7 +777,7 @@ This must be a valid UUID. [ [go back](../status.md) | [to top](#) ] -### validation +### [validation](https://github.com/Laravel-Lang/lang/blob/master/locales/fil/validation.php) ##### Missing: 8 @@ -844,2782 +844,3968 @@ This :attribute may not be associated with this resource. [ [go back](../status.md) | [to top](#) ] -### json +### [fil](https://github.com/Laravel-Lang/lang/blob/master/locales/fil/fil.json) -##### Missing: 701 +##### Missing: 46 + + + + + + + + + + + + + + + + + + + + + + + + + +
-30 Days +A fresh verification link has been sent to your email address.
-60 Days +Before proceeding, please check your email for a verification link.
-90 Days +click here to request another
-:amount Total +E-Mail Address
-:days day trial +Forbidden
-:resource Details +Go to page :page
-:resource Details: :title +Hello!
-A fresh verification link has been sent to your email address. +If necessary, you may logout 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.
-A new verification link has been sent to the email address you provided during registration. +If you did not create an account, no further action is required.
-Accept Invitation +If you did not receive the email
-Action +If you’re having trouble clicking the ":actionText" button, copy and paste the URL below +into your web browser:
-Action Happened At +Invalid signature.
-Action Initiated By +Log out
-Action Name +Logout Other Browser Sessions
-Action Status +Manage and logout your active sessions on other browsers and devices.
-Action Target +Nevermind
-Actions +Not Found
-Add +Oh no
-Add a new team member to your team, allowing them to collaborate with you. +Page Expired
-Add additional security to your account using two factor authentication. +Pagination Navigation
-Add row +Please click the button below to verify your email address.
-Add Team Member +Please confirm your password before continuing.
-Add VAT Number +Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.
-Added. +Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.
-Address +Regards
-Address Line 2 +results
-Administrator +Server Error
-Administrator users can perform any action. +Service Unavailable
-Afghanistan +Showing
-Aland Islands +The :attribute must contain at least one letter.
-Albania +The :attribute must contain at least one number.
-Algeria +The :attribute must contain at least one symbol.
-All of the people that are part of this team. +The :attribute must contain at least one uppercase and one lowercase letter.
-All resources loaded. +The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+This action is unauthorized. +
+This password reset link will expire in :count minutes. +
+to +
+Toggle navigation +
+Too Many Attempts. +
+Too Many Requests +
+Unauthorized +
+Verify Email Address +
+Verify Your Email Address +
+We won't ask for your password again for a few hours. +
+You are logged in! +
+Your email address is not verified.
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/fil/packages/cashier.json) + +##### Missing: 17 + + + + +
All rights reserved.
-Already registered? +Card
-American Samoa +Confirm Payment
-An error occured while uploading the file. +Confirm your :amount payment
-An unexpected error occurred and we have notified our support team. Please try again later. +Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.
-Andorra +Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.
-Angola +Full name
-Anguilla +Go back
-Another user has updated this resource since this page was loaded. Please refresh the page and try again. +Jane Doe
-Antarctica +Pay :amount
-Antigua and Barbuda +Payment Cancelled
-Antigua And Barbuda +Payment Confirmation
-API Token +Payment Successful
-API Token Permissions +Please provide your name.
-API Tokens +The payment was successful.
-API tokens allow third-party services to authenticate with our application on your behalf. +This payment was already successfully confirmed.
-April +This payment was cancelled. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [fortify](https://github.com/Laravel-Lang/lang/blob/master/locales/fil/packages/fortify.json) + +##### Missing: 11 + + + + + + + + + + + +
+The :attribute must be at least :length characters and contain at least one number.
-Are you sure you want to delete the selected resources? +The :attribute must be at least :length characters and contain at least one special character and one number.
-Are you sure you want to delete this file? +The :attribute must be at least :length characters and contain at least one special character.
-Are you sure you want to delete this resource? +The :attribute must be at least :length characters and contain at least one uppercase character and one number.
-Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted. +The :attribute must be at least :length characters and contain at least one uppercase character and one special character.
-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. +The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.
-Are you sure you want to detach the selected resources? +The :attribute must be at least :length characters and contain at least one uppercase character.
-Are you sure you want to detach this resource? +The :attribute must be at least :length characters. +
+The provided password does not match your current password. +
+The provided password was incorrect. +
+The provided two factor authentication code was invalid. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/fil/packages/jetstream.json) + +##### Missing: 146 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+A new verification link has been sent to the email address you provided during registration. +
+Accept Invitation +
+Add +
+Add a new team member to your team, allowing them to collaborate with you. +
+Add additional security to your account using two factor authentication. +
+Add Team Member +
+Added. +
+Administrator +
+Administrator users can perform any action. +
+All of the people that are part of this team. +
+Already registered? +
+API Token +
+API Token Permissions +
+API Tokens +
+API tokens allow third-party services to authenticate with our application on your behalf. +
+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 delete this API token? +
+Are you sure you would like to leave this team? +
+Are you sure you would like to remove this person from the team? +
+Browser Sessions +
+Cancel +
+Close +
+Code +
+Confirm +
+Confirm Password +
+Create +
+Create a new team to collaborate with others on projects. +
+Create Account +
+Create API Token +
+Create New Team +
+Create Team +
+Created. +
+Current Password +
+Dashboard +
+Delete +
+Delete Account +
+Delete API Token +
+Delete Team +
+Disable +
+Done. +
+Editor +
+Editor users have the ability to read, create, and update. +
+Email +
+Email Password Reset Link +
+Enable +
+Ensure your account is using a long, random password to stay secure. +
+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. +
+Great! You have accepted the invitation to join the :team team. +
+I agree to the :terms_of_service and :privacy_policy +
+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 you already have an account, you may accept this invitation by clicking the button below: +
+If you did not expect to receive an invitation to this team, you may discard this 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: +
+Last active +
+Last used +
+Leave +
+Leave Team +
+Log in +
+Log Out +
+Log Out Other Browser Sessions +
+Manage Account +
+Manage and log out your active sessions on other browsers and devices. +
+Manage API Tokens +
+Manage Role +
+Manage Team +
+Name +
+New Password +
+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 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. +
+Password +
+Pending Team Invitations +
+Permanently delete this team. +
+Permanently delete your account. +
+Permissions +
+Photo +
+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 copy your new API token. For your security, it won't be shown again. +
+Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices. +
+Please provide the email address of the person you would like to add to this team. +
+Privacy Policy +
+Profile +
+Profile Information +
+Recovery Code +
+Regenerate Recovery Codes +
+Register +
+Remember me +
+Remove +
+Remove Photo +
+Remove Team Member +
+Resend Verification Email +
+Reset Password +
+Role +
+Save +
+Saved. +
+Select A New Photo +
+Show Recovery Codes +
+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. +
+Switch Teams +
+Team Details +
+Team Invitation +
+Team Members +
+Team Name +
+Team Owner +
+Team Settings +
+Terms of Service +
+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 a valid role. +
+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. +
+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, 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. +
+The provided password does not match your current password. +
+The provided password was incorrect. +
+The provided two factor authentication code was invalid. +
+The team's name and owner information. +
+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. +
+This device +
+This is a secure area of the application. Please confirm your password before continuing. +
+This password does not match our records. +
+This user already belongs to the team. +
+This user has already been invited to the team. +
+Token Name +
+Two Factor Authentication +
+Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application. +
+Update Password +
+Update your account's profile information and email address. +
+Use a recovery code +
+Use an authentication code +
+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. +
+Whoops! Something went wrong. +
+You have been invited to join the :team team! +
+You have enabled two factor authentication. +
+You have not enabled two factor authentication. +
+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. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/fil/packages/nova.json) + +##### Missing: 415 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+30 Days +
+60 Days +
+90 Days +
+:amount Total +
+:resource Details +
+:resource Details: :title +
+Action +
+Action Happened At +
+Action Initiated By +
+Action Name +
+Action Status +
+Action Target +
+Actions +
+Add row +
+Afghanistan +
+Aland Islands +
+Albania +
+Algeria +
+All resources loaded. +
+American Samoa +
+An error occured while uploading the file. +
+Andorra +
+Angola +
+Anguilla +
+Another user has updated this resource since this page was loaded. Please refresh the page and try again. +
+Antarctica +
+Antigua And Barbuda +
+April +
+Are you sure you want to delete the selected resources? +
+Are you sure you want to delete this file? +
+Are you sure you want to delete this resource? +
+Are you sure you want to detach the selected resources? +
+Are you sure you want to detach this resource? +
+Are you sure you want to force delete the selected resources? +
+Are you sure you want to force delete this resource? +
+Are you sure you want to restore the selected resources? +
+Are you sure you want to restore this resource? +
+Are you sure you want to run this action? +
+Argentina +
+Armenia +
+Aruba +
+Attach +
+Attach & Attach Another +
+Attach :resource +
+August +
+Australia +
+Austria +
+Azerbaijan +
+Bahamas +
+Bahrain +
+Bangladesh +
+Barbados +
+Belarus +
+Belgium +
+Belize +
+Benin +
+Bermuda +
+Bhutan +
+Bolivia +
+Bonaire, Sint Eustatius and Saba +
+Bosnia And Herzegovina +
+Botswana +
+Bouvet Island +
+Brazil +
+British Indian Ocean Territory +
+Bulgaria +
+Burkina Faso +
+Burundi +
+Cambodia +
+Cameroon +
+Canada +
+Cancel +
+Cape Verde +
+Cayman Islands +
+Central African Republic +
+Chad +
+Changes +
+Chile +
+China +
+Choose +
+Choose :field +
+Choose :resource +
+Choose an option +
+Choose date +
+Choose File +
+Choose Type +
+Christmas Island +
+Click to choose +
+Cocos (Keeling) Islands +
+Colombia +
+Comoros +
+Confirm Password +
+Congo +
+Congo, Democratic Republic +
+Constant +
+Cook Islands +
+Costa Rica +
+could not be found. +
+Create +
+Create & Add Another +
+Create :resource +
+Croatia +
+Cuba +
+Curaçao +
+Customize +
+Cyprus +
+Dashboard +
+December +
+Decrease +
+Delete +
+Delete File +
+Delete Resource +
+Delete Selected +
+Denmark +
+Detach +
+Detach Resource +
+Detach Selected +
+Details
-Are you sure you want to force delete the selected resources? +Djibouti
-Are you sure you want to force delete this resource? +Do you really want to leave? You have unsaved changes.
-Are you sure you want to restore the selected resources? +Dominica
-Are you sure you want to restore this resource? +Dominican Republic
-Are you sure you want to run this action? +Download
-Are you sure you would like to delete this API token? +Ecuador
-Are you sure you would like to leave this team? +Edit
-Are you sure you would like to remove this person from the team? +Edit :resource
-Argentina +Edit Attached
-Armenia +Egypt
-Aruba +El Salvador
-Attach +Email Address
-Attach & Attach Another +Equatorial Guinea
-Attach :resource +Eritrea
-August +Estonia
-Australia +Ethiopia
-Austria +Falkland Islands (Malvinas)
-Azerbaijan +Faroe Islands
-Bahamas +February
-Bahrain +Fiji
-Bangladesh +Finland
-Barbados +Force Delete
-Before proceeding, please check your email for a verification link. +Force Delete Resource
-Belarus +Force Delete Selected
-Belgium +Forgot Your Password?
-Belize +Forgot your password?
-Benin +France
-Bermuda +French Guiana
-Bhutan +French Polynesia
-Billing Information +French Southern Territories
-Billing Management +Gabon
-Bolivia +Gambia
-Bolivia, Plurinational State of +Georgia
-Bonaire, Sint Eustatius and Saba +Germany
-Bosnia And Herzegovina +Ghana
-Bosnia and Herzegovina +Gibraltar
-Botswana +Go Home
-Bouvet Island +Greece
-Brazil +Greenland
-British Indian Ocean Territory +Grenada
-Browser Sessions +Guadeloupe
-Bulgaria +Guam
-Burkina Faso +Guatemala
-Burundi +Guernsey
-Cambodia +Guinea
-Cameroon +Guinea-Bissau
-Canada +Guyana
-Cancel +Haiti
-Cancel Subscription +Heard Island & Mcdonald Islands
-Cape Verde +Hide Content
-Card +Hold Up!
-Cayman Islands +Honduras
-Central African Republic +Hong Kong
-Chad +Hungary
-Change Subscription Plan +Iceland
-Changes +ID
-Chile +If you did not request a password reset, no further action is required.
-China +Increase
-Choose +India
-Choose :field +Indonesia
-Choose :resource +Iran, Islamic Republic Of
-Choose an option +Iraq
-Choose date +Ireland
-Choose File +Isle Of Man
-Choose Type +Israel
-Christmas Island +Italy
-City +Jamaica
-click here to request another +January
-Click to choose +Japan
-Close +Jersey
-Cocos (Keeling) Islands +Jordan
-Code +July
-Colombia +June
-Comoros +Kazakhstan
-Confirm +Kenya
-Confirm Password +Key
-Confirm Payment +Kiribati
-Confirm your :amount payment +Korea
-Congo +Korea, Democratic People's Republic of
-Congo, Democratic Republic +Kosovo
-Congo, the Democratic Republic of the +Kuwait
-Constant +Kyrgyzstan
-Cook Islands +Latvia
-Costa Rica +Lebanon
-could not be found. +Lens
-Country +Lesotho
-Coupon +Liberia
-Create +Libyan Arab Jamahiriya
-Create & Add Another +Liechtenstein
-Create :resource +Lithuania
-Create a new team to collaborate with others on projects. +Load :perPage More
-Create Account +Login
-Create API Token +Logout
-Create New Team +Luxembourg
-Create Team +Macao
-Created. +Macedonia
-Croatia +Madagascar
-Cuba +Malawi
-Curaçao +Malaysia
-Current Password +Maldives
-Current Subscription Plan +Mali
-Currently Subscribed +Malta
-Customize +March
-Cyprus +Marshall Islands
-Côte d'Ivoire +Martinique
-Dashboard +Mauritania
-December +Mauritius
-Decrease +May
-Delete +Mayotte
-Delete Account +Mexico
-Delete API Token +Micronesia, Federated States Of
-Delete File +Moldova
-Delete Resource +Monaco
-Delete Selected +Mongolia
-Delete Team +Montenegro
-Denmark +Month To Date
-Detach +Montserrat
-Detach Resource +Morocco
-Detach Selected +Mozambique
-Details +Myanmar
-Disable +Namibia
-Djibouti +Nauru
-Do you really want to leave? You have unsaved changes. +Nepal
-Dominica +Netherlands
-Dominican Republic +New
-Done. +New :resource
-Download +New Caledonia
-Download Receipt +New Zealand
-E-Mail Address +Next
-Ecuador +Nicaragua
-Edit +Niger
-Edit :resource +Nigeria
-Edit Attached +Niue
-Editor +No
-Editor users have the ability to read, create, and update. +No :resource matched the given criteria.
-Egypt +No additional information...
-El Salvador +No Current Data
-Email +No Data
-Email Address +no file selected
-Email Addresses +No Increase
-Email Password Reset Link +No Prior Data
-Enable +No Results Found.
-Ensure your account is using a long, random password to stay secure. +Norfolk Island
-Equatorial Guinea +Northern Mariana Islands
-Eritrea +Norway
-Estonia +Nova User
-Ethiopia +November
-ex VAT +October
-Extra Billing Information +of
-Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below. +Oman
-Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below. +Only Trashed
-Falkland Islands (Malvinas) +Original
-Faroe Islands +Pakistan
-February +Palau
-Fiji +Palestinian Territory, Occupied
-Finland +Panama
-For your security, please confirm your password to continue. +Papua New Guinea
-Forbidden +Paraguay
-Force Delete +Password
-Force Delete Resource +Per Page
-Force Delete Selected +Peru
-Forgot Your Password? +Philippines
-Forgot your password? +Pitcairn
-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. +Poland
-France +Portugal
-French Guiana +Press / to search
-French Polynesia +Preview
-French Southern Territories +Previous
-Full name +Puerto Rico
-Gabon +Qatar
-Gambia +Quarter To Date
-Georgia +Reload
-Germany +Remember Me
-Ghana +Reset Filters
-Gibraltar +Reset Password
-Go back +Reset Password Notification
-Go Home +resource
-Go to page :page +Resources
-Great! You have accepted the invitation to join the :team team. +resources
-Greece +Restore
-Greenland +Restore Resource
-Grenada +Restore Selected
-Guadeloupe +Reunion
-Guam +Romania
-Guatemala +Run Action
-Guernsey +Russian Federation
-Guinea +Rwanda
-Guinea-Bissau +Saint Barthelemy
-Guyana +Saint Helena
-Haiti +Saint Kitts And Nevis
-Have a coupon code? +Saint Lucia
-Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +Saint Martin
-Heard Island & Mcdonald Islands +Saint Pierre And Miquelon
-Heard Island and McDonald Islands +Saint Vincent And Grenadines
-Hello! +Samoa
-Hide Content +San Marino
-Hold Up! +Sao Tome And Principe
-Honduras +Saudi Arabia
-Hong Kong +Search
-Hungary +Select Action
-I agree to the :terms_of_service and :privacy_policy +Select All
-Iceland +Select All Matching
-ID +Send Password Reset Link
-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. +Senegal
-If necessary, you may logout 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. +September
-If you already have an account, you may accept this invitation by clicking the button below: +Serbia
-If you did not create an account, no further action is required. +Seychelles
-If you did not expect to receive an invitation to this team, you may discard this email. +Show All Fields
-If you did not receive the email +Show Content
-If you did not request a password reset, no further action is required. +Sierra Leone
-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: +Singapore
-If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here. +Sint Maarten (Dutch part)
-If you’re having trouble clicking the ":actionText" button, copy and paste the URL below -into your web browser: +Slovakia
-Increase +Slovenia
-India +Solomon Islands
-Indonesia +Somalia
-Invalid signature. +Something went wrong.
-Iran, Islamic Republic of +Sorry! You are not authorized to perform this action.
-Iran, Islamic Republic Of +Sorry, your session has expired.
-Iraq +South Africa
-Ireland +South Georgia And Sandwich Isl.
-Isle of Man +South Sudan
-Isle Of Man +Spain
-Israel +Sri Lanka
-It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +Start Polling
-Italy +Stop Polling
-Jamaica +Sudan
-January +Suriname
-Japan +Svalbard And Jan Mayen
-Jersey +Sweden
-Jordan +Switzerland
-July +Syrian Arab Republic
-June +Taiwan
-Kazakhstan +Tajikistan
-Kenya +Tanzania
-Key +Thailand
-Kiribati +The :resource was created!
-Korea +The :resource was deleted!
-Korea, Democratic People's Republic of +The :resource was restored!
-Korea, Republic of +The :resource was updated!
-Kosovo +The action ran successfully!
-Kuwait +The file was deleted!
-Kyrgyzstan +The government won't let us show you what's behind these doors
-Last active +The HasOne relationship has already been filled.
-Last used +The resource was updated!
-Latvia +There are no available options for this resource.
-Leave +There was a problem executing the action.
-Leave Team +There was a problem submitting the form.
-Lebanon +This file field is read-only.
-Lens +This image
-Lesotho +This resource no longer exists
-Liberia +Timor-Leste
-Libyan Arab Jamahiriya +Today
-Liechtenstein +Togo
-Lithuania +Tokelau
-Load :perPage More +Tonga
-Log in +total
-Log out +Trashed
-Log Out +Trinidad And Tobago
-Log Out Other Browser Sessions +Tunisia
-Login +Turkey
-Logout +Turkmenistan
-Logout Other Browser Sessions +Turks And Caicos Islands
-Luxembourg +Tuvalu
-Macao +Uganda
-Macedonia +Ukraine
-Macedonia, the former Yugoslav Republic of +United Arab Emirates
-Madagascar +United Kingdom
-Malawi +United States
-Malaysia +United States Outlying Islands
-Maldives +Update
-Mali +Update & Continue Editing
-Malta +Update :resource
-Manage Account +Update :resource: :title
-Manage and log out your active sessions on other browsers and devices. +Update attached :resource: :title
-Manage and logout your active sessions on other browsers and devices. +Uruguay
-Manage API Tokens +Uzbekistan
-Manage Role +Value
-Manage Team +Vanuatu
-Managing billing for :billableName +Venezuela
-March +View
-Marshall Islands +Virgin Islands, British
-Martinique +Virgin Islands, U.S.
-Mauritania +Wallis And Futuna
-Mauritius +We're lost in space. The page you were trying to view does not exist.
-May +Welcome Back!
-Mayotte +Western Sahara
-Mexico +Whoops
-Micronesia, Federated States Of +Whoops!
-Moldova +With Trashed
-Moldova, Republic of +Write
-Monaco +Year To Date
-Mongolia +Yemen
-Montenegro +Yes
-Month To Date +You are receiving this email because we received a password reset request for your account.
-Monthly +Zambia
-monthly +Zimbabwe
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/fil/packages/spark-paddle.json) + +##### Missing: 33 + + + +
-Montserrat +An unexpected error occurred and we have notified our support team. Please try again later.
-Morocco +Billing Management
-Mozambique +Cancel Subscription
-Myanmar +Change Subscription Plan
-Name +Current Subscription Plan
-Namibia +Currently Subscribed
-Nauru +Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.
-Nepal +It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.
-Netherlands +Managing billing for :billableName
-Netherlands Antilles +Monthly
-Nevermind +Nevermind, I'll keep my old plan
-Nevermind, I'll keep my old plan +Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.
-New +Payment Method
-New :resource +Receipts
-New Caledonia +Resume Subscription
-New Password +Return to :appName
-New Zealand +Signed in as
-Next +Subscribe
-Nicaragua +Subscription Pending
-Niger +Terms of Service
-Nigeria +The selected plan is invalid.
-Niue +There is no active subscription.
-No +This account does not have an active subscription.
-No :resource matched the given criteria. +This subscription cannot be resumed. Please create a new subscription.
-No additional information... +Update Payment Method
-No Current Data +View Receipt
-No Data +We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.
-no file selected +Whoops! Something went wrong.
-No Increase +Yearly
-No Prior Data +You are already subscribed.
-No Results Found. +You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.
-Norfolk Island +Your current payment method is :paypal.
-Northern Mariana Islands +Your current payment method is a credit card ending in :lastFour that expires on :expiration.
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/fil/packages/spark-stripe.json) + +##### Missing: 313 + + - - @@ -3654,6 +4836,10 @@ Zimbabwe Zip / Postal Code + +
-Norway +:days day trial
-Not Found +Add VAT Number
-Nova User +Address
-November +Address Line 2
-October +Afghanistan
-of +Albania
-Oh no +Algeria
-Oman +American Samoa
-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. +An unexpected error occurred and we have notified our support team. Please try again later.
-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. +Andorra
-Only Trashed +Angola
-Original +Anguilla
-Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +Antarctica
-Page Expired +Antigua and Barbuda
-Pagination Navigation +Apply
-Pakistan +Apply Coupon
-Palau +Argentina
-Palestinian Territory, Occupied +Armenia
-Panama +Aruba
-Papua New Guinea +Australia
-Paraguay +Austria
-Password +Azerbaijan
-Pay :amount +Bahamas
-Payment Cancelled +Bahrain
-Payment Confirmation +Bangladesh
-Payment Information +Barbados
-Payment Successful +Belarus
-Pending Team Invitations +Belgium
-Per Page +Belize
-Permanently delete this team. +Benin
-Permanently delete your account. +Bermuda
-Permissions +Bhutan
-Peru +Billing Information
-Philippines +Billing Management
-Photo +Bolivia, Plurinational State of
-Pitcairn +Bosnia and Herzegovina
-Please click the button below to verify your email address. +Botswana
-Please confirm access to your account by entering one of your emergency recovery codes. +Bouvet Island
-Please confirm access to your account by entering the authentication code provided by your authenticator application. +Brazil
-Please confirm your password before continuing. +British Indian Ocean Territory
-Please copy your new API token. For your security, it won't be shown again. +Bulgaria
-Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices. +Burkina Faso
-Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices. +Burundi
-Please provide a maximum of three receipt emails addresses. +Cambodia
-Please provide the email address of the person you would like to add to this team. +Cameroon
-Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account. +Canada
-Please provide your name. +Cancel Subscription
-Poland +Cape Verde
-Portugal +Card
-Press / to search +Cayman Islands
-Preview +Central African Republic
-Previous +Chad
-Privacy Policy +Change Subscription Plan
-Profile +Chile
-Profile Information +China
-Puerto Rico +Christmas Island
-Qatar +City
-Quarter To Date +Cocos (Keeling) Islands
-Receipt Email Addresses +Colombia
-Receipts +Comoros
-Recovery Code +Confirm Payment
-Regards +Confirm your :amount payment
-Regenerate Recovery Codes +Congo
-Register +Congo, the Democratic Republic of the
-Reload +Cook Islands
-Remember me +Costa Rica
-Remember Me +Country
-Remove +Coupon
-Remove Photo +Croatia
-Remove Team Member +Cuba
-Resend Verification Email +Current Subscription Plan
-Reset Filters +Currently Subscribed
-Reset Password +Cyprus
-Reset Password Notification +Côte d'Ivoire
-resource +Denmark
-Resources +Djibouti
-resources +Dominica
-Restore +Dominican Republic
-Restore Resource +Download Receipt
-Restore Selected +Ecuador
-results +Egypt
-Resume Subscription +El Salvador
-Return to :appName +Email Addresses
-Reunion +Equatorial Guinea
-Role +Eritrea
-Romania +Estonia
-Run Action +Ethiopia
-Russian Federation +ex VAT
-Rwanda +Extra Billing Information
-Réunion +Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.
-Saint Barthelemy +Falkland Islands (Malvinas)
-Saint Barthélemy +Faroe Islands
-Saint Helena +Fiji
-Saint Kitts and Nevis +Finland
-Saint Kitts And Nevis +France
-Saint Lucia +French Guiana
-Saint Martin +French Polynesia
-Saint Martin (French part) +French Southern Territories
-Saint Pierre and Miquelon +Gabon
-Saint Pierre And Miquelon +Gambia
-Saint Vincent And Grenadines +Georgia
-Saint Vincent and the Grenadines +Germany
-Samoa +Ghana
-San Marino +Gibraltar
-Sao Tome and Principe +Greece
-Sao Tome And Principe +Greenland
-Saudi Arabia +Grenada
-Save +Guadeloupe
-Saved. +Guam
-Search +Guatemala
-Select +Guernsey
-Select a different plan +Guinea
-Select A New Photo +Guinea-Bissau
-Select Action +Guyana
-Select All +Haiti
-Select All Matching +Have a coupon code?
-Send Password Reset Link +Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.
-Senegal +Heard Island and McDonald Islands
-September +Honduras
-Serbia +Hong Kong
-Server Error +Hungary
-Service Unavailable +I accept the terms of service
-Seychelles +Iceland
-Show All Fields +If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
-Show Content +India
-Show Recovery Codes +Indonesia
-Showing +Iran, Islamic Republic of
-Sierra Leone +Iraq
-Signed in as +Ireland
-Singapore +Isle of Man
-Sint Maarten (Dutch part) +Israel
-Slovakia +It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.
-Slovenia +Italy
-Solomon Islands +Jamaica
-Somalia +Japan
-Something went wrong. +Jersey
-Sorry! You are not authorized to perform this action. +Jordan
-Sorry, your session has expired. +Kazakhstan
-South Africa +Kenya
-South Georgia And Sandwich Isl. +Kiribati
-South Georgia and the South Sandwich Islands +Korea, Democratic People's Republic of
-South Sudan +Korea, Republic of
-Spain +Kuwait
-Sri Lanka +Kyrgyzstan
-Start Polling +Latvia
-State / County +Lebanon
-Stop Polling +Lesotho
-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. +Liberia
-Subscribe +Libyan Arab Jamahiriya
-Subscription Information +Liechtenstein
-Sudan +Lithuania
-Suriname +Luxembourg
-Svalbard And Jan Mayen +Macao
-Sweden +Macedonia, the former Yugoslav Republic of
-Switch Teams +Madagascar
-Switzerland +Malawi
-Syrian Arab Republic +Malaysia
-Taiwan +Maldives
-Taiwan, Province of China +Mali
-Tajikistan +Malta
-Tanzania +Managing billing for :billableName
-Tanzania, United Republic of +Marshall Islands
-Team Details +Martinique
-Team Invitation +Mauritania
-Team Members +Mauritius
-Team Name +Mayotte
-Team Owner +Mexico
-Team Settings +Micronesia, Federated States of
-Terms of Service +Moldova, Republic of
-Thailand +Monaco
-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. +Mongolia
-Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns. +Montenegro
-Thanks, +Monthly
-The :attribute must be a valid role. +monthly
-The :attribute must be at least :length characters and contain at least one number. +Montserrat
-The :attribute must be at least :length characters and contain at least one special character and one number. +Morocco
-The :attribute must be at least :length characters and contain at least one special character. +Mozambique
-The :attribute must be at least :length characters and contain at least one uppercase character and one number. +Myanmar
-The :attribute must be at least :length characters and contain at least one uppercase character and one special character. +Namibia
-The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character. +Nauru
-The :attribute must be at least :length characters and contain at least one uppercase character. +Nepal
-The :attribute must be at least :length characters. +Netherlands
-The :attribute must contain at least one letter. +Netherlands Antilles
-The :attribute must contain at least one number. +Nevermind, I'll keep my old plan
-The :attribute must contain at least one symbol. +New Caledonia
-The :attribute must contain at least one uppercase and one lowercase letter. +New Zealand
-The :resource was created! +Nicaragua
-The :resource was deleted! +Niger
-The :resource was restored! +Nigeria
-The :resource was updated! +Niue
-The action ran successfully! +Norfolk Island
-The file was deleted! +Northern Mariana Islands
-The given :attribute has appeared in a data leak. Please choose a different :attribute. +Norway
-The government won't let us show you what's behind these doors +Oman
-The HasOne relationship has already been filled. +Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.
-The payment was successful. +Pakistan
-The provided coupon code is invalid. +Palau
-The provided password does not match your current password. +Palestinian Territory, Occupied
-The provided password was incorrect. +Panama
-The provided two factor authentication code was invalid. +Papua New Guinea
-The provided VAT number is invalid. +Paraguay
-The receipt emails must be valid email addresses. +Payment Information
-The resource was updated! +Peru
-The selected country is invalid. +Philippines
-The selected plan is invalid. +Pitcairn
-The team's name and owner information. +Please accept the terms of service.
-There are no available options for this resource. +Please provide a maximum of three receipt emails addresses.
-There was a problem executing the action. +Poland
-There was a problem submitting the form. +Portugal
-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. +Puerto Rico
-This account does not have an active subscription. +Qatar
-This action is unauthorized. +Receipt Email Addresses
-This device +Receipts
-This file field is read-only. +Resume Subscription
-This image +Return to :appName
-This is a secure area of the application. Please confirm your password before continuing. +Romania
-This password does not match our records. +Russian Federation
-This password reset link will expire in :count minutes. +Rwanda
-This payment was already successfully confirmed. +Réunion
-This payment was cancelled. +Saint Barthélemy
-This resource no longer exists +Saint Helena
-This subscription has expired and cannot be resumed. Please create a new subscription. +Saint Kitts and Nevis
-This user already belongs to the team. +Saint Lucia
-This user has already been invited to the team. +Saint Martin (French part)
-Timor-Leste +Saint Pierre and Miquelon
-to +Saint Vincent and the Grenadines
-Today +Samoa
-Toggle navigation +San Marino
-Togo +Sao Tome and Principe
-Tokelau +Saudi Arabia
-Token Name +Save
-Tonga +Select
-Too Many Attempts. +Select a different plan
-Too Many Requests +Senegal
-total +Serbia
-Total: +Seychelles
-Trashed +Sierra Leone
-Trinidad And Tobago +Signed in as
-Tunisia +Singapore
-Turkey +Slovakia
-Turkmenistan +Slovenia
-Turks and Caicos Islands +Solomon Islands
-Turks And Caicos Islands +Somalia
-Tuvalu +South Africa
-Two Factor Authentication +South Georgia and the South Sandwich Islands
-Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application. +Spain
-Uganda +Sri Lanka
-Ukraine +State / County
-Unauthorized +Subscribe
-United Arab Emirates +Subscription Information
-United Kingdom +Sudan
-United States +Suriname
-United States Minor Outlying Islands +Svalbard and Jan Mayen
-United States Outlying Islands +Sweden
-Update +Switzerland
-Update & Continue Editing +Syrian Arab Republic
-Update :resource +Taiwan, Province of China
-Update :resource: :title +Tajikistan
-Update attached :resource: :title +Tanzania, United Republic of
-Update Password +Terms of Service
-Update Payment Information +Thailand
-Update your account's profile information and email address. +Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.
-Uruguay +Thanks,
-Use a recovery code +The provided coupon code is invalid.
-Use an authentication code +The provided VAT number is invalid.
-Uzbekistan +The receipt emails must be valid email addresses.
-Value +The selected country is invalid.
-Vanuatu +The selected plan is invalid.
-VAT Number +This account does not have an active subscription.
-Venezuela +This subscription has expired and cannot be resumed. Please create a new subscription.
-Venezuela, Bolivarian Republic of +Timor-Leste
-Verify Email Address +Togo
-Verify Your Email Address +Tokelau
-View +Tonga
-Virgin Islands, British +Total:
-Virgin Islands, U.S. +Trinidad and Tobago
-Wallis and Futuna +Tunisia
-Wallis And Futuna +Turkey
-We are unable to process your payment. Please contact customer support. +Turkmenistan
-We were unable to find a registered user with this email address. +Turks and Caicos Islands
-We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas. +Tuvalu
-We won't ask for your password again for a few hours. +Uganda
-We're lost in space. The page you were trying to view does not exist. +Ukraine
-Welcome Back! +United Arab Emirates
-Western Sahara +United Kingdom
-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. +United States
-Whoops +United States Minor Outlying Islands
-Whoops! +Update
-Whoops! Something went wrong. +Update Payment Information
-With Trashed +Uruguay
-Write +Uzbekistan
-Year To Date +Vanuatu
-Yearly +VAT Number
-Yemen +Venezuela, Bolivarian Republic of
-Yes +Virgin Islands, British
-You are currently within your free trial period. Your trial will expire on :date. +Virgin Islands, U.S.
-You are logged in! +Wallis and Futuna
-You are receiving this email because we received a password reset request for your account. +We are unable to process your payment. Please contact customer support.
-You have been invited to join the :team team! +We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.
-You have enabled two factor authentication. +Western Sahara
-You have not enabled two factor authentication. +Whoops! Something went wrong.
-You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +Yearly
-You may delete any of your existing tokens if they are no longer needed. +Yemen
-You may not delete your personal team. +You are currently within your free trial period. Your trial will expire on :date.
-You may not leave a team that you created. +You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.
@@ -3635,10 +4821,6 @@ Your current payment method is a credit card ending in :lastFour that expires on
-Your email address is not verified. -
Your registered VAT Number is :vatNumber.
+Åland Islands +
diff --git a/docs/statuses/fr.md b/docs/statuses/fr.md index b76cc56dbda..8e6dbbce8e5 100644 --- a/docs/statuses/fr.md +++ b/docs/statuses/fr.md @@ -2,7 +2,126 @@ # fr -##### All missed: 0 +##### All missed: 19 -All lines are translated 😊 + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/fr/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/fr/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/fr/packages/spark-paddle.json) + +##### Missing: 9 + + + + + + + + + + + + + + + + + + + + + +
+Payment Method +
+Subscription Pending +
+There is no active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+You are already subscribed. +
+Your current payment method is :paypal. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/fr/packages/spark-stripe.json) + +##### Missing: 8 + + + + + + + + + + + + + + + + + + + +
+Apply +
+Apply Coupon +
+I accept the terms of service +
+Micronesia, Federated States of +
+Please accept the terms of service. +
+Svalbard and Jan Mayen +
+Trinidad and Tobago +
+Åland Islands +
+ + +[ [go back](../status.md) | [to top](#) ] diff --git a/docs/statuses/gl.md b/docs/statuses/gl.md index 2ccb8096682..8e90e619c84 100644 --- a/docs/statuses/gl.md +++ b/docs/statuses/gl.md @@ -2,12 +2,338 @@ # gl -##### All missed: 192 +##### All missed: 352 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/gl/auth.php) -##### Missing: 192 +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/gl/validation-inline.php) + +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [gl](https://github.com/Laravel-Lang/lang/blob/master/locales/gl/gl.json) + +##### Missing: 6 + + + + + + + + + + + + + + + +
+Nevermind +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/gl/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/gl/packages/jetstream.json) + +##### Missing: 3 + + + + + + + + + +
+API Token +
+Editor +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/gl/packages/nova.json) + +##### Missing: 97 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
@@ -15,6 +341,536 @@
+Albania +
+Andorra +
+Angola +
+Armenia +
+Aruba +
+Australia +
+Austria +
+Bahamas +
+Bangladesh +
+Barbados +
+Benin +
+Bermuda +
+Bolivia +
+Botswana +
+Bouvet Island +
+Bulgaria +
+Burkina Faso +
+Burundi +
+Cambodia +
+Chad +
+Chile +
+China +
+Colombia +
+Congo +
+Costa Rica +
+Cuba +
+Djibouti +
+Ecuador +
+Eritrea +
+Estonia +
+Gambia +
+Guam +
+Guatemala +
+Guernsey +
+Guinea +
+Guinea-Bissau +
+Honduras +
+Hong Kong +
+ID +
+India +
+Indonesia +
+Iraq +
+Israel +
+Jersey +
+Jordan +
+Kiribati +
+Kosovo +
+Kuwait +
+Liberia +
+Liechtenstein +
+Madagascar +
+Malawi +
+Malta +
+Marshall Islands +
+Mauritania +
+Mayotte +
+Micronesia, Federated States Of +
+Mongolia +
+Montenegro +
+Montserrat +
+Mozambique +
+Namibia +
+Nauru +
+Nepal +
+Nicaragua +
+Niue +
+Northern Mariana Islands +
+Palau +
+Paraguay +
+Portugal +
+Puerto Rico +
+Qatar +
+Reload +
+Saint Helena +
+Saint Martin +
+Samoa +
+San Marino +
+Senegal +
+Serbia +
+Seychelles +
+Sint Maarten (Dutch part) +
+Somalia +
+Sri Lanka +
+Suriname +
+Tanzania +
+Timor-Leste +
+Togo +
+Tokelau +
+total +
+Tunisia +
+Tuvalu +
+Uganda +
+Uruguay +
+Vanuatu +
+Venezuela +
+Zambia +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/gl/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/gl/packages/spark-stripe.json) + +##### Missing: 181 + + + @@ -51,7 +907,11 @@ Antigua and Barbuda + + - - @@ -211,10 +1067,6 @@ Ecuador - - @@ -279,7 +1131,7 @@ Hong Kong - - @@ -379,7 +1227,7 @@ Mayotte - - @@ -463,6 +1307,10 @@ Payment Information + + @@ -487,10 +1335,6 @@ Receipts - - @@ -515,10 +1359,6 @@ Saint Kitts and Nevis - - @@ -567,10 +1407,6 @@ Signed in as - - @@ -599,11 +1435,11 @@ Suriname - - - - - - - - - - @@ -679,11 +1495,11 @@ Tokelau - - @@ -778,6 +1590,10 @@ Zambia Zip / Postal Code + +
:days day trial
-API Token +Apply +
+Apply Coupon
@@ -99,10 +959,6 @@ Billing Management
-Bolivia -
Bolivia, Plurinational State of
-Editor -
Email Addresses
-ID +I accept the terms of service
@@ -331,10 +1183,6 @@ Korea, Republic of
-Kosovo -
Kuwait
-Micronesia, Federated States Of +Micronesia, Federated States of
@@ -427,10 +1275,6 @@ Netherlands Antilles
-Nevermind -
Nevermind, I'll keep my old plan
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
-Reload -
Resume Subscription
-Saint Martin -
Saint Martin (French part)
-Sint Maarten (Dutch part) -
Somalia
-Taiwan, Province of China +Svalbard and Jan Mayen
-Tanzania +Taiwan, Province of China
@@ -619,26 +1455,6 @@ Thanks,
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
-total +Total:
-Total: +Trinidad and Tobago
@@ -723,10 +1539,6 @@ VAT Number
-Venezuela -
Venezuela, Bolivarian Republic of
+Åland Islands +
diff --git a/docs/statuses/he.md b/docs/statuses/he.md index 5c548546bbd..115e413c436 100644 --- a/docs/statuses/he.md +++ b/docs/statuses/he.md @@ -2,12 +2,461 @@ # he -##### All missed: 92 +##### All missed: 166 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/he/auth.php) -##### Missing: 92 +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/he/validation-inline.php) + +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [he](https://github.com/Laravel-Lang/lang/blob/master/locales/he/he.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/he/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/he/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/he/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/he/packages/spark-stripe.json) + +##### Missing: 95 + + + + @@ -115,6 +572,10 @@ Heard Island and McDonald Islands + + @@ -143,6 +604,10 @@ Managing billing for :billableName + + @@ -171,6 +636,10 @@ Payment Information + + @@ -247,6 +716,10 @@ Subscription Information + + @@ -263,26 +736,6 @@ Thanks, - - - - - - - - - - @@ -315,6 +768,10 @@ Total: + + @@ -378,6 +835,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +484,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/hi.md b/docs/statuses/hi.md index 872c2d66d1f..ddbbbcb9eb0 100644 --- a/docs/statuses/hi.md +++ b/docs/statuses/hi.md @@ -2,10 +2,28 @@ # hi -##### All missed: 136 +##### All missed: 178 -### validation-inline +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/hi/auth.php) + +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/hi/validation-inline.php) ##### Missing: 32 @@ -240,7 +258,7 @@ The string must be :size characters. [ [go back](../status.md) | [to top](#) ] -### validation +### [validation](https://github.com/Laravel-Lang/lang/blob/master/locales/hi/validation.php) ##### Missing: 12 @@ -335,9 +353,205 @@ The :attribute must be less than or equal :value characters. [ [go back](../status.md) | [to top](#) ] -### json +### [hi](https://github.com/Laravel-Lang/lang/blob/master/locales/hi/hi.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/hi/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/hi/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/hi/packages/spark-paddle.json) -##### Missing: 92 +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/hi/packages/spark-stripe.json) + +##### Missing: 95 + + + + @@ -445,6 +667,10 @@ Heard Island and McDonald Islands + + @@ -473,6 +699,10 @@ Managing billing for :billableName + + @@ -501,6 +731,10 @@ Payment Information + + @@ -577,6 +811,10 @@ Subscription Information + + @@ -593,26 +831,6 @@ Thanks, - - - - - - - - - - @@ -645,6 +863,10 @@ Total: + + @@ -708,6 +930,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -365,6 +579,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/hr.md b/docs/statuses/hr.md index 1f144938278..56ff029df26 100644 --- a/docs/statuses/hr.md +++ b/docs/statuses/hr.md @@ -2,36 +2,716 @@ # hr -##### All missed: 149 +##### All missed: 274 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/hr/auth.php) -##### Missing: 149 +##### Missing: 1 + + + +
-:days day trial +password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/hr/validation-inline.php) + +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [hr](https://github.com/Laravel-Lang/lang/blob/master/locales/hr/hr.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/hr/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/hr/packages/jetstream.json) + +##### Missing: 2 + + + + + + + +
+Administrator +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/hr/packages/nova.json) + +##### Missing: 56 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+Action Status +
+Angola +
+Anguilla +
+Argentina +
+Aruba +
+Barbados +
+Belize +
+Benin +
+Bermuda +
+Brazil +
+Burkina Faso +
+Burundi +
+Cape Verde +
+Gabon +
+Gibraltar +
+Grenada +
+Guadeloupe +
+Guam +
+Haiti +
+Honduras +
+Hong Kong +
+ID +
+Iran, Islamic Republic Of +
+Japan +
+Jersey +
+Jordan +
+Kiribati +
+Kosovo +
+Luxembourg +
+Mali +
+Malta +
+Montserrat +
+Nauru +
+Nepal +
+Niger +
+Oman +
+Pakistan +
+Palau +
+Panama +
+Peru +
+Portugal
-Action Status +Puerto Rico
-Add VAT Number +Qatar
-Address +Samoa
-Address Line 2 +San Marino
-Administrator +Senegal +
+Sierra Leone +
+Sudan +
+Timor-Leste +
+Tokelau +
+Turkmenistan +
+Tuvalu +
+Uganda +
+Uzbekistan +
+Vanuatu +
+Venezuela +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/hr/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/hr/packages/spark-stripe.json) + +##### Missing: 146 + + + + + + + + + + + + + @@ -203,7 +891,7 @@ Hong Kong - - @@ -247,10 +931,6 @@ Korea, Republic of - - @@ -271,6 +951,10 @@ Managing billing for :billableName + + @@ -335,6 +1019,10 @@ Peru + + @@ -443,6 +1131,10 @@ Sudan + + @@ -459,26 +1151,6 @@ Thanks, - - - - - - - - - - @@ -519,6 +1191,10 @@ Total: + + @@ -555,10 +1231,6 @@ VAT Number - - @@ -606,6 +1278,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
+:days day trial +
+Add VAT Number +
+Address +
+Address Line 2
@@ -51,6 +731,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Argentina
-ID +I accept the terms of service
@@ -215,10 +903,6 @@ Iran, Islamic Republic of
-Iran, Islamic Republic Of -
Isle of Man
-Kosovo -
Luxembourg
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turkmenistan
-Venezuela -
Venezuela, Bolivarian Republic of
+Åland Islands +
diff --git a/docs/statuses/hu.md b/docs/statuses/hu.md index 8c227a65be7..2d011b9846d 100644 --- a/docs/statuses/hu.md +++ b/docs/statuses/hu.md @@ -2,12 +2,730 @@ # hu -##### All missed: 161 +##### All missed: 295 -### json +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/hu/validation-inline.php) -##### Missing: 161 +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [hu](https://github.com/Laravel-Lang/lang/blob/master/locales/hu/hu.json) + +##### Missing: 6 + + + + + + + + + + + + + + + +
+Nevermind +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/hu/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/hu/packages/jetstream.json) + +##### Missing: 2 + + + + + + + +
+API Token +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/hu/packages/nova.json) + +##### Missing: 67 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+Angola +
+Anguilla +
+Aruba +
+Barbados +
+Belgium +
+Belize +
+Benin +
+Bermuda +
+Botswana +
+Burkina Faso +
+Burundi +
+Chile +
+Costa Rica +
+December +
+Ecuador +
+Eritrea +
+Gabon +
+Gambia +
+Grenada +
+Guadeloupe +
+Guam +
+Guatemala +
+Guernsey +
+Guinea +
+Guyana +
+Haiti +
+Honduras +
+ID +
+India +
+Jamaica +
+Kenya +
+Kiribati +
+Lesotho +
+Liechtenstein +
+Malawi +
+Martinique +
+Mauritius +
+Mayotte +
+Moldova +
+Monaco +
+Montserrat +
+Nauru +
+Nicaragua +
+Niger +
+Niue +
+November +
+Palau +
+Panama +
+Paraguay +
+Peru +
+Puerto Rico +
+Qatar +
+Saint Lucia +
+San Marino +
+Sierra Leone +
+Sint Maarten (Dutch part) +
+Suriname +
+Timor-Leste +
+Togo +
+Tokelau +
+Tuvalu +
+Uganda +
+Uruguay +
+Vanuatu +
+Venezuela +
+Zambia +
+Zimbabwe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/hu/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/hu/packages/spark-stripe.json) + +##### Missing: 156 + + - - @@ -227,7 +945,7 @@ Honduras - - @@ -351,10 +1065,6 @@ Niue - - @@ -379,6 +1089,10 @@ Peru + + @@ -459,10 +1173,6 @@ Signed in as - - @@ -483,6 +1193,10 @@ Suriname + + @@ -499,26 +1213,6 @@ Thanks, - - - - - - - - - - @@ -563,6 +1257,10 @@ Total: + + @@ -595,10 +1293,6 @@ VAT Number - - @@ -654,6 +1348,10 @@ Zimbabwe Zip / Postal Code + +
@@ -43,7 +761,11 @@ Antigua and Barbuda
-API Token +Apply +
+Apply Coupon
@@ -143,10 +865,6 @@ Côte d'Ivoire
-December -
Download Receipt
-ID +I accept the terms of service
@@ -299,7 +1017,7 @@ Mayotte
-Moldova +Micronesia, Federated States of
@@ -331,10 +1049,6 @@ Netherlands Antilles
-Nevermind -
Nevermind, I'll keep my old plan
-November -
Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
-Sint Maarten (Dutch part) -
South Georgia and the South Sandwich Islands
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
-Venezuela -
Venezuela, Bolivarian Republic of
+Åland Islands +
diff --git a/docs/statuses/hy.md b/docs/statuses/hy.md index c30ceb21eae..998cb494e6e 100644 --- a/docs/statuses/hy.md +++ b/docs/statuses/hy.md @@ -2,12 +2,235 @@ # hy -##### All missed: 96 +##### All missed: 140 -### json +### [hy](https://github.com/Laravel-Lang/lang/blob/master/locales/hy/hy.json) -##### Missing: 96 +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/hy/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/hy/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/hy/packages/nova.json) + +##### Missing: 4 + + + + + + + + + + + +
+ID +
+Luxembourg +
+Pitcairn +
+Qatar +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/hy/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/hy/packages/spark-stripe.json) + +##### Missing: 98 + + + + @@ -115,7 +346,7 @@ Heard Island and McDonald Islands + + @@ -183,6 +418,10 @@ Pitcairn + + @@ -263,6 +502,10 @@ Subscription Information + + @@ -279,26 +522,6 @@ Thanks, - - - - - - - - - - @@ -331,6 +554,10 @@ Total: + + @@ -394,6 +621,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +258,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
-ID +I accept the terms of service
@@ -151,6 +382,10 @@ Managing billing for :billableName
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/id.md b/docs/statuses/id.md index c6177fb394c..6c55a4de0a2 100644 --- a/docs/statuses/id.md +++ b/docs/statuses/id.md @@ -2,12 +2,177 @@ # id -##### All missed: 87 +##### All missed: 128 -### json +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/id/packages/cashier.json) -##### Missing: 87 +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/id/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/id/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/id/packages/spark-stripe.json) + +##### Missing: 95 + + + + @@ -115,6 +288,10 @@ Heard Island and McDonald Islands + + @@ -143,6 +320,10 @@ Managing billing for :billableName + + @@ -171,6 +352,10 @@ Payment Information + + @@ -247,6 +432,10 @@ Subscription Information + + @@ -295,6 +484,10 @@ Total: + + @@ -358,6 +551,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +200,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/is.md b/docs/statuses/is.md index e5c311082b9..69981b492f6 100644 --- a/docs/statuses/is.md +++ b/docs/statuses/is.md @@ -2,12 +2,475 @@ # is -##### All missed: 92 +##### All missed: 168 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/is/auth.php) -##### Missing: 92 +##### Missing: 3 + + + + + + + + + + + + +
+failed + +These credentials do not match our records. +
+password + +The provided password is incorrect. +
+throttle + +Too many login attempts. Please try again in :seconds seconds. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/is/validation-inline.php) + +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [is](https://github.com/Laravel-Lang/lang/blob/master/locales/is/is.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/is/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/is/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/is/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/is/packages/spark-stripe.json) + +##### Missing: 95 + + + + @@ -115,6 +586,10 @@ Heard Island and McDonald Islands + + @@ -143,6 +618,10 @@ Managing billing for :billableName + + @@ -171,6 +650,10 @@ Payment Information + + @@ -247,6 +730,10 @@ Subscription Information + + @@ -263,26 +750,6 @@ Thanks, - - - - - - - - - - @@ -315,6 +782,10 @@ Total: + + @@ -378,6 +849,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +498,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/it.md b/docs/statuses/it.md index bbed0015999..72a8269c7d4 100644 --- a/docs/statuses/it.md +++ b/docs/statuses/it.md @@ -2,7 +2,126 @@ # it -##### All missed: 0 +##### All missed: 19 -All lines are translated 😊 + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/it/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/it/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/it/packages/spark-paddle.json) + +##### Missing: 9 + + + + + + + + + + + + + + + + + + + + + +
+Payment Method +
+Subscription Pending +
+There is no active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+You are already subscribed. +
+Your current payment method is :paypal. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/it/packages/spark-stripe.json) + +##### Missing: 8 + + + + + + + + + + + + + + + + + + + +
+Apply +
+Apply Coupon +
+I accept the terms of service +
+Micronesia, Federated States of +
+Please accept the terms of service. +
+Svalbard and Jan Mayen +
+Trinidad and Tobago +
+Åland Islands +
+ + +[ [go back](../status.md) | [to top](#) ] diff --git a/docs/statuses/ja.md b/docs/statuses/ja.md index 97c622f7ee6..135bd231ffb 100644 --- a/docs/statuses/ja.md +++ b/docs/statuses/ja.md @@ -2,15 +2,123 @@ # ja -##### All missed: 6 +##### All missed: 27 -### json +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/ja/packages/cashier.json) -##### Missing: 6 +##### Missing: 1 + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/ja/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/ja/packages/nova.json) + +##### Missing: 1 + + + + + +
+ID +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/ja/packages/spark-paddle.json) + +##### Missing: 11 + + + + + + + + + + + + + + + + + + + + + + + + + +
+Billing Management +
+Payment Method +
+Signed in as +
+Subscription Pending +
+There is no active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+You are already subscribed. +
+Your current payment method is :paypal. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/ja/packages/spark-stripe.json) + +##### Missing: 13 + + + + + + + @@ -23,7 +131,15 @@ Extra Billing Information + + + + + + + + + +
+Apply +
+Apply Coupon +
Billing Information
-ID +I accept the terms of service +
+Micronesia, Federated States of +
+Please accept the terms of service.
@@ -31,9 +147,21 @@ Signed in as
+Svalbard and Jan Mayen +
Thanks,
+Trinidad and Tobago +
+Åland Islands +
diff --git a/docs/statuses/ka.md b/docs/statuses/ka.md index 6cf79f7db44..610cc8bcd3a 100644 --- a/docs/statuses/ka.md +++ b/docs/statuses/ka.md @@ -2,12 +2,482 @@ # ka -##### All missed: 99 +##### All missed: 175 -### json +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/ka/validation-inline.php) -##### Missing: 99 +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [ka](https://github.com/Laravel-Lang/lang/blob/master/locales/ka/ka.json) + +##### Missing: 6 + + + + + + + + + + + + + + + +
+Nevermind +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/ka/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/ka/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/ka/packages/nova.json) + +##### Missing: 6 + + + + + + + + + + + + + + + +
+ID +
+Jersey +
+Montenegro +
+of +
+Qatar +
+Whoops +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/ka/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/ka/packages/spark-stripe.json) + +##### Missing: 98 + + + + @@ -115,7 +593,7 @@ Heard Island and McDonald Islands + + @@ -171,23 +653,19 @@ Netherlands Antilles - - + + @@ -287,26 +769,6 @@ Thanks, - - - - - - - - - - @@ -339,6 +801,10 @@ Total: + + @@ -371,10 +837,6 @@ We will send a receipt download link to the email addresses that you specify bel - - @@ -406,6 +868,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +505,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
-ID +I accept the terms of service
@@ -151,6 +629,10 @@ Managing billing for :billableName
+Micronesia, Federated States of +
Moldova, Republic of
-Nevermind -
Nevermind, I'll keep my old plan
-of +Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.
-Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +Payment Information
-Payment Information +Please accept the terms of service.
@@ -271,6 +749,10 @@ Subscription Information
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
-Whoops -
Yearly
+Åland Islands +
diff --git a/docs/statuses/kk.md b/docs/statuses/kk.md index c7261e9144b..496ff1f684f 100644 --- a/docs/statuses/kk.md +++ b/docs/statuses/kk.md @@ -2,12 +2,480 @@ # kk -##### All missed: 94 +##### All missed: 170 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/kk/auth.php) -##### Missing: 94 +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/kk/validation-inline.php) + +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [kk](https://github.com/Laravel-Lang/lang/blob/master/locales/kk/kk.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/kk/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/kk/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/kk/packages/nova.json) + +##### Missing: 2 + + + + + + + +
+Luxembourg +
+Qatar +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/kk/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/kk/packages/spark-stripe.json) + +##### Missing: 97 + + + + @@ -115,6 +591,10 @@ Heard Island and McDonald Islands + + @@ -147,6 +627,10 @@ Managing billing for :billableName + + @@ -175,6 +659,10 @@ Payment Information + + @@ -255,6 +743,10 @@ Subscription Information + + @@ -271,26 +763,6 @@ Thanks, - - - - - - - - - - @@ -323,6 +795,10 @@ Total: + + @@ -386,6 +862,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +503,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/km.md b/docs/statuses/km.md index 51e5a0ce6b1..a98f6026df6 100644 --- a/docs/statuses/km.md +++ b/docs/statuses/km.md @@ -2,10 +2,233 @@ # km -##### All missed: 95 +##### All missed: 137 -### json +### [km](https://github.com/Laravel-Lang/lang/blob/master/locales/km/km.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/km/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [fortify](https://github.com/Laravel-Lang/lang/blob/master/locales/km/packages/fortify.json) + +##### Missing: 1 + + + + + +
+The :attribute must be at least :length characters and contain at least one uppercase character and one special character. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/km/packages/jetstream.json) + +##### Missing: 4 + + + + + + + + + + + +
+API Token +
+API Tokens +
+The :attribute must be at least :length characters and contain at least one uppercase character and one special character. +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/km/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/km/packages/spark-stripe.json) ##### Missing: 95 @@ -35,11 +258,11 @@ Antigua and Barbuda
-API Token +Apply
-API Tokens +Apply Coupon
@@ -123,6 +346,10 @@ Heard Island and McDonald Islands
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must be at least :length characters and contain at least one uppercase character and one special character. -
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/kn.md b/docs/statuses/kn.md index 4d3e7fd3eba..65b0af73389 100644 --- a/docs/statuses/kn.md +++ b/docs/statuses/kn.md @@ -2,10 +2,28 @@ # kn -##### All missed: 137 +##### All missed: 183 -### validation-inline +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/kn/auth.php) + +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/kn/validation-inline.php) ##### Missing: 34 @@ -254,7 +272,7 @@ The string must be :size characters. [ [go back](../status.md) | [to top](#) ] -### validation +### [validation](https://github.com/Laravel-Lang/lang/blob/master/locales/kn/validation.php) ##### Missing: 1 @@ -272,9 +290,256 @@ The :attribute must end with one of the following: :values. [ [go back](../status.md) | [to top](#) ] -### json +### [kn](https://github.com/Laravel-Lang/lang/blob/master/locales/kn/kn.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/kn/packages/cashier.json) -##### Missing: 102 +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/kn/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/kn/packages/nova.json) + +##### Missing: 10 + + + + + + + + + + + + + + + + + + + + + + + +
+Are you sure you want to delete this file? +
+Are you sure you want to run this action? +
+could not be found. +
+Fiji +
+Grenada +
+ID +
+Martinique +
+Qatar +
+The file was deleted! +
+Venezuela +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/kn/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/kn/packages/spark-stripe.json) + +##### Missing: 99 - - @@ -402,7 +663,7 @@ Heard Island and McDonald Islands + + @@ -466,6 +731,10 @@ Payment Information + + @@ -546,6 +815,10 @@ Subscription Information + + @@ -562,30 +835,6 @@ Thanks, - - - - - - - - - - - - @@ -618,6 +867,10 @@ Total: + + @@ -634,10 +887,6 @@ VAT Number - - @@ -685,6 +934,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -302,11 +567,11 @@ Antigua and Barbuda
-Are you sure you want to delete this file? +Apply
-Are you sure you want to run this action? +Apply Coupon
@@ -342,10 +607,6 @@ Congo, the Democratic Republic of the
-could not be found. -
Country
-ID +I accept the terms of service
@@ -438,6 +699,10 @@ Martinique
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The file was deleted! -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
-Venezuela -
Venezuela, Bolivarian Republic of
+Åland Islands +
diff --git a/docs/statuses/ko.md b/docs/statuses/ko.md index 7f45393ef9c..5e71175f72c 100644 --- a/docs/statuses/ko.md +++ b/docs/statuses/ko.md @@ -2,12 +2,208 @@ # ko -##### All missed: 92 +##### All missed: 133 -### json +### [ko](https://github.com/Laravel-Lang/lang/blob/master/locales/ko/ko.json) -##### Missing: 92 +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/ko/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/ko/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/ko/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/ko/packages/spark-stripe.json) + +##### Missing: 95 + + + + @@ -115,6 +319,10 @@ Heard Island and McDonald Islands + + @@ -143,6 +351,10 @@ Managing billing for :billableName + + @@ -171,6 +383,10 @@ Payment Information + + @@ -247,6 +463,10 @@ Subscription Information + + @@ -263,26 +483,6 @@ Thanks, - - - - - - - - - - @@ -315,6 +515,10 @@ Total: + + @@ -378,6 +582,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +231,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/lt.md b/docs/statuses/lt.md index 7cbf439084d..0efdf620636 100644 --- a/docs/statuses/lt.md +++ b/docs/statuses/lt.md @@ -2,23 +2,358 @@ # lt -##### All missed: 125 +##### All missed: 185 -### json +### [lt](https://github.com/Laravel-Lang/lang/blob/master/locales/lt/lt.json) -##### Missing: 125 +##### Missing: 5 + + + + + + + + +
-:days day trial +The :attribute must contain at least one letter.
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/lt/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/lt/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/lt/packages/nova.json) + +##### Missing: 33 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
:resource Details: :title
+Angola +
+Argentina +
+Aruba +
+Attach & Attach Another +
+Bouvet Island +
+Force Delete +
+Force Delete Resource +
+Force Delete Selected +
+Grenada +
+ID +
+Jersey +
+Malta +
+Moldova +
+Nauru +
+Niue +
+Nova User +
+Palau +
+Panama +
+Peru +
+Qatar +
+Russian Federation +
+Saint Martin +
+Samoa +
+Select All Matching +
+Sint Maarten (Dutch part) +
+Tokelau +
+Trashed +
+Tuvalu +
+Uganda +
+Update attached :resource: :title +
+Vanuatu +
+Whoops +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/lt/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/lt/packages/spark-stripe.json) + +##### Missing: 114 + + + + + @@ -43,15 +378,19 @@ Antigua and Barbuda + + - - - - - - @@ -155,7 +482,7 @@ Heard Island and McDonald Islands - - @@ -251,6 +574,10 @@ Peru + + @@ -291,10 +618,6 @@ Saint Kitts and Nevis - - @@ -323,18 +646,10 @@ Select a different plan - - - - @@ -351,6 +666,10 @@ Subscription Information + + @@ -367,26 +686,6 @@ Thanks, - - - - - - - - - - @@ -423,7 +722,7 @@ Total: - - @@ -475,10 +770,6 @@ We will send a receipt download link to the email addresses that you specify bel - - @@ -510,6 +801,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
+:days day trial +
Add VAT Number
-Argentina +Apply
-Aruba +Apply Coupon
-Attach & Attach Another +Argentina +
+Aruba
@@ -127,18 +466,6 @@ Extra Billing Information
-Force Delete -
-Force Delete Resource -
-Force Delete Selected -
Grenada
-ID +I accept the terms of service
@@ -195,7 +522,7 @@ Managing billing for :billableName
-Moldova +Micronesia, Federated States of
@@ -227,10 +554,6 @@ Niue
-Nova User -
Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
-Saint Martin -
Saint Martin (French part)
-Select All Matching -
Signed in as
-Sint Maarten (Dutch part) -
South Georgia and the South Sandwich Islands
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
-Trashed +Trinidad and Tobago
@@ -443,10 +742,6 @@ United States Minor Outlying Islands
-Update attached :resource: :title -
Update Payment Information
-Whoops -
Yearly
+Åland Islands +
diff --git a/docs/statuses/lv.md b/docs/statuses/lv.md index 93b464dc148..73fa12d772c 100644 --- a/docs/statuses/lv.md +++ b/docs/statuses/lv.md @@ -2,12 +2,461 @@ # lv -##### All missed: 92 +##### All missed: 166 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/lv/auth.php) -##### Missing: 92 +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/lv/validation-inline.php) + +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [lv](https://github.com/Laravel-Lang/lang/blob/master/locales/lv/lv.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/lv/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/lv/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/lv/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/lv/packages/spark-stripe.json) + +##### Missing: 95 + + + + @@ -115,6 +572,10 @@ Heard Island and McDonald Islands + + @@ -143,6 +604,10 @@ Managing billing for :billableName + + @@ -171,6 +636,10 @@ Payment Information + + @@ -247,6 +716,10 @@ Subscription Information + + @@ -263,26 +736,6 @@ Thanks, - - - - - - - - - - @@ -315,6 +768,10 @@ Total: + + @@ -378,6 +835,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +484,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/mk.md b/docs/statuses/mk.md index a57a75957ed..854427687c3 100644 --- a/docs/statuses/mk.md +++ b/docs/statuses/mk.md @@ -2,12 +2,343 @@ # mk -##### All missed: 123 +##### All missed: 185 -### json +### [mk](https://github.com/Laravel-Lang/lang/blob/master/locales/mk/mk.json) -##### Missing: 123 +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/mk/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/mk/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/mk/packages/nova.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+Anguilla +
+Aruba +
+Barbados +
+Bouvet Island +
+Burkina Faso +
+Comoros +
+Edit +
+Guadeloupe +
+ID +
+Isle Of Man +
+Kiribati +
+Macao +
+Martinique +
+Mauritania +
+Mayotte +
+Montserrat +
+Nauru +
+Niue +
+Puerto Rico +
+Qatar +
+Restore Selected +
+Sao Tome And Principe +
+Senegal +
+Sint Maarten (Dutch part) +
+Svalbard And Jan Mayen +
+Tokelau +
+Trinidad And Tobago +
+Tuvalu +
+Vanuatu +
+Whoops +
+Yes +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/mk/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/mk/packages/spark-stripe.json) + +##### Missing: 116 + + + + @@ -115,10 +454,6 @@ Download Receipt - - @@ -147,7 +482,7 @@ Heard Island and McDonald Islands - - @@ -203,6 +534,10 @@ Mayotte + + @@ -243,6 +578,10 @@ Payment Information + + @@ -263,10 +602,6 @@ Receipts - - @@ -303,10 +638,6 @@ Sao Tome and Principe - - @@ -323,10 +654,6 @@ Signed in as - - @@ -343,7 +670,7 @@ Subscription Information - - - - - - - - - - @@ -419,7 +726,7 @@ Total: - - - - @@ -502,6 +801,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -39,6 +370,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Aruba
-Edit -
Email Addresses
-ID +I accept the terms of service
@@ -163,10 +498,6 @@ Isle of Man
-Isle Of Man -
It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
-Restore Selected -
Resume Subscription
-Sao Tome And Principe -
Select
-Sint Maarten (Dutch part) -
South Georgia and the South Sandwich Islands
-Svalbard And Jan Mayen +Svalbard and Jan Mayen
@@ -363,26 +690,6 @@ Thanks,
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
-Trinidad And Tobago +Trinidad and Tobago
@@ -463,18 +770,10 @@ We will send a receipt download link to the email addresses that you specify bel
-Whoops -
Yearly
-Yes -
You are currently within your free trial period. Your trial will expire on :date.
+Åland Islands +
diff --git a/docs/statuses/mn.md b/docs/statuses/mn.md index 313b4173ace..0b503b0be17 100644 --- a/docs/statuses/mn.md +++ b/docs/statuses/mn.md @@ -2,10 +2,28 @@ # mn -##### All missed: 140 +##### All missed: 182 -### validation-inline +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/mn/auth.php) + +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/mn/validation-inline.php) ##### Missing: 32 @@ -240,7 +258,7 @@ The string must be :size characters. [ [go back](../status.md) | [to top](#) ] -### validation +### [validation](https://github.com/Laravel-Lang/lang/blob/master/locales/mn/validation.php) ##### Missing: 16 @@ -363,9 +381,205 @@ The :attribute must be less than or equal :value characters. [ [go back](../status.md) | [to top](#) ] -### json +### [mn](https://github.com/Laravel-Lang/lang/blob/master/locales/mn/mn.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/mn/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/mn/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/mn/packages/spark-paddle.json) -##### Missing: 92 +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/mn/packages/spark-stripe.json) + +##### Missing: 95 + + + + @@ -473,6 +695,10 @@ Heard Island and McDonald Islands + + @@ -501,6 +727,10 @@ Managing billing for :billableName + + @@ -529,6 +759,10 @@ Payment Information + + @@ -605,6 +839,10 @@ Subscription Information + + @@ -621,26 +859,6 @@ Thanks, - - - - - - - - - - @@ -673,6 +891,10 @@ Total: + + @@ -736,6 +958,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -393,6 +607,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/mr.md b/docs/statuses/mr.md index 36ad7cf640d..07655375e5e 100644 --- a/docs/statuses/mr.md +++ b/docs/statuses/mr.md @@ -2,12 +2,461 @@ # mr -##### All missed: 92 +##### All missed: 166 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/mr/auth.php) -##### Missing: 92 +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/mr/validation-inline.php) + +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [mr](https://github.com/Laravel-Lang/lang/blob/master/locales/mr/mr.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/mr/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/mr/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/mr/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/mr/packages/spark-stripe.json) + +##### Missing: 95 + + + + @@ -115,6 +572,10 @@ Heard Island and McDonald Islands + + @@ -143,6 +604,10 @@ Managing billing for :billableName + + @@ -171,6 +636,10 @@ Payment Information + + @@ -247,6 +716,10 @@ Subscription Information + + @@ -263,26 +736,6 @@ Thanks, - - - - - - - - - - @@ -315,6 +768,10 @@ Total: + + @@ -378,6 +835,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +484,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/ms.md b/docs/statuses/ms.md index fd725e1ab97..8e7ec57f57b 100644 --- a/docs/statuses/ms.md +++ b/docs/statuses/ms.md @@ -2,36 +2,909 @@ # ms -##### All missed: 256 +##### All missed: 441 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/ms/auth.php) -##### Missing: 256 +##### Missing: 1 + + + +
-:days day trial +password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [ms](https://github.com/Laravel-Lang/lang/blob/master/locales/ms/ms.json) + +##### Missing: 6 + + + + + + + + + + + + + + + +
+Log out +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/ms/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/ms/packages/jetstream.json) + +##### Missing: 4 + + + + + + + + + + + +
+Administrator +
+Editor +
+Log Out +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/ms/packages/nova.json) + +##### Missing: 160 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+Action Status +
+Afghanistan +
+Albania +
+Algeria +
+Andorra +
+Angola +
+Anguilla +
+April +
+Argentina +
+Armenia +
+Aruba +
+Australia +
+Austria +
+Bahamas +
+Bahrain +
+Bangladesh +
+Barbados +
+Belarus +
+Belize +
+Bermuda +
+Bhutan +
+Bolivia +
+Botswana +
+Brazil +
+Bulgaria +
+Burkina Faso +
+Burundi +
+Cape Verde +
+Chad +
+Chile +
+China +
+Colombia +
+Congo +
+Costa Rica +
+Croatia +
+Cyprus +
+Denmark +
+Djibouti +
+Ecuador +
+Eritrea +
+Estonia +
+Ethiopia +
+Fiji +
+Finland +
+Georgia +
+Ghana +
+Gibraltar +
+Greece +
+Greenland +
+Grenada +
+Guam +
+Guatemala +
+Guernsey +
+Guinea +
+Guyana +
+Haiti +
+Honduras +
+Hong Kong +
+Hungary +
+Iceland +
+ID +
+India +
+Indonesia +
+Iran, Islamic Republic Of +
+Iraq +
+Ireland +
+Isle Of Man +
+Israel +
+Jamaica +
+Jersey +
+Jordan +
+Kazakhstan +
+Kenya +
+Kiribati +
+Kosovo +
+Kuwait +
+Kyrgyzstan +
+Latvia +
+Lebanon +
+Lesotho +
+Liberia +
+Libyan Arab Jamahiriya +
+Liechtenstein +
+Lithuania +
+Luxembourg +
+Macao +
+Madagascar +
+Malaysia +
+Maldives +
+Malta +
+Martinique +
+Mauritius +
+Mayotte +
+Mexico +
+Moldova +
+Monaco +
+Mongolia +
+Montenegro +
+Montserrat +
+Morocco +
+Mozambique +
+Myanmar +
+Namibia +
+Nauru +
+Nepal +
+New Caledonia +
+New Zealand +
+Nicaragua +
+Nigeria +
+Niue +
+Norway +
+November +
+Oman +
+Pakistan +
+Palau +
+Panama +
+Papua New Guinea +
+Paraguay +
+Peru +
+Poland +
+Portugal +
+Preview +
+Puerto Rico +
+Qatar +
+Reload +
+Romania +
+Rwanda +
+Saint Barthelemy +
+Saint Helena +
+Samoa +
+San Marino +
+Senegal +
+September +
+Serbia +
+Sierra Leone +
+Slovakia +
+Slovenia +
+Somalia +
+Sri Lanka +
+Sudan +
+Sweden +
+Switzerland +
+Syrian Arab Republic +
+Taiwan +
+Tajikistan +
+Tanzania +
+Thailand +
+Togo +
+Tokelau +
+Tunisia +
+Tuvalu +
+Uganda +
+Ukraine +
+United Kingdom +
+Uruguay +
+Uzbekistan +
+Venezuela
-Action Status +Whoops
-Add VAT Number +Zambia
-Address +Zimbabwe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/ms/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later.
-Address Line 2 +Billing Management
-Administrator +Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/ms/packages/spark-stripe.json) + +##### Missing: 238 + + + + + + + + + + + - - @@ -251,10 +1124,6 @@ Ecuador - - @@ -359,11 +1228,11 @@ Hungary - - @@ -399,10 +1264,6 @@ Isle of Man - - @@ -439,10 +1300,6 @@ Korea, Republic of - - @@ -479,14 +1336,6 @@ Lithuania - - - - @@ -535,7 +1384,7 @@ Mexico - - @@ -663,19 +1508,19 @@ Peru - - @@ -719,10 +1560,6 @@ Réunion - - @@ -771,10 +1608,6 @@ Senegal - - @@ -823,19 +1656,19 @@ Sudan - - @@ -867,26 +1696,6 @@ Thanks, - - - - - - - - - - @@ -927,6 +1736,10 @@ Total: + + @@ -971,10 +1784,6 @@ VAT Number - - @@ -991,10 +1800,6 @@ We will send a receipt download link to the email addresses that you specify bel - - @@ -1034,6 +1839,10 @@ Zimbabwe Zip / Postal Code + +
+:days day trial +
+Add VAT Number +
+Address +
+Address Line 2
@@ -67,7 +940,11 @@ Antigua and Barbuda
-April +Apply +
+Apply Coupon
@@ -131,10 +1008,6 @@ Billing Management
-Bolivia -
Bolivia, Plurinational State of
-Editor -
Email Addresses
-Iceland +I accept the terms of service
-ID +Iceland
@@ -383,10 +1252,6 @@ Iran, Islamic Republic of
-Iran, Islamic Republic Of -
Iraq
-Isle Of Man -
Israel
-Kosovo -
Kuwait
-Log out -
-Log Out -
Luxembourg
-Moldova +Micronesia, Federated States of
@@ -623,10 +1472,6 @@ Norway
-November -
Oman
-Please provide a maximum of three receipt emails addresses. +Please accept the terms of service.
-Poland +Please provide a maximum of three receipt emails addresses.
-Portugal +Poland
-Preview +Portugal
@@ -695,10 +1540,6 @@ Receipts
-Reload -
Resume Subscription
-Saint Barthelemy -
Saint Barthélemy
-September -
Serbia
-Sweden +Svalbard and Jan Mayen
-Switzerland +Sweden
-Syrian Arab Republic +Switzerland
-Taiwan +Syrian Arab Republic
@@ -847,10 +1680,6 @@ Tajikistan
-Tanzania -
Tanzania, United Republic of
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Tunisia
-Venezuela -
Venezuela, Bolivarian Republic of
-Whoops -
Yearly
+Åland Islands +
diff --git a/docs/statuses/nb.md b/docs/statuses/nb.md index 1b9dfc84a6a..108b1e053b4 100644 --- a/docs/statuses/nb.md +++ b/docs/statuses/nb.md @@ -2,7 +2,126 @@ # nb -##### All missed: 0 +##### All missed: 19 -All lines are translated 😊 + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/nb/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/nb/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/nb/packages/spark-paddle.json) + +##### Missing: 9 + + + + + + + + + + + + + + + + + + + + + +
+Payment Method +
+Subscription Pending +
+There is no active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+You are already subscribed. +
+Your current payment method is :paypal. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/nb/packages/spark-stripe.json) + +##### Missing: 8 + + + + + + + + + + + + + + + + + + + +
+Apply +
+Apply Coupon +
+I accept the terms of service +
+Micronesia, Federated States of +
+Please accept the terms of service. +
+Svalbard and Jan Mayen +
+Trinidad and Tobago +
+Åland Islands +
+ + +[ [go back](../status.md) | [to top](#) ] diff --git a/docs/statuses/ne.md b/docs/statuses/ne.md index 902cbc7f2b6..a277ed4ab48 100644 --- a/docs/statuses/ne.md +++ b/docs/statuses/ne.md @@ -2,12 +2,329 @@ # ne -##### All missed: 115 +##### All missed: 168 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/ne/auth.php) -##### Missing: 115 +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [ne](https://github.com/Laravel-Lang/lang/blob/master/locales/ne/ne.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/ne/packages/cashier.json) + +##### Missing: 2 + + + + + + + +
+Jane Doe +
+Please provide your name. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/ne/packages/jetstream.json) + +##### Missing: 6 + + + + + + + + + + + + + + + +
+Close +
+Created. +
+Email Password Reset Link +
+Log in +
+Remove +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/ne/packages/nova.json) + +##### Missing: 17 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+Aland Islands +
+Are you sure you want to delete this file? +
+Armenia +
+Austria +
+Bahrain +
+Belize +
+Cape Verde +
+Congo +
+Email Address +
+Haiti +
+Honduras +
+Martinique +
+Moldova +
+Panama +
+Qatar +
+Search +
+Sorry, your session has expired. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/ne/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/ne/packages/spark-stripe.json) + +##### Missing: 106 - - @@ -111,10 +424,6 @@ Coupon - - @@ -131,18 +440,10 @@ Download Receipt - - - - @@ -171,6 +472,10 @@ Honduras + + @@ -191,10 +496,6 @@ Korea, Republic of - - @@ -207,7 +508,7 @@ Martinique - - @@ -303,10 +600,6 @@ Sao Tome and Principe - - @@ -319,10 +612,6 @@ Signed in as - - @@ -339,6 +628,10 @@ Subscription Information + + @@ -355,26 +648,6 @@ Thanks, - - - - - - - - - - @@ -407,6 +680,10 @@ Total: + + @@ -470,6 +747,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -27,19 +344,19 @@ Address Line 2
-Aland Islands +An unexpected error occurred and we have notified our support team. Please try again later.
-An unexpected error occurred and we have notified our support team. Please try again later. +Antigua and Barbuda
-Antigua and Barbuda +Apply
-Are you sure you want to delete this file? +Apply Coupon
@@ -91,10 +408,6 @@ City
-Close -
Congo
-Created. -
Current Subscription Plan
-Email Address -
Email Addresses
-Email Password Reset Link -
ex VAT
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
-Log in -
Macedonia, the former Yugoslav Republic of
-Moldova +Micronesia, Federated States of
@@ -243,11 +544,11 @@ Payment Information
-Please provide a maximum of three receipt emails addresses. +Please accept the terms of service.
-Please provide your name. +Please provide a maximum of three receipt emails addresses.
@@ -263,10 +564,6 @@ Receipts
-Remove -
Resume Subscription
-Search -
Select
-Sorry, your session has expired. -
South Georgia and the South Sandwich Islands
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/nl.md b/docs/statuses/nl.md index 766268d4d73..ed34c0b7f39 100644 --- a/docs/statuses/nl.md +++ b/docs/statuses/nl.md @@ -2,15 +2,108 @@ # nl -##### All missed: 24 +##### All missed: 45 -### json +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/nl/packages/cashier.json) -##### Missing: 24 +##### Missing: 1 + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/nl/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/nl/packages/spark-paddle.json) + +##### Missing: 11 + + + + + + + + + + + + + + + + + + + + + + + + + +
+Billing Management +
+Payment Method +
+Receipts +
+Subscription Pending +
+There is no active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+You are already subscribed. +
+Your current payment method is :paypal. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/nl/packages/spark-stripe.json) + +##### Missing: 32 + + + + + + + @@ -31,6 +124,10 @@ Côte d'Ivoire + + @@ -39,10 +136,18 @@ Macedonia, the former Yugoslav Republic of + + + + @@ -67,6 +172,10 @@ South Georgia and the South Sandwich Islands + + @@ -87,6 +196,10 @@ Total: + + @@ -106,6 +219,10 @@ Wallis and Futuna We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas. + +
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
Korea, Republic of
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Receipt Email Addresses
+Svalbard and Jan Mayen +
Taiwan, Province of China
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/nn.md b/docs/statuses/nn.md index bcbef589541..a2ad83cfc62 100644 --- a/docs/statuses/nn.md +++ b/docs/statuses/nn.md @@ -2,10 +2,28 @@ # nn -##### All missed: 761 +##### All missed: 1039 -### passwords +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/nn/auth.php) + +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [passwords](https://github.com/Laravel-Lang/lang/blob/master/locales/nn/passwords.php) ##### Missing: 1 @@ -23,7 +41,7 @@ Please wait before retrying. [ [go back](../status.md) | [to top](#) ] -### validation-inline +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/nn/validation-inline.php) ##### Missing: 94 @@ -692,7 +710,7 @@ This must be a valid UUID. [ [go back](../status.md) | [to top](#) ] -### validation +### [validation](https://github.com/Laravel-Lang/lang/blob/master/locales/nn/validation.php) ##### Missing: 7 @@ -752,437 +770,1101 @@ This :attribute may not be associated with this resource. [ [go back](../status.md) | [to top](#) ] -### json +### [nn](https://github.com/Laravel-Lang/lang/blob/master/locales/nn/nn.json) -##### Missing: 659 +##### Missing: 20 + +
-30 Days +Go to page :page
-60 Days +If necessary, you may logout 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.
-90 Days +Log out
-:amount Total +Logout Other Browser Sessions
-:days day trial +Manage and logout your active sessions on other browsers and devices.
-:resource Details +Nevermind
-:resource Details: :title +Pagination Navigation
-A new verification link has been sent to the email address you provided during registration. +Please confirm your password before continuing.
-Accept Invitation +Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.
-Action +Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.
-Action Happened At +results
-Action Initiated By +Showing
-Action Name +The :attribute must contain at least one letter.
-Action Status +The :attribute must contain at least one number.
-Action Target +The :attribute must contain at least one symbol.
-Actions +The :attribute must contain at least one uppercase and one lowercase letter.
-Add +The given :attribute has appeared in a data leak. Please choose a different :attribute.
-Add a new team member to your team, allowing them to collaborate with you. +to
-Add additional security to your account using two factor authentication. +We won't ask for your password again for a few hours.
-Add row +You are logged in!
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/nn/packages/cashier.json) + +##### Missing: 16 + + + +
-Add Team Member +Card
-Add VAT Number +Confirm Payment
-Added. +Confirm your :amount payment
-Address +Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.
-Address Line 2 +Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.
-Administrator +Full name
-Administrator users can perform any action. +Go back
-Afghanistan +Jane Doe
-Aland Islands +Pay :amount
-Albania +Payment Cancelled
-Algeria +Payment Confirmation
-All of the people that are part of this team. +Payment Successful
-All resources loaded. +Please provide your name.
-Already registered? +The payment was successful.
-American Samoa +This payment was already successfully confirmed.
-An error occured while uploading the file. +This payment was cancelled.
+ + +[ [go back](../status.md) | [to top](#) ] + +### [fortify](https://github.com/Laravel-Lang/lang/blob/master/locales/nn/packages/fortify.json) + +##### Missing: 11 + + + +
-An unexpected error occurred and we have notified our support team. Please try again later. +The :attribute must be at least :length characters and contain at least one number.
-Andorra +The :attribute must be at least :length characters and contain at least one special character and one number.
-Angola +The :attribute must be at least :length characters and contain at least one special character.
-Anguilla +The :attribute must be at least :length characters and contain at least one uppercase character and one number.
-Another user has updated this resource since this page was loaded. Please refresh the page and try again. +The :attribute must be at least :length characters and contain at least one uppercase character and one special character.
-Antarctica +The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.
-Antigua and Barbuda +The :attribute must be at least :length characters and contain at least one uppercase character.
-Antigua And Barbuda +The :attribute must be at least :length characters.
-API Token +The provided password does not match your current password.
-API Token Permissions +The provided password was incorrect.
-API Tokens +The provided two factor authentication code was invalid.
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/nn/packages/jetstream.json) + +##### Missing: 141 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
-API tokens allow third-party services to authenticate with our application on your behalf. +A new verification link has been sent to the email address you provided during registration.
-April +Accept Invitation
-Are you sure you want to delete the selected resources? +Add
-Are you sure you want to delete this file? +Add a new team member to your team, allowing them to collaborate with you.
-Are you sure you want to delete this resource? +Add additional security to your account using two factor authentication.
-Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted. +Add Team Member
-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. +Added.
-Are you sure you want to detach the selected resources? +Administrator
-Are you sure you want to detach this resource? +Administrator users can perform any action.
-Are you sure you want to force delete the selected resources? +All of the people that are part of this team.
-Are you sure you want to force delete this resource? +Already registered?
-Are you sure you want to restore the selected resources? +API Token
-Are you sure you want to restore this resource? +API Token Permissions
-Are you sure you want to run this action? +API Tokens
-Are you sure you would like to delete this API token? +API tokens allow third-party services to authenticate with our application on your behalf.
-Are you sure you would like to leave this team? +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 would like to remove this person from the team? +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.
-Argentina +Are you sure you would like to delete this API token?
-Armenia +Are you sure you would like to leave this team?
-Aruba +Are you sure you would like to remove this person from the team?
-Attach +Browser Sessions
-Attach & Attach Another +Cancel
-Attach :resource +Close
-August +Code
-Australia +Confirm
-Austria +Create
-Azerbaijan +Create a new team to collaborate with others on projects.
-Bahamas +Create Account
-Bahrain +Create API Token
-Bangladesh +Create New Team
-Barbados +Create Team
-Belarus +Created.
-Belgium +Current Password
-Belize +Dashboard
-Benin +Delete
-Bermuda +Delete Account
-Bhutan +Delete API Token
-Billing Information +Delete Team
-Billing Management +Disable
-Bolivia +Done.
-Bolivia, Plurinational State of +Editor
-Bonaire, Sint Eustatius and Saba +Editor users have the ability to read, create, and update.
-Bosnia And Herzegovina +Email
-Bosnia and Herzegovina +Email Password Reset Link
-Botswana +Enable
-Bouvet Island +Ensure your account is using a long, random password to stay secure.
-Brazil +For your security, please confirm your password to continue.
-British Indian Ocean Territory +Forgot your password?
-Browser Sessions +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.
-Bulgaria +Great! You have accepted the invitation to join the :team team.
-Burkina Faso +I agree to the :terms_of_service and :privacy_policy
-Burundi +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.
-Cambodia +If you already have an account, you may accept this invitation by clicking the button below:
-Cameroon +If you did not expect to receive an invitation to this team, you may discard this email.
-Canada +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:
-Cancel +Last active
-Cancel Subscription +Last used
-Cape Verde +Leave
-Card +Leave Team
-Cayman Islands +Log in +
+Log Out +
+Log Out Other Browser Sessions +
+Manage Account +
+Manage and log out your active sessions on other browsers and devices. +
+Manage API Tokens +
+Manage Role +
+Manage Team +
+New Password +
+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 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. +
+Pending Team Invitations +
+Permanently delete this team. +
+Permanently delete your account. +
+Permissions +
+Photo +
+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 copy your new API token. For your security, it won't be shown again. +
+Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices. +
+Please provide the email address of the person you would like to add to this team. +
+Privacy Policy +
+Profile +
+Profile Information +
+Recovery Code +
+Regenerate Recovery Codes +
+Remember me +
+Remove +
+Remove Photo +
+Remove Team Member +
+Resend Verification Email +
+Role +
+Save +
+Saved. +
+Select A New Photo +
+Show Recovery Codes +
+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. +
+Switch Teams +
+Team Details +
+Team Invitation +
+Team Members +
+Team Name +
+Team Owner +
+Team Settings +
+Terms of Service +
+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 a valid role. +
+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. +
+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, 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. +
+The provided password does not match your current password. +
+The provided password was incorrect. +
+The provided two factor authentication code was invalid. +
+The team's name and owner information. +
+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. +
+This device +
+This is a secure area of the application. Please confirm your password before continuing. +
+This password does not match our records. +
+This user already belongs to the team. +
+This user has already been invited to the team. +
+Token Name +
+Two Factor Authentication +
+Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application. +
+Update Password +
+Update your account's profile information and email address. +
+Use a recovery code +
+Use an authentication code +
+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. +
+Whoops! Something went wrong. +
+You have been invited to join the :team team! +
+You have enabled two factor authentication. +
+You have not enabled two factor authentication. +
+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. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/nn/packages/nova.json) + +##### Missing: 402 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+30 Days +
+60 Days +
+90 Days +
+:amount Total +
+:resource Details +
+:resource Details: :title +
+Action +
+Action Happened At +
+Action Initiated By +
+Action Name +
+Action Status +
+Action Target +
+Actions +
+Add row +
+Afghanistan +
+Aland Islands +
+Albania +
+Algeria +
+All resources loaded. +
+American Samoa +
+An error occured while uploading the file. +
+Andorra +
+Angola +
+Anguilla +
+Another user has updated this resource since this page was loaded. Please refresh the page and try again. +
+Antarctica +
+Antigua And Barbuda +
+April +
+Are you sure you want to delete the selected resources? +
+Are you sure you want to delete this file? +
+Are you sure you want to delete this resource? +
+Are you sure you want to detach the selected resources? +
+Are you sure you want to detach this resource? +
+Are you sure you want to force delete the selected resources? +
+Are you sure you want to force delete this resource? +
+Are you sure you want to restore the selected resources? +
+Are you sure you want to restore this resource? +
+Are you sure you want to run this action? +
+Argentina +
+Armenia +
+Aruba +
+Attach +
+Attach & Attach Another +
+Attach :resource +
+August +
+Australia +
+Austria +
+Azerbaijan +
+Bahamas +
+Bahrain +
+Bangladesh +
+Barbados +
+Belarus +
+Belgium +
+Belize +
+Benin +
+Bermuda +
+Bhutan +
+Bolivia +
+Bonaire, Sint Eustatius and Saba +
+Bosnia And Herzegovina +
+Botswana +
+Bouvet Island +
+Brazil +
+British Indian Ocean Territory +
+Bulgaria +
+Burkina Faso +
+Burundi +
+Cambodia +
+Cameroon +
+Canada +
+Cancel +
+Cape Verde +
+Cayman Islands
@@ -1190,2179 +1872,2685 @@ Central African Republic
-Chad +Chad +
+Changes +
+Chile +
+China +
+Choose +
+Choose :field +
+Choose :resource +
+Choose an option +
+Choose date +
+Choose File +
+Choose Type +
+Christmas Island +
+Click to choose +
+Cocos (Keeling) Islands +
+Colombia +
+Comoros +
+Congo +
+Congo, Democratic Republic +
+Constant +
+Cook Islands +
+Costa Rica +
+could not be found. +
+Create +
+Create & Add Another +
+Create :resource +
+Croatia +
+Cuba +
+Curaçao +
+Customize +
+Cyprus +
+Dashboard +
+December +
+Decrease +
+Delete +
+Delete File +
+Delete Resource +
+Delete Selected +
+Denmark +
+Detach +
+Detach Resource +
+Detach Selected +
+Details +
+Djibouti +
+Do you really want to leave? You have unsaved changes. +
+Dominica +
+Dominican Republic +
+Download +
+Ecuador +
+Edit +
+Edit :resource +
+Edit Attached +
+Egypt +
+El Salvador +
+Email Address +
+Equatorial Guinea +
+Eritrea +
+Estonia +
+Ethiopia +
+Falkland Islands (Malvinas) +
+Faroe Islands +
+February +
+Fiji +
+Finland +
+Force Delete +
+Force Delete Resource +
+Force Delete Selected +
+Forgot your password? +
+France +
+French Guiana +
+French Polynesia +
+French Southern Territories +
+Gabon +
+Gambia +
+Georgia +
+Germany +
+Ghana
-Change Subscription Plan +Gibraltar
-Changes +Greece
-Chile +Greenland
-China +Grenada
-Choose +Guadeloupe
-Choose :field +Guam
-Choose :resource +Guatemala
-Choose an option +Guernsey
-Choose date +Guinea
-Choose File +Guinea-Bissau
-Choose Type +Guyana
-Christmas Island +Haiti
-City +Heard Island & Mcdonald Islands
-Click to choose +Hide Content
-Close +Hold Up!
-Cocos (Keeling) Islands +Honduras
-Code +Hong Kong
-Colombia +Hungary
-Comoros +Iceland
-Confirm +ID
-Confirm Payment +Increase
-Confirm your :amount payment +India
-Congo +Indonesia
-Congo, Democratic Republic +Iran, Islamic Republic Of
-Congo, the Democratic Republic of the +Iraq
-Constant +Ireland
-Cook Islands +Isle Of Man
-Costa Rica +Israel
-could not be found. +Italy
-Country +Jamaica
-Coupon +January
-Create +Japan
-Create & Add Another +Jersey
-Create :resource +Jordan +
+July +
+June +
+Kazakhstan +
+Kenya +
+Key +
+Kiribati +
+Korea +
+Korea, Democratic People's Republic of +
+Kosovo +
+Kuwait +
+Kyrgyzstan +
+Latvia +
+Lebanon +
+Lens +
+Lesotho +
+Liberia +
+Libyan Arab Jamahiriya +
+Liechtenstein +
+Lithuania +
+Load :perPage More +
+Luxembourg +
+Macao +
+Macedonia +
+Madagascar +
+Malawi +
+Malaysia +
+Maldives +
+Mali +
+Malta +
+March +
+Marshall Islands +
+Martinique +
+Mauritania +
+Mauritius +
+May +
+Mayotte +
+Mexico +
+Micronesia, Federated States Of +
+Moldova +
+Monaco +
+Mongolia +
+Montenegro +
+Month To Date +
+Montserrat +
+Morocco +
+Mozambique
-Create a new team to collaborate with others on projects. +Myanmar
-Create Account +Namibia
-Create API Token +Nauru
-Create New Team +Nepal
-Create Team +Netherlands
-Created. +New
-Croatia +New :resource
-Cuba +New Caledonia
-Curaçao +New Zealand
-Current Password +Next
-Current Subscription Plan +Nicaragua
-Currently Subscribed +Niger
-Customize +Nigeria
-Cyprus +Niue
-Côte d'Ivoire +No
-Dashboard +No :resource matched the given criteria.
-December +No additional information...
-Decrease +No Current Data
-Delete +No Data
-Delete Account +no file selected
-Delete API Token +No Increase
-Delete File +No Prior Data
-Delete Resource +No Results Found.
-Delete Selected +Norfolk Island
-Delete Team +Northern Mariana Islands
-Denmark +Norway
-Detach +Nova User
-Detach Resource +November
-Detach Selected +October
-Details +of
-Disable +Oman
-Djibouti +Only Trashed
-Do you really want to leave? You have unsaved changes. +Original
-Dominica +Pakistan
-Dominican Republic +Palau
-Done. +Palestinian Territory, Occupied
-Download +Panama
-Download Receipt +Papua New Guinea
-Ecuador +Paraguay
-Edit +Per Page
-Edit :resource +Peru
-Edit Attached +Philippines
-Editor +Pitcairn
-Editor users have the ability to read, create, and update. +Poland
-Egypt +Portugal
-El Salvador +Press / to search
-Email +Preview
-Email Address +Previous
-Email Addresses +Puerto Rico
-Email Password Reset Link +Qatar
-Enable +Quarter To Date
-Ensure your account is using a long, random password to stay secure. +Reload
-Equatorial Guinea +Reset Filters
-Eritrea +resource
-Estonia +Resources
-Ethiopia +resources
-ex VAT +Restore
-Extra Billing Information +Restore Resource
-Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below. +Restore Selected
-Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below. +Reunion
-Falkland Islands (Malvinas) +Romania
-Faroe Islands +Run Action
-February +Russian Federation
-Fiji +Rwanda
-Finland +Saint Barthelemy
-For your security, please confirm your password to continue. +Saint Helena
-Force Delete +Saint Kitts And Nevis
-Force Delete Resource +Saint Lucia
-Force Delete Selected +Saint Martin
-Forgot your password? +Saint Pierre And Miquelon
-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. +Saint Vincent And Grenadines
-France +Samoa
-French Guiana +San Marino
-French Polynesia +Sao Tome And Principe
-French Southern Territories +Saudi Arabia
-Full name +Search
-Gabon +Select Action
-Gambia +Select All
-Georgia +Select All Matching
-Germany +Senegal
-Ghana +September
-Gibraltar +Serbia
-Go back +Seychelles
-Go to page :page +Show All Fields
-Great! You have accepted the invitation to join the :team team. +Show Content
-Greece +Sierra Leone
-Greenland +Singapore
-Grenada +Sint Maarten (Dutch part)
-Guadeloupe +Slovakia
-Guam +Slovenia
-Guatemala +Solomon Islands
-Guernsey +Somalia
-Guinea +Something went wrong.
-Guinea-Bissau +Sorry! You are not authorized to perform this action.
-Guyana +Sorry, your session has expired.
-Haiti +South Africa
-Have a coupon code? +South Georgia And Sandwich Isl.
-Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +South Sudan
-Heard Island & Mcdonald Islands +Spain
-Heard Island and McDonald Islands +Sri Lanka
-Hide Content +Start Polling
-Hold Up! +Stop Polling
-Honduras +Sudan
-Hong Kong +Suriname
-Hungary +Svalbard And Jan Mayen
-I agree to the :terms_of_service and :privacy_policy +Sweden
-Iceland +Switzerland
-ID +Syrian Arab Republic
-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. +Taiwan
-If necessary, you may logout 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. +Tajikistan
-If you already have an account, you may accept this invitation by clicking the button below: +Tanzania
-If you did not expect to receive an invitation to this team, you may discard this email. +Thailand
-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: +The :resource was created!
-If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here. +The :resource was deleted!
-Increase +The :resource was restored!
-India +The :resource was updated!
-Indonesia +The action ran successfully!
-Iran, Islamic Republic of +The file was deleted!
-Iran, Islamic Republic Of +The government won't let us show you what's behind these doors
-Iraq +The HasOne relationship has already been filled.
-Ireland +The resource was updated!
-Isle of Man +There are no available options for this resource.
-Isle Of Man +There was a problem executing the action.
-Israel +There was a problem submitting the form.
-It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +This file field is read-only.
-Italy +This image
-Jamaica +This resource no longer exists
-January +Timor-Leste
-Japan +Today
-Jersey +Togo
-Jordan +Tokelau
-July +Tonga
-June +total
-Kazakhstan +Trashed
-Kenya +Trinidad And Tobago
-Key +Tunisia
-Kiribati +Turkey
-Korea +Turkmenistan
-Korea, Democratic People's Republic of +Turks And Caicos Islands
-Korea, Republic of +Tuvalu
-Kosovo +Uganda
-Kuwait +Ukraine
-Kyrgyzstan +United Arab Emirates
-Last active +United Kingdom
-Last used +United States
-Latvia +United States Outlying Islands
-Leave +Update
-Leave Team +Update & Continue Editing
-Lebanon +Update :resource
-Lens +Update :resource: :title
-Lesotho +Update attached :resource: :title
-Liberia +Uruguay
-Libyan Arab Jamahiriya +Uzbekistan
-Liechtenstein +Value
-Lithuania +Vanuatu
-Load :perPage More +Venezuela
-Log in +View
-Log out +Virgin Islands, British
-Log Out +Virgin Islands, U.S.
-Log Out Other Browser Sessions +Wallis And Futuna
-Logout Other Browser Sessions +We're lost in space. The page you were trying to view does not exist.
-Luxembourg +Welcome Back!
-Macao +Western Sahara
-Macedonia +Whoops
-Macedonia, the former Yugoslav Republic of +With Trashed
-Madagascar +Write
-Malawi +Year To Date
-Malaysia +Yemen
-Maldives +Yes
-Mali +Zambia
-Malta +Zimbabwe
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/nn/packages/spark-paddle.json) + +##### Missing: 33 + + + +
-Manage Account +An unexpected error occurred and we have notified our support team. Please try again later.
-Manage and log out your active sessions on other browsers and devices. +Billing Management
-Manage and logout your active sessions on other browsers and devices. +Cancel Subscription
-Manage API Tokens +Change Subscription Plan
-Manage Role +Current Subscription Plan
-Manage Team +Currently Subscribed
-Managing billing for :billableName +Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.
-March +It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.
-Marshall Islands +Managing billing for :billableName
-Martinique +Monthly
-Mauritania +Nevermind, I'll keep my old plan
-Mauritius +Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.
-May +Payment Method
-Mayotte +Receipts
-Mexico +Resume Subscription
-Micronesia, Federated States Of +Return to :appName
-Moldova +Signed in as
-Moldova, Republic of +Subscribe
-Monaco +Subscription Pending
-Mongolia +Terms of Service
-Montenegro +The selected plan is invalid.
-Month To Date +There is no active subscription.
-Monthly +This account does not have an active subscription.
-monthly +This subscription cannot be resumed. Please create a new subscription.
-Montserrat +Update Payment Method
-Morocco +View Receipt
-Mozambique +We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.
-Myanmar +Whoops! Something went wrong.
-Namibia +Yearly
-Nauru +You are already subscribed.
-Nepal +You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.
-Netherlands +Your current payment method is :paypal.
-Netherlands Antilles +Your current payment method is a credit card ending in :lastFour that expires on :expiration.
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/nn/packages/spark-stripe.json) + +##### Missing: 313 + + + +
-Nevermind +:days day trial
-Nevermind, I'll keep my old plan +Add VAT Number
-New +Address
-New :resource +Address Line 2
-New Caledonia +Afghanistan
-New Password +Albania
-New Zealand +Algeria
-Next +American Samoa
-Nicaragua +An unexpected error occurred and we have notified our support team. Please try again later.
-Niger +Andorra
-Nigeria +Angola
-Niue +Anguilla
-No +Antarctica
-No :resource matched the given criteria. +Antigua and Barbuda
-No additional information... +Apply
-No Current Data +Apply Coupon
-No Data +Argentina
-no file selected +Armenia
-No Increase +Aruba
-No Prior Data +Australia
-No Results Found. +Austria
-Norfolk Island +Azerbaijan
-Northern Mariana Islands +Bahamas
-Norway +Bahrain
-Nova User +Bangladesh
-November +Barbados
-October +Belarus
-of +Belgium
-Oman +Belize
-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. +Benin
-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. +Bermuda
-Only Trashed +Bhutan
-Original +Billing Information
-Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +Billing Management
-Pagination Navigation +Bolivia, Plurinational State of
-Pakistan +Bosnia and Herzegovina
-Palau +Botswana
-Palestinian Territory, Occupied +Bouvet Island
-Panama +Brazil
-Papua New Guinea +British Indian Ocean Territory
-Paraguay +Bulgaria
-Pay :amount +Burkina Faso
-Payment Cancelled +Burundi
-Payment Confirmation +Cambodia
-Payment Information +Cameroon
-Payment Successful +Canada
-Pending Team Invitations +Cancel Subscription
-Per Page +Cape Verde
-Permanently delete this team. +Card
-Permanently delete your account. +Cayman Islands
-Permissions +Central African Republic
-Peru +Chad
-Philippines +Change Subscription Plan
-Photo +Chile
-Pitcairn +China
-Please confirm access to your account by entering one of your emergency recovery codes. +Christmas Island
-Please confirm access to your account by entering the authentication code provided by your authenticator application. +City
-Please confirm your password before continuing. +Cocos (Keeling) Islands
-Please copy your new API token. For your security, it won't be shown again. +Colombia
-Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices. +Comoros
-Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices. +Confirm Payment
-Please provide a maximum of three receipt emails addresses. +Confirm your :amount payment
-Please provide the email address of the person you would like to add to this team. +Congo
-Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account. +Congo, the Democratic Republic of the
-Please provide your name. +Cook Islands
-Poland +Costa Rica
-Portugal +Country
-Press / to search +Coupon
-Preview +Croatia
-Previous +Cuba
-Privacy Policy +Current Subscription Plan
-Profile +Currently Subscribed
-Profile Information +Cyprus
-Puerto Rico +Côte d'Ivoire
-Qatar +Denmark
-Quarter To Date +Djibouti
-Receipt Email Addresses +Dominica
-Receipts +Dominican Republic
-Recovery Code +Download Receipt
-Regenerate Recovery Codes +Ecuador
-Reload +Egypt
-Remember me +El Salvador
-Remove +Email Addresses
-Remove Photo +Equatorial Guinea
-Remove Team Member +Eritrea
-Resend Verification Email +Estonia
-Reset Filters +Ethiopia
-resource +ex VAT
-Resources +Extra Billing Information
-resources +Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.
-Restore +Falkland Islands (Malvinas)
-Restore Resource +Faroe Islands
-Restore Selected +Fiji
-results +Finland
-Resume Subscription +France
-Return to :appName +French Guiana
-Reunion +French Polynesia
-Role +French Southern Territories
-Romania +Gabon
-Run Action +Gambia
-Russian Federation +Georgia
-Rwanda +Germany
-Réunion +Ghana
-Saint Barthelemy +Gibraltar
-Saint Barthélemy +Greece
-Saint Helena +Greenland
-Saint Kitts and Nevis +Grenada
-Saint Kitts And Nevis +Guadeloupe
-Saint Lucia +Guam
-Saint Martin +Guatemala
-Saint Martin (French part) +Guernsey
-Saint Pierre and Miquelon +Guinea
-Saint Pierre And Miquelon +Guinea-Bissau
-Saint Vincent And Grenadines +Guyana
-Saint Vincent and the Grenadines +Haiti
-Samoa +Have a coupon code?
-San Marino +Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.
-Sao Tome and Principe +Heard Island and McDonald Islands
-Sao Tome And Principe +Honduras
-Saudi Arabia +Hong Kong
-Save +Hungary
-Saved. +I accept the terms of service
-Search +Iceland
-Select +If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
-Select a different plan +India
-Select A New Photo +Indonesia
-Select Action +Iran, Islamic Republic of
-Select All +Iraq
-Select All Matching +Ireland
-Senegal +Isle of Man
-September +Israel
-Serbia +It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.
-Seychelles +Italy
-Show All Fields +Jamaica
-Show Content +Japan
-Show Recovery Codes +Jersey
-Showing +Jordan
-Sierra Leone +Kazakhstan
-Signed in as +Kenya
-Singapore +Kiribati
-Sint Maarten (Dutch part) +Korea, Democratic People's Republic of
-Slovakia +Korea, Republic of
-Slovenia +Kuwait
-Solomon Islands +Kyrgyzstan
-Somalia +Latvia
-Something went wrong. +Lebanon
-Sorry! You are not authorized to perform this action. +Lesotho
-Sorry, your session has expired. +Liberia
-South Africa +Libyan Arab Jamahiriya
-South Georgia And Sandwich Isl. +Liechtenstein
-South Georgia and the South Sandwich Islands +Lithuania
-South Sudan +Luxembourg
-Spain +Macao
-Sri Lanka +Macedonia, the former Yugoslav Republic of
-Start Polling +Madagascar
-State / County +Malawi
-Stop Polling +Malaysia
-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. +Maldives
-Subscribe +Mali
-Subscription Information +Malta
-Sudan +Managing billing for :billableName
-Suriname +Marshall Islands
-Svalbard And Jan Mayen +Martinique
-Sweden +Mauritania
-Switch Teams +Mauritius
-Switzerland +Mayotte
-Syrian Arab Republic +Mexico
-Taiwan +Micronesia, Federated States of
-Taiwan, Province of China +Moldova, Republic of
-Tajikistan +Monaco
-Tanzania +Mongolia
-Tanzania, United Republic of +Montenegro
-Team Details +Monthly
-Team Invitation +monthly
-Team Members +Montserrat
-Team Name +Morocco
-Team Owner +Mozambique
-Team Settings +Myanmar
-Terms of Service +Namibia
-Thailand +Nauru
-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. +Nepal
-Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns. +Netherlands
-Thanks, +Netherlands Antilles
-The :attribute must be a valid role. +Nevermind, I'll keep my old plan
-The :attribute must be at least :length characters and contain at least one number. +New Caledonia
-The :attribute must be at least :length characters and contain at least one special character and one number. +New Zealand
-The :attribute must be at least :length characters and contain at least one special character. +Nicaragua
-The :attribute must be at least :length characters and contain at least one uppercase character and one number. +Niger
-The :attribute must be at least :length characters and contain at least one uppercase character and one special character. +Nigeria
-The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character. +Niue
-The :attribute must be at least :length characters and contain at least one uppercase character. +Norfolk Island
-The :attribute must be at least :length characters. +Northern Mariana Islands
-The :attribute must contain at least one letter. +Norway
-The :attribute must contain at least one number. +Oman
-The :attribute must contain at least one symbol. +Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.
-The :attribute must contain at least one uppercase and one lowercase letter. +Pakistan
-The :resource was created! +Palau
-The :resource was deleted! +Palestinian Territory, Occupied
-The :resource was restored! +Panama
-The :resource was updated! +Papua New Guinea
-The action ran successfully! +Paraguay
-The file was deleted! +Payment Information
-The given :attribute has appeared in a data leak. Please choose a different :attribute. +Peru
-The government won't let us show you what's behind these doors +Philippines
-The HasOne relationship has already been filled. +Pitcairn
-The payment was successful. +Please accept the terms of service.
-The provided coupon code is invalid. +Please provide a maximum of three receipt emails addresses.
-The provided password does not match your current password. +Poland
-The provided password was incorrect. +Portugal
-The provided two factor authentication code was invalid. +Puerto Rico
-The provided VAT number is invalid. +Qatar
-The receipt emails must be valid email addresses. +Receipt Email Addresses
-The resource was updated! +Receipts
-The selected country is invalid. +Resume Subscription
-The selected plan is invalid. +Return to :appName
-The team's name and owner information. +Romania
-There are no available options for this resource. +Russian Federation
-There was a problem executing the action. +Rwanda
-There was a problem submitting the form. +Réunion
-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. +Saint Barthélemy
-This account does not have an active subscription. +Saint Helena
-This device +Saint Kitts and Nevis
-This file field is read-only. +Saint Lucia
-This image +Saint Martin (French part)
-This is a secure area of the application. Please confirm your password before continuing. +Saint Pierre and Miquelon
-This password does not match our records. +Saint Vincent and the Grenadines
-This payment was already successfully confirmed. +Samoa
-This payment was cancelled. +San Marino
-This resource no longer exists +Sao Tome and Principe
-This subscription has expired and cannot be resumed. Please create a new subscription. +Saudi Arabia
-This user already belongs to the team. +Save
-This user has already been invited to the team. +Select
-Timor-Leste +Select a different plan
-to +Senegal
-Today +Serbia
-Togo +Seychelles
-Tokelau +Sierra Leone
-Token Name +Signed in as
-Tonga +Singapore
-total +Slovakia
-Total: +Slovenia
-Trashed +Solomon Islands
-Trinidad And Tobago +Somalia
-Tunisia +South Africa
-Turkey +South Georgia and the South Sandwich Islands
-Turkmenistan +Spain
-Turks and Caicos Islands +Sri Lanka
-Turks And Caicos Islands +State / County
-Tuvalu +Subscribe
-Two Factor Authentication +Subscription Information
-Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application. +Sudan
-Uganda +Suriname
-Ukraine +Svalbard and Jan Mayen
-United Arab Emirates +Sweden
-United Kingdom +Switzerland
-United States +Syrian Arab Republic
-United States Minor Outlying Islands +Taiwan, Province of China
-United States Outlying Islands +Tajikistan
-Update +Tanzania, United Republic of
-Update & Continue Editing +Terms of Service
-Update :resource +Thailand
-Update :resource: :title +Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.
-Update attached :resource: :title +Thanks,
-Update Password +The provided coupon code is invalid.
-Update Payment Information +The provided VAT number is invalid.
-Update your account's profile information and email address. +The receipt emails must be valid email addresses.
-Uruguay +The selected country is invalid.
-Use a recovery code +The selected plan is invalid.
-Use an authentication code +This account does not have an active subscription.
-Uzbekistan +This subscription has expired and cannot be resumed. Please create a new subscription.
-Value +Timor-Leste
-Vanuatu +Togo
-VAT Number +Tokelau
-Venezuela +Tonga
-Venezuela, Bolivarian Republic of +Total:
-View +Trinidad and Tobago
-Virgin Islands, British +Tunisia
-Virgin Islands, U.S. +Turkey
-Wallis and Futuna +Turkmenistan
-Wallis And Futuna +Turks and Caicos Islands
-We are unable to process your payment. Please contact customer support. +Tuvalu
-We were unable to find a registered user with this email address. +Uganda
-We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas. +Ukraine
-We won't ask for your password again for a few hours. +United Arab Emirates
-We're lost in space. The page you were trying to view does not exist. +United Kingdom
-Welcome Back! +United States
-Western Sahara +United States Minor Outlying Islands
-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. +Update
-Whoops +Update Payment Information
-Whoops! Something went wrong. +Uruguay
-With Trashed +Uzbekistan
-Write +Vanuatu
-Year To Date +VAT Number
-Yearly +Venezuela, Bolivarian Republic of
-Yemen +Virgin Islands, British
-Yes +Virgin Islands, U.S.
-You are currently within your free trial period. Your trial will expire on :date. +Wallis and Futuna
-You are logged in! +We are unable to process your payment. Please contact customer support.
-You have been invited to join the :team team! +We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.
-You have enabled two factor authentication. +Western Sahara
-You have not enabled two factor authentication. +Whoops! Something went wrong.
-You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +Yearly
-You may delete any of your existing tokens if they are no longer needed. +Yemen
-You may not delete your personal team. +You are currently within your free trial period. Your trial will expire on :date.
-You may not leave a team that you created. +You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.
@@ -3393,6 +4581,10 @@ Zimbabwe Zip / Postal Code
+Åland Islands +
diff --git a/docs/statuses/oc.md b/docs/statuses/oc.md index fa0f1c2b981..61360065e1d 100644 --- a/docs/statuses/oc.md +++ b/docs/statuses/oc.md @@ -2,10 +2,10 @@ # oc -##### All missed: 712 +##### All missed: 992 -### passwords +### [passwords](https://github.com/Laravel-Lang/lang/blob/master/locales/oc/passwords.php) ##### Missing: 1 @@ -23,7 +23,7 @@ Please wait before retrying. [ [go back](../status.md) | [to top](#) ] -### validation-inline +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/oc/validation-inline.php) ##### Missing: 5 @@ -69,7 +69,7 @@ This field may not be associated with this resource. [ [go back](../status.md) | [to top](#) ] -### validation +### [validation](https://github.com/Laravel-Lang/lang/blob/master/locales/oc/validation.php) ##### Missing: 5 @@ -115,2782 +115,3968 @@ This :attribute may not be associated with this resource. [ [go back](../status.md) | [to top](#) ] -### json +### [oc](https://github.com/Laravel-Lang/lang/blob/master/locales/oc/oc.json) -##### Missing: 701 +##### Missing: 46 + + + + + + + + + + + + + + + + + + + + + + + + + +
-30 Days +A fresh verification link has been sent to your email address.
-60 Days +Before proceeding, please check your email for a verification link.
-90 Days +click here to request another
-:amount Total +E-Mail Address
-:days day trial +Forbidden
-:resource Details +Go to page :page
-:resource Details: :title +Hello!
-A fresh verification link has been sent to your email address. +If necessary, you may logout 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.
-A new verification link has been sent to the email address you provided during registration. +If you did not create an account, no further action is required.
-Accept Invitation +If you did not receive the email
-Action +If you’re having trouble clicking the ":actionText" button, copy and paste the URL below +into your web browser:
-Action Happened At +Invalid signature.
-Action Initiated By +Log out
-Action Name +Logout Other Browser Sessions
-Action Status +Manage and logout your active sessions on other browsers and devices.
-Action Target +Nevermind
-Actions +Not Found
-Add +Oh no
-Add a new team member to your team, allowing them to collaborate with you. +Page Expired
-Add additional security to your account using two factor authentication. +Pagination Navigation
-Add row +Please click the button below to verify your email address.
-Add Team Member +Please confirm your password before continuing.
-Add VAT Number +Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.
-Added. +Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.
-Address +Regards
-Address Line 2 +results
-Administrator +Server Error
-Administrator users can perform any action. +Service Unavailable
-Afghanistan +Showing
-Aland Islands +The :attribute must contain at least one letter.
-Albania +The :attribute must contain at least one number.
-Algeria +The :attribute must contain at least one symbol.
-All of the people that are part of this team. +The :attribute must contain at least one uppercase and one lowercase letter.
-All resources loaded. +The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+This action is unauthorized. +
+This password reset link will expire in :count minutes. +
+to +
+Toggle navigation +
+Too Many Attempts. +
+Too Many Requests +
+Unauthorized +
+Verify Email Address +
+Verify Your Email Address +
+We won't ask for your password again for a few hours. +
+You are logged in! +
+Your email address is not verified.
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/oc/packages/cashier.json) + +##### Missing: 17 + + + + +
All rights reserved.
-Already registered? +Card
-American Samoa +Confirm Payment
-An error occured while uploading the file. +Confirm your :amount payment
-An unexpected error occurred and we have notified our support team. Please try again later. +Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.
-Andorra +Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.
-Angola +Full name
-Anguilla +Go back
-Another user has updated this resource since this page was loaded. Please refresh the page and try again. +Jane Doe
-Antarctica +Pay :amount
-Antigua and Barbuda +Payment Cancelled
-Antigua And Barbuda +Payment Confirmation
-API Token +Payment Successful
-API Token Permissions +Please provide your name.
-API Tokens +The payment was successful.
-API tokens allow third-party services to authenticate with our application on your behalf. +This payment was already successfully confirmed.
-April +This payment was cancelled. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [fortify](https://github.com/Laravel-Lang/lang/blob/master/locales/oc/packages/fortify.json) + +##### Missing: 11 + + + + + + + + + + + +
+The :attribute must be at least :length characters and contain at least one number.
-Are you sure you want to delete the selected resources? +The :attribute must be at least :length characters and contain at least one special character and one number.
-Are you sure you want to delete this file? +The :attribute must be at least :length characters and contain at least one special character.
-Are you sure you want to delete this resource? +The :attribute must be at least :length characters and contain at least one uppercase character and one number.
-Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted. +The :attribute must be at least :length characters and contain at least one uppercase character and one special character.
-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. +The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.
-Are you sure you want to detach the selected resources? +The :attribute must be at least :length characters and contain at least one uppercase character.
-Are you sure you want to detach this resource? +The :attribute must be at least :length characters. +
+The provided password does not match your current password. +
+The provided password was incorrect. +
+The provided two factor authentication code was invalid. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/oc/packages/jetstream.json) + +##### Missing: 146 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+A new verification link has been sent to the email address you provided during registration. +
+Accept Invitation +
+Add +
+Add a new team member to your team, allowing them to collaborate with you. +
+Add additional security to your account using two factor authentication. +
+Add Team Member +
+Added. +
+Administrator +
+Administrator users can perform any action. +
+All of the people that are part of this team. +
+Already registered? +
+API Token +
+API Token Permissions +
+API Tokens +
+API tokens allow third-party services to authenticate with our application on your behalf. +
+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 delete this API token? +
+Are you sure you would like to leave this team? +
+Are you sure you would like to remove this person from the team? +
+Browser Sessions +
+Cancel +
+Close +
+Code +
+Confirm +
+Confirm Password +
+Create +
+Create a new team to collaborate with others on projects. +
+Create Account +
+Create API Token +
+Create New Team +
+Create Team +
+Created. +
+Current Password +
+Dashboard +
+Delete +
+Delete Account +
+Delete API Token +
+Delete Team +
+Disable +
+Done. +
+Editor +
+Editor users have the ability to read, create, and update. +
+Email +
+Email Password Reset Link +
+Enable +
+Ensure your account is using a long, random password to stay secure. +
+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. +
+Great! You have accepted the invitation to join the :team team. +
+I agree to the :terms_of_service and :privacy_policy +
+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 you already have an account, you may accept this invitation by clicking the button below: +
+If you did not expect to receive an invitation to this team, you may discard this 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: +
+Last active +
+Last used +
+Leave +
+Leave Team +
+Log in +
+Log Out +
+Log Out Other Browser Sessions +
+Manage Account +
+Manage and log out your active sessions on other browsers and devices. +
+Manage API Tokens +
+Manage Role +
+Manage Team +
+Name +
+New Password +
+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 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. +
+Password +
+Pending Team Invitations +
+Permanently delete this team. +
+Permanently delete your account. +
+Permissions +
+Photo +
+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 copy your new API token. For your security, it won't be shown again. +
+Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices. +
+Please provide the email address of the person you would like to add to this team. +
+Privacy Policy +
+Profile +
+Profile Information +
+Recovery Code +
+Regenerate Recovery Codes +
+Register +
+Remember me +
+Remove +
+Remove Photo +
+Remove Team Member +
+Resend Verification Email +
+Reset Password +
+Role +
+Save +
+Saved. +
+Select A New Photo +
+Show Recovery Codes +
+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. +
+Switch Teams +
+Team Details +
+Team Invitation +
+Team Members +
+Team Name +
+Team Owner +
+Team Settings +
+Terms of Service +
+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 a valid role. +
+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. +
+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, 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. +
+The provided password does not match your current password. +
+The provided password was incorrect. +
+The provided two factor authentication code was invalid. +
+The team's name and owner information. +
+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. +
+This device +
+This is a secure area of the application. Please confirm your password before continuing. +
+This password does not match our records. +
+This user already belongs to the team. +
+This user has already been invited to the team. +
+Token Name +
+Two Factor Authentication +
+Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application. +
+Update Password +
+Update your account's profile information and email address. +
+Use a recovery code +
+Use an authentication code +
+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. +
+Whoops! Something went wrong. +
+You have been invited to join the :team team! +
+You have enabled two factor authentication. +
+You have not enabled two factor authentication. +
+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. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/oc/packages/nova.json) + +##### Missing: 415 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+30 Days +
+60 Days +
+90 Days +
+:amount Total +
+:resource Details +
+:resource Details: :title +
+Action +
+Action Happened At +
+Action Initiated By +
+Action Name +
+Action Status +
+Action Target +
+Actions +
+Add row +
+Afghanistan +
+Aland Islands +
+Albania +
+Algeria +
+All resources loaded. +
+American Samoa +
+An error occured while uploading the file. +
+Andorra +
+Angola +
+Anguilla +
+Another user has updated this resource since this page was loaded. Please refresh the page and try again. +
+Antarctica +
+Antigua And Barbuda +
+April +
+Are you sure you want to delete the selected resources? +
+Are you sure you want to delete this file? +
+Are you sure you want to delete this resource? +
+Are you sure you want to detach the selected resources? +
+Are you sure you want to detach this resource? +
+Are you sure you want to force delete the selected resources? +
+Are you sure you want to force delete this resource? +
+Are you sure you want to restore the selected resources? +
+Are you sure you want to restore this resource? +
+Are you sure you want to run this action? +
+Argentina +
+Armenia +
+Aruba +
+Attach +
+Attach & Attach Another +
+Attach :resource +
+August +
+Australia +
+Austria +
+Azerbaijan +
+Bahamas +
+Bahrain +
+Bangladesh +
+Barbados +
+Belarus +
+Belgium +
+Belize +
+Benin +
+Bermuda +
+Bhutan +
+Bolivia +
+Bonaire, Sint Eustatius and Saba +
+Bosnia And Herzegovina +
+Botswana +
+Bouvet Island +
+Brazil +
+British Indian Ocean Territory +
+Bulgaria +
+Burkina Faso +
+Burundi +
+Cambodia +
+Cameroon +
+Canada +
+Cancel +
+Cape Verde +
+Cayman Islands +
+Central African Republic +
+Chad +
+Changes +
+Chile +
+China +
+Choose +
+Choose :field +
+Choose :resource +
+Choose an option +
+Choose date +
+Choose File +
+Choose Type +
+Christmas Island +
+Click to choose +
+Cocos (Keeling) Islands +
+Colombia +
+Comoros +
+Confirm Password +
+Congo +
+Congo, Democratic Republic +
+Constant +
+Cook Islands +
+Costa Rica +
+could not be found. +
+Create +
+Create & Add Another +
+Create :resource +
+Croatia +
+Cuba +
+Curaçao +
+Customize +
+Cyprus +
+Dashboard +
+December +
+Decrease +
+Delete +
+Delete File +
+Delete Resource +
+Delete Selected +
+Denmark +
+Detach +
+Detach Resource +
+Detach Selected +
+Details
-Are you sure you want to force delete the selected resources? +Djibouti
-Are you sure you want to force delete this resource? +Do you really want to leave? You have unsaved changes.
-Are you sure you want to restore the selected resources? +Dominica
-Are you sure you want to restore this resource? +Dominican Republic
-Are you sure you want to run this action? +Download
-Are you sure you would like to delete this API token? +Ecuador
-Are you sure you would like to leave this team? +Edit
-Are you sure you would like to remove this person from the team? +Edit :resource
-Argentina +Edit Attached
-Armenia +Egypt
-Aruba +El Salvador
-Attach +Email Address
-Attach & Attach Another +Equatorial Guinea
-Attach :resource +Eritrea
-August +Estonia
-Australia +Ethiopia
-Austria +Falkland Islands (Malvinas)
-Azerbaijan +Faroe Islands
-Bahamas +February
-Bahrain +Fiji
-Bangladesh +Finland
-Barbados +Force Delete
-Before proceeding, please check your email for a verification link. +Force Delete Resource
-Belarus +Force Delete Selected
-Belgium +Forgot Your Password?
-Belize +Forgot your password?
-Benin +France
-Bermuda +French Guiana
-Bhutan +French Polynesia
-Billing Information +French Southern Territories
-Billing Management +Gabon
-Bolivia +Gambia
-Bolivia, Plurinational State of +Georgia
-Bonaire, Sint Eustatius and Saba +Germany
-Bosnia And Herzegovina +Ghana
-Bosnia and Herzegovina +Gibraltar
-Botswana +Go Home
-Bouvet Island +Greece
-Brazil +Greenland
-British Indian Ocean Territory +Grenada
-Browser Sessions +Guadeloupe
-Bulgaria +Guam
-Burkina Faso +Guatemala
-Burundi +Guernsey
-Cambodia +Guinea
-Cameroon +Guinea-Bissau
-Canada +Guyana
-Cancel +Haiti
-Cancel Subscription +Heard Island & Mcdonald Islands
-Cape Verde +Hide Content
-Card +Hold Up!
-Cayman Islands +Honduras
-Central African Republic +Hong Kong
-Chad +Hungary
-Change Subscription Plan +Iceland
-Changes +ID
-Chile +If you did not request a password reset, no further action is required.
-China +Increase
-Choose +India
-Choose :field +Indonesia
-Choose :resource +Iran, Islamic Republic Of
-Choose an option +Iraq
-Choose date +Ireland
-Choose File +Isle Of Man
-Choose Type +Israel
-Christmas Island +Italy
-City +Jamaica
-click here to request another +January
-Click to choose +Japan
-Close +Jersey
-Cocos (Keeling) Islands +Jordan
-Code +July
-Colombia +June
-Comoros +Kazakhstan
-Confirm +Kenya
-Confirm Password +Key
-Confirm Payment +Kiribati
-Confirm your :amount payment +Korea
-Congo +Korea, Democratic People's Republic of
-Congo, Democratic Republic +Kosovo
-Congo, the Democratic Republic of the +Kuwait
-Constant +Kyrgyzstan
-Cook Islands +Latvia
-Costa Rica +Lebanon
-could not be found. +Lens
-Country +Lesotho
-Coupon +Liberia
-Create +Libyan Arab Jamahiriya
-Create & Add Another +Liechtenstein
-Create :resource +Lithuania
-Create a new team to collaborate with others on projects. +Load :perPage More
-Create Account +Login
-Create API Token +Logout
-Create New Team +Luxembourg
-Create Team +Macao
-Created. +Macedonia
-Croatia +Madagascar
-Cuba +Malawi
-Curaçao +Malaysia
-Current Password +Maldives
-Current Subscription Plan +Mali
-Currently Subscribed +Malta
-Customize +March
-Cyprus +Marshall Islands
-Côte d'Ivoire +Martinique
-Dashboard +Mauritania
-December +Mauritius
-Decrease +May
-Delete +Mayotte
-Delete Account +Mexico
-Delete API Token +Micronesia, Federated States Of
-Delete File +Moldova
-Delete Resource +Monaco
-Delete Selected +Mongolia
-Delete Team +Montenegro
-Denmark +Month To Date
-Detach +Montserrat
-Detach Resource +Morocco
-Detach Selected +Mozambique
-Details +Myanmar
-Disable +Namibia
-Djibouti +Nauru
-Do you really want to leave? You have unsaved changes. +Nepal
-Dominica +Netherlands
-Dominican Republic +New
-Done. +New :resource
-Download +New Caledonia
-Download Receipt +New Zealand
-E-Mail Address +Next
-Ecuador +Nicaragua
-Edit +Niger
-Edit :resource +Nigeria
-Edit Attached +Niue
-Editor +No
-Editor users have the ability to read, create, and update. +No :resource matched the given criteria.
-Egypt +No additional information...
-El Salvador +No Current Data
-Email +No Data
-Email Address +no file selected
-Email Addresses +No Increase
-Email Password Reset Link +No Prior Data
-Enable +No Results Found.
-Ensure your account is using a long, random password to stay secure. +Norfolk Island
-Equatorial Guinea +Northern Mariana Islands
-Eritrea +Norway
-Estonia +Nova User
-Ethiopia +November
-ex VAT +October
-Extra Billing Information +of
-Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below. +Oman
-Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below. +Only Trashed
-Falkland Islands (Malvinas) +Original
-Faroe Islands +Pakistan
-February +Palau
-Fiji +Palestinian Territory, Occupied
-Finland +Panama
-For your security, please confirm your password to continue. +Papua New Guinea
-Forbidden +Paraguay
-Force Delete +Password
-Force Delete Resource +Per Page
-Force Delete Selected +Peru
-Forgot Your Password? +Philippines
-Forgot your password? +Pitcairn
-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. +Poland
-France +Portugal
-French Guiana +Press / to search
-French Polynesia +Preview
-French Southern Territories +Previous
-Full name +Puerto Rico
-Gabon +Qatar
-Gambia +Quarter To Date
-Georgia +Reload
-Germany +Remember Me
-Ghana +Reset Filters
-Gibraltar +Reset Password
-Go back +Reset Password Notification
-Go Home +resource
-Go to page :page +Resources
-Great! You have accepted the invitation to join the :team team. +resources
-Greece +Restore
-Greenland +Restore Resource
-Grenada +Restore Selected
-Guadeloupe +Reunion
-Guam +Romania
-Guatemala +Run Action
-Guernsey +Russian Federation
-Guinea +Rwanda
-Guinea-Bissau +Saint Barthelemy
-Guyana +Saint Helena
-Haiti +Saint Kitts And Nevis
-Have a coupon code? +Saint Lucia
-Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +Saint Martin
-Heard Island & Mcdonald Islands +Saint Pierre And Miquelon
-Heard Island and McDonald Islands +Saint Vincent And Grenadines
-Hello! +Samoa
-Hide Content +San Marino
-Hold Up! +Sao Tome And Principe
-Honduras +Saudi Arabia
-Hong Kong +Search
-Hungary +Select Action
-I agree to the :terms_of_service and :privacy_policy +Select All
-Iceland +Select All Matching
-ID +Send Password Reset Link
-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. +Senegal
-If necessary, you may logout 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. +September
-If you already have an account, you may accept this invitation by clicking the button below: +Serbia
-If you did not create an account, no further action is required. +Seychelles
-If you did not expect to receive an invitation to this team, you may discard this email. +Show All Fields
-If you did not receive the email +Show Content
-If you did not request a password reset, no further action is required. +Sierra Leone
-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: +Singapore
-If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here. +Sint Maarten (Dutch part)
-If you’re having trouble clicking the ":actionText" button, copy and paste the URL below -into your web browser: +Slovakia
-Increase +Slovenia
-India +Solomon Islands
-Indonesia +Somalia
-Invalid signature. +Something went wrong.
-Iran, Islamic Republic of +Sorry! You are not authorized to perform this action.
-Iran, Islamic Republic Of +Sorry, your session has expired.
-Iraq +South Africa
-Ireland +South Georgia And Sandwich Isl.
-Isle of Man +South Sudan
-Isle Of Man +Spain
-Israel +Sri Lanka
-It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +Start Polling
-Italy +Stop Polling
-Jamaica +Sudan
-January +Suriname
-Japan +Svalbard And Jan Mayen
-Jersey +Sweden
-Jordan +Switzerland
-July +Syrian Arab Republic
-June +Taiwan
-Kazakhstan +Tajikistan
-Kenya +Tanzania
-Key +Thailand
-Kiribati +The :resource was created!
-Korea +The :resource was deleted!
-Korea, Democratic People's Republic of +The :resource was restored!
-Korea, Republic of +The :resource was updated!
-Kosovo +The action ran successfully!
-Kuwait +The file was deleted!
-Kyrgyzstan +The government won't let us show you what's behind these doors
-Last active +The HasOne relationship has already been filled.
-Last used +The resource was updated!
-Latvia +There are no available options for this resource.
-Leave +There was a problem executing the action.
-Leave Team +There was a problem submitting the form.
-Lebanon +This file field is read-only.
-Lens +This image
-Lesotho +This resource no longer exists
-Liberia +Timor-Leste
-Libyan Arab Jamahiriya +Today
-Liechtenstein +Togo
-Lithuania +Tokelau
-Load :perPage More +Tonga
-Log in +total
-Log out +Trashed
-Log Out +Trinidad And Tobago
-Log Out Other Browser Sessions +Tunisia
-Login +Turkey
-Logout +Turkmenistan
-Logout Other Browser Sessions +Turks And Caicos Islands
-Luxembourg +Tuvalu
-Macao +Uganda
-Macedonia +Ukraine
-Macedonia, the former Yugoslav Republic of +United Arab Emirates
-Madagascar +United Kingdom
-Malawi +United States
-Malaysia +United States Outlying Islands
-Maldives +Update
-Mali +Update & Continue Editing
-Malta +Update :resource
-Manage Account +Update :resource: :title
-Manage and log out your active sessions on other browsers and devices. +Update attached :resource: :title
-Manage and logout your active sessions on other browsers and devices. +Uruguay
-Manage API Tokens +Uzbekistan
-Manage Role +Value
-Manage Team +Vanuatu
-Managing billing for :billableName +Venezuela
-March +View
-Marshall Islands +Virgin Islands, British
-Martinique +Virgin Islands, U.S.
-Mauritania +Wallis And Futuna
-Mauritius +We're lost in space. The page you were trying to view does not exist.
-May +Welcome Back!
-Mayotte +Western Sahara
-Mexico +Whoops
-Micronesia, Federated States Of +Whoops!
-Moldova +With Trashed
-Moldova, Republic of +Write
-Monaco +Year To Date
-Mongolia +Yemen
-Montenegro +Yes
-Month To Date +You are receiving this email because we received a password reset request for your account.
-Monthly +Zambia
-monthly +Zimbabwe
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/oc/packages/spark-paddle.json) + +##### Missing: 33 + + + +
-Montserrat +An unexpected error occurred and we have notified our support team. Please try again later.
-Morocco +Billing Management
-Mozambique +Cancel Subscription
-Myanmar +Change Subscription Plan
-Name +Current Subscription Plan
-Namibia +Currently Subscribed
-Nauru +Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.
-Nepal +It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.
-Netherlands +Managing billing for :billableName
-Netherlands Antilles +Monthly
-Nevermind +Nevermind, I'll keep my old plan
-Nevermind, I'll keep my old plan +Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.
-New +Payment Method
-New :resource +Receipts
-New Caledonia +Resume Subscription
-New Password +Return to :appName
-New Zealand +Signed in as
-Next +Subscribe
-Nicaragua +Subscription Pending
-Niger +Terms of Service
-Nigeria +The selected plan is invalid.
-Niue +There is no active subscription.
-No +This account does not have an active subscription.
-No :resource matched the given criteria. +This subscription cannot be resumed. Please create a new subscription.
-No additional information... +Update Payment Method
-No Current Data +View Receipt
-No Data +We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.
-no file selected +Whoops! Something went wrong.
-No Increase +Yearly
-No Prior Data +You are already subscribed.
-No Results Found. +You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.
-Norfolk Island +Your current payment method is :paypal.
-Northern Mariana Islands +Your current payment method is a credit card ending in :lastFour that expires on :expiration.
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/oc/packages/spark-stripe.json) + +##### Missing: 313 + + - - @@ -2925,6 +4107,10 @@ Zimbabwe Zip / Postal Code + +
-Norway +:days day trial
-Not Found +Add VAT Number
-Nova User +Address
-November +Address Line 2
-October +Afghanistan
-of +Albania
-Oh no +Algeria
-Oman +American Samoa
-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. +An unexpected error occurred and we have notified our support team. Please try again later.
-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. +Andorra
-Only Trashed +Angola
-Original +Anguilla
-Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +Antarctica
-Page Expired +Antigua and Barbuda
-Pagination Navigation +Apply
-Pakistan +Apply Coupon
-Palau +Argentina
-Palestinian Territory, Occupied +Armenia
-Panama +Aruba
-Papua New Guinea +Australia
-Paraguay +Austria
-Password +Azerbaijan
-Pay :amount +Bahamas
-Payment Cancelled +Bahrain
-Payment Confirmation +Bangladesh
-Payment Information +Barbados
-Payment Successful +Belarus
-Pending Team Invitations +Belgium
-Per Page +Belize
-Permanently delete this team. +Benin
-Permanently delete your account. +Bermuda
-Permissions +Bhutan
-Peru +Billing Information
-Philippines +Billing Management
-Photo +Bolivia, Plurinational State of
-Pitcairn +Bosnia and Herzegovina
-Please click the button below to verify your email address. +Botswana
-Please confirm access to your account by entering one of your emergency recovery codes. +Bouvet Island
-Please confirm access to your account by entering the authentication code provided by your authenticator application. +Brazil
-Please confirm your password before continuing. +British Indian Ocean Territory
-Please copy your new API token. For your security, it won't be shown again. +Bulgaria
-Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices. +Burkina Faso
-Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices. +Burundi
-Please provide a maximum of three receipt emails addresses. +Cambodia
-Please provide the email address of the person you would like to add to this team. +Cameroon
-Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account. +Canada
-Please provide your name. +Cancel Subscription
-Poland +Cape Verde
-Portugal +Card
-Press / to search +Cayman Islands
-Preview +Central African Republic
-Previous +Chad
-Privacy Policy +Change Subscription Plan
-Profile +Chile
-Profile Information +China
-Puerto Rico +Christmas Island
-Qatar +City
-Quarter To Date +Cocos (Keeling) Islands
-Receipt Email Addresses +Colombia
-Receipts +Comoros
-Recovery Code +Confirm Payment
-Regards +Confirm your :amount payment
-Regenerate Recovery Codes +Congo
-Register +Congo, the Democratic Republic of the
-Reload +Cook Islands
-Remember me +Costa Rica
-Remember Me +Country
-Remove +Coupon
-Remove Photo +Croatia
-Remove Team Member +Cuba
-Resend Verification Email +Current Subscription Plan
-Reset Filters +Currently Subscribed
-Reset Password +Cyprus
-Reset Password Notification +Côte d'Ivoire
-resource +Denmark
-Resources +Djibouti
-resources +Dominica
-Restore +Dominican Republic
-Restore Resource +Download Receipt
-Restore Selected +Ecuador
-results +Egypt
-Resume Subscription +El Salvador
-Return to :appName +Email Addresses
-Reunion +Equatorial Guinea
-Role +Eritrea
-Romania +Estonia
-Run Action +Ethiopia
-Russian Federation +ex VAT
-Rwanda +Extra Billing Information
-Réunion +Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.
-Saint Barthelemy +Falkland Islands (Malvinas)
-Saint Barthélemy +Faroe Islands
-Saint Helena +Fiji
-Saint Kitts and Nevis +Finland
-Saint Kitts And Nevis +France
-Saint Lucia +French Guiana
-Saint Martin +French Polynesia
-Saint Martin (French part) +French Southern Territories
-Saint Pierre and Miquelon +Gabon
-Saint Pierre And Miquelon +Gambia
-Saint Vincent And Grenadines +Georgia
-Saint Vincent and the Grenadines +Germany
-Samoa +Ghana
-San Marino +Gibraltar
-Sao Tome and Principe +Greece
-Sao Tome And Principe +Greenland
-Saudi Arabia +Grenada
-Save +Guadeloupe
-Saved. +Guam
-Search +Guatemala
-Select +Guernsey
-Select a different plan +Guinea
-Select A New Photo +Guinea-Bissau
-Select Action +Guyana
-Select All +Haiti
-Select All Matching +Have a coupon code?
-Send Password Reset Link +Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.
-Senegal +Heard Island and McDonald Islands
-September +Honduras
-Serbia +Hong Kong
-Server Error +Hungary
-Service Unavailable +I accept the terms of service
-Seychelles +Iceland
-Show All Fields +If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
-Show Content +India
-Show Recovery Codes +Indonesia
-Showing +Iran, Islamic Republic of
-Sierra Leone +Iraq
-Signed in as +Ireland
-Singapore +Isle of Man
-Sint Maarten (Dutch part) +Israel
-Slovakia +It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.
-Slovenia +Italy
-Solomon Islands +Jamaica
-Somalia +Japan
-Something went wrong. +Jersey
-Sorry! You are not authorized to perform this action. +Jordan
-Sorry, your session has expired. +Kazakhstan
-South Africa +Kenya
-South Georgia And Sandwich Isl. +Kiribati
-South Georgia and the South Sandwich Islands +Korea, Democratic People's Republic of
-South Sudan +Korea, Republic of
-Spain +Kuwait
-Sri Lanka +Kyrgyzstan
-Start Polling +Latvia
-State / County +Lebanon
-Stop Polling +Lesotho
-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. +Liberia
-Subscribe +Libyan Arab Jamahiriya
-Subscription Information +Liechtenstein
-Sudan +Lithuania
-Suriname +Luxembourg
-Svalbard And Jan Mayen +Macao
-Sweden +Macedonia, the former Yugoslav Republic of
-Switch Teams +Madagascar
-Switzerland +Malawi
-Syrian Arab Republic +Malaysia
-Taiwan +Maldives
-Taiwan, Province of China +Mali
-Tajikistan +Malta
-Tanzania +Managing billing for :billableName
-Tanzania, United Republic of +Marshall Islands
-Team Details +Martinique
-Team Invitation +Mauritania
-Team Members +Mauritius
-Team Name +Mayotte
-Team Owner +Mexico
-Team Settings +Micronesia, Federated States of
-Terms of Service +Moldova, Republic of
-Thailand +Monaco
-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. +Mongolia
-Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns. +Montenegro
-Thanks, +Monthly
-The :attribute must be a valid role. +monthly
-The :attribute must be at least :length characters and contain at least one number. +Montserrat
-The :attribute must be at least :length characters and contain at least one special character and one number. +Morocco
-The :attribute must be at least :length characters and contain at least one special character. +Mozambique
-The :attribute must be at least :length characters and contain at least one uppercase character and one number. +Myanmar
-The :attribute must be at least :length characters and contain at least one uppercase character and one special character. +Namibia
-The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character. +Nauru
-The :attribute must be at least :length characters and contain at least one uppercase character. +Nepal
-The :attribute must be at least :length characters. +Netherlands
-The :attribute must contain at least one letter. +Netherlands Antilles
-The :attribute must contain at least one number. +Nevermind, I'll keep my old plan
-The :attribute must contain at least one symbol. +New Caledonia
-The :attribute must contain at least one uppercase and one lowercase letter. +New Zealand
-The :resource was created! +Nicaragua
-The :resource was deleted! +Niger
-The :resource was restored! +Nigeria
-The :resource was updated! +Niue
-The action ran successfully! +Norfolk Island
-The file was deleted! +Northern Mariana Islands
-The given :attribute has appeared in a data leak. Please choose a different :attribute. +Norway
-The government won't let us show you what's behind these doors +Oman
-The HasOne relationship has already been filled. +Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.
-The payment was successful. +Pakistan
-The provided coupon code is invalid. +Palau
-The provided password does not match your current password. +Palestinian Territory, Occupied
-The provided password was incorrect. +Panama
-The provided two factor authentication code was invalid. +Papua New Guinea
-The provided VAT number is invalid. +Paraguay
-The receipt emails must be valid email addresses. +Payment Information
-The resource was updated! +Peru
-The selected country is invalid. +Philippines
-The selected plan is invalid. +Pitcairn
-The team's name and owner information. +Please accept the terms of service.
-There are no available options for this resource. +Please provide a maximum of three receipt emails addresses.
-There was a problem executing the action. +Poland
-There was a problem submitting the form. +Portugal
-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. +Puerto Rico
-This account does not have an active subscription. +Qatar
-This action is unauthorized. +Receipt Email Addresses
-This device +Receipts
-This file field is read-only. +Resume Subscription
-This image +Return to :appName
-This is a secure area of the application. Please confirm your password before continuing. +Romania
-This password does not match our records. +Russian Federation
-This password reset link will expire in :count minutes. +Rwanda
-This payment was already successfully confirmed. +Réunion
-This payment was cancelled. +Saint Barthélemy
-This resource no longer exists +Saint Helena
-This subscription has expired and cannot be resumed. Please create a new subscription. +Saint Kitts and Nevis
-This user already belongs to the team. +Saint Lucia
-This user has already been invited to the team. +Saint Martin (French part)
-Timor-Leste +Saint Pierre and Miquelon
-to +Saint Vincent and the Grenadines
-Today +Samoa
-Toggle navigation +San Marino
-Togo +Sao Tome and Principe
-Tokelau +Saudi Arabia
-Token Name +Save
-Tonga +Select
-Too Many Attempts. +Select a different plan
-Too Many Requests +Senegal
-total +Serbia
-Total: +Seychelles
-Trashed +Sierra Leone
-Trinidad And Tobago +Signed in as
-Tunisia +Singapore
-Turkey +Slovakia
-Turkmenistan +Slovenia
-Turks and Caicos Islands +Solomon Islands
-Turks And Caicos Islands +Somalia
-Tuvalu +South Africa
-Two Factor Authentication +South Georgia and the South Sandwich Islands
-Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application. +Spain
-Uganda +Sri Lanka
-Ukraine +State / County
-Unauthorized +Subscribe
-United Arab Emirates +Subscription Information
-United Kingdom +Sudan
-United States +Suriname
-United States Minor Outlying Islands +Svalbard and Jan Mayen
-United States Outlying Islands +Sweden
-Update +Switzerland
-Update & Continue Editing +Syrian Arab Republic
-Update :resource +Taiwan, Province of China
-Update :resource: :title +Tajikistan
-Update attached :resource: :title +Tanzania, United Republic of
-Update Password +Terms of Service
-Update Payment Information +Thailand
-Update your account's profile information and email address. +Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.
-Uruguay +Thanks,
-Use a recovery code +The provided coupon code is invalid.
-Use an authentication code +The provided VAT number is invalid.
-Uzbekistan +The receipt emails must be valid email addresses.
-Value +The selected country is invalid.
-Vanuatu +The selected plan is invalid.
-VAT Number +This account does not have an active subscription.
-Venezuela +This subscription has expired and cannot be resumed. Please create a new subscription.
-Venezuela, Bolivarian Republic of +Timor-Leste
-Verify Email Address +Togo
-Verify Your Email Address +Tokelau
-View +Tonga
-Virgin Islands, British +Total:
-Virgin Islands, U.S. +Trinidad and Tobago
-Wallis and Futuna +Tunisia
-Wallis And Futuna +Turkey
-We are unable to process your payment. Please contact customer support. +Turkmenistan
-We were unable to find a registered user with this email address. +Turks and Caicos Islands
-We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas. +Tuvalu
-We won't ask for your password again for a few hours. +Uganda
-We're lost in space. The page you were trying to view does not exist. +Ukraine
-Welcome Back! +United Arab Emirates
-Western Sahara +United Kingdom
-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. +United States
-Whoops +United States Minor Outlying Islands
-Whoops! +Update
-Whoops! Something went wrong. +Update Payment Information
-With Trashed +Uruguay
-Write +Uzbekistan
-Year To Date +Vanuatu
-Yearly +VAT Number
-Yemen +Venezuela, Bolivarian Republic of
-Yes +Virgin Islands, British
-You are currently within your free trial period. Your trial will expire on :date. +Virgin Islands, U.S.
-You are logged in! +Wallis and Futuna
-You are receiving this email because we received a password reset request for your account. +We are unable to process your payment. Please contact customer support.
-You have been invited to join the :team team! +We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.
-You have enabled two factor authentication. +Western Sahara
-You have not enabled two factor authentication. +Whoops! Something went wrong.
-You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +Yearly
-You may delete any of your existing tokens if they are no longer needed. +Yemen
-You may not delete your personal team. +You are currently within your free trial period. Your trial will expire on :date.
-You may not leave a team that you created. +You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.
@@ -2906,10 +4092,6 @@ Your current payment method is a credit card ending in :lastFour that expires on
-Your email address is not verified. -
Your registered VAT Number is :vatNumber.
+Åland Islands +
diff --git a/docs/statuses/pl.md b/docs/statuses/pl.md index 23fdcfc0daf..695bc2859bf 100644 --- a/docs/statuses/pl.md +++ b/docs/statuses/pl.md @@ -2,20 +2,559 @@ # pl -##### All missed: 176 +##### All missed: 286 -### json +### [pl](https://github.com/Laravel-Lang/lang/blob/master/locales/pl/pl.json) -##### Missing: 176 +##### Missing: 5 + + + + + + + + + + +
-:days day trial +The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/pl/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/pl/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/pl/packages/nova.json) + +##### Missing: 84 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+Action Status +
+Albania +
+Angola +
+Anguilla +
+Armenia +
+Aruba +
+Australia +
+Austria +
+Barbados +
+Belize +
+Benin +
+Bhutan +
+Botswana +
+Bouvet Island +
+Burkina Faso +
+Burundi +
+Chile +
+Curaçao +
+Detach +
+Estonia +
+Gabon +
+Gambia +
+Ghana +
+Gibraltar +
+Grenada +
+Guam +
+Guernsey +
+Haiti +
+Honduras +
+ID +
+Iran, Islamic Republic Of +
+Jersey +
+Kiribati +
+Lesotho +
+Liberia +
+Liechtenstein +
+Luxembourg +
+Malawi +
+Malta +
+Mauritius +
+Mongolia +
+Montserrat +
+Namibia +
+Nauru +
+Nepal +
+New :resource +
+Niger +
+Nigeria +
+Niue +
+Nova User +
+Oman +
+Pakistan +
+Palau +
+Panama +
+Peru +
+Qatar +
+Quarter To Date +
+Run Action +
+Rwanda +
+Saint Lucia +
+Saint Martin +
+Samoa +
+San Marino +
+Senegal +
+Serbia +
+Sierra Leone +
+Somalia +
+Sri Lanka +
+Sudan +
+Syrian Arab Republic +
+Tanzania +
+Togo +
+Tokelau +
+Trashed +
+Turkmenistan
-Action Status +Tuvalu +
+Uganda +
+Update :resource +
+Update :resource: :title +
+Uzbekistan +
+Vanuatu +
+Whoops +
+Zambia +
+Zimbabwe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/pl/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/pl/packages/spark-stripe.json) + +##### Missing: 164 + + + + + + + @@ -143,10 +690,6 @@ Coupon - - @@ -159,10 +702,6 @@ Côte d'Ivoire - - @@ -231,7 +770,7 @@ Honduras - - @@ -303,6 +838,10 @@ Mauritius + + @@ -343,10 +882,6 @@ Nevermind, I'll keep my old plan - - @@ -359,10 +894,6 @@ Niue - - @@ -391,15 +922,15 @@ Peru - - @@ -443,10 +970,6 @@ Saint Lucia - - @@ -523,15 +1046,15 @@ Sudan - - - - - - - - - - @@ -607,7 +1110,7 @@ Total: - - - - @@ -671,10 +1166,6 @@ We will send a receipt download link to the email addresses that you specify bel - - @@ -714,6 +1205,10 @@ Zimbabwe Zip / Postal Code + +
+:days day trial
@@ -51,6 +590,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Armenia
-Curaçao -
Current Subscription Plan
-Detach -
Download Receipt
-ID +I accept the terms of service
@@ -243,10 +782,6 @@ Iran, Islamic Republic of
-Iran, Islamic Republic Of -
Isle of Man
+Micronesia, Federated States of +
Moldova, Republic of
-New :resource -
Niger
-Nova User -
Oman
-Please provide a maximum of three receipt emails addresses. +Please accept the terms of service.
-Qatar +Please provide a maximum of three receipt emails addresses.
-Quarter To Date +Qatar
@@ -419,10 +950,6 @@ Return to :appName
-Run Action -
Rwanda
-Saint Martin -
Saint Martin (French part)
-Syrian Arab Republic +Svalbard and Jan Mayen
-Taiwan, Province of China +Syrian Arab Republic
-Tanzania +Taiwan, Province of China
@@ -547,26 +1070,6 @@ Thanks,
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
-Trashed +Trinidad and Tobago
@@ -631,14 +1134,6 @@ United States Minor Outlying Islands
-Update :resource -
-Update :resource: :title -
Update Payment Information
-Whoops -
Yearly
+Åland Islands +
diff --git a/docs/statuses/ps.md b/docs/statuses/ps.md index ba349e67359..3315425390e 100644 --- a/docs/statuses/ps.md +++ b/docs/statuses/ps.md @@ -2,10 +2,28 @@ # ps -##### All missed: 769 +##### All missed: 1047 -### passwords +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/ps/auth.php) + +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [passwords](https://github.com/Laravel-Lang/lang/blob/master/locales/ps/passwords.php) ##### Missing: 1 @@ -23,7 +41,7 @@ Please wait before retrying. [ [go back](../status.md) | [to top](#) ] -### validation-inline +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/ps/validation-inline.php) ##### Missing: 94 @@ -692,7 +710,7 @@ This must be a valid UUID. [ [go back](../status.md) | [to top](#) ] -### validation +### [validation](https://github.com/Laravel-Lang/lang/blob/master/locales/ps/validation.php) ##### Missing: 8 @@ -759,437 +777,1129 @@ This :attribute may not be associated with this resource. [ [go back](../status.md) | [to top](#) ] -### json +### [ps](https://github.com/Laravel-Lang/lang/blob/master/locales/ps/ps.json) -##### Missing: 666 +##### Missing: 27 + +
-30 Days +Go to page :page
-60 Days +If necessary, you may logout 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.
-90 Days +Invalid signature.
-:amount Total +Log out
-:days day trial +Logout Other Browser Sessions
-:resource Details +Manage and logout your active sessions on other browsers and devices.
-:resource Details: :title +Nevermind
-A new verification link has been sent to the email address you provided during registration. +Not Found
-Accept Invitation +Pagination Navigation
-Action +Please confirm your password before continuing.
-Action Happened At +Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.
-Action Initiated By +Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.
-Action Name +results
-Action Status +Server Error
-Action Target +Showing
-Actions +The :attribute must contain at least one letter.
-Add +The :attribute must contain at least one number.
-Add a new team member to your team, allowing them to collaborate with you. +The :attribute must contain at least one symbol.
-Add additional security to your account using two factor authentication. +The :attribute must contain at least one uppercase and one lowercase letter.
-Add row +The given :attribute has appeared in a data leak. Please choose a different :attribute.
-Add Team Member +This action is unauthorized.
-Add VAT Number +This password reset link will expire in :count minutes.
-Added. +to
-Address +Too Many Attempts.
-Address Line 2 +We won't ask for your password again for a few hours.
-Administrator +You are logged in!
-Administrator users can perform any action. +Your email address is not verified.
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/ps/packages/cashier.json) + +##### Missing: 16 + + + +
-Afghanistan +Card
-Aland Islands +Confirm Payment
-Albania +Confirm your :amount payment
-Algeria +Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.
-All of the people that are part of this team. +Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.
-All resources loaded. +Full name
-Already registered? +Go back
-American Samoa +Jane Doe
-An error occured while uploading the file. +Pay :amount
-An unexpected error occurred and we have notified our support team. Please try again later. +Payment Cancelled
-Andorra +Payment Confirmation
-Angola +Payment Successful
-Anguilla +Please provide your name.
-Another user has updated this resource since this page was loaded. Please refresh the page and try again. +The payment was successful.
-Antarctica +This payment was already successfully confirmed.
-Antigua and Barbuda +This payment was cancelled.
+ + +[ [go back](../status.md) | [to top](#) ] + +### [fortify](https://github.com/Laravel-Lang/lang/blob/master/locales/ps/packages/fortify.json) + +##### Missing: 11 + + + +
-Antigua And Barbuda +The :attribute must be at least :length characters and contain at least one number.
-API Token +The :attribute must be at least :length characters and contain at least one special character and one number.
-API Token Permissions +The :attribute must be at least :length characters and contain at least one special character.
-API Tokens +The :attribute must be at least :length characters and contain at least one uppercase character and one number.
-API tokens allow third-party services to authenticate with our application on your behalf. +The :attribute must be at least :length characters and contain at least one uppercase character and one special character.
-April +The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.
-Are you sure you want to delete the selected resources? +The :attribute must be at least :length characters and contain at least one uppercase character.
-Are you sure you want to delete this file? +The :attribute must be at least :length characters.
-Are you sure you want to delete this resource? +The provided password does not match your current password.
-Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted. +The provided password was incorrect.
-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. +The provided two factor authentication code was invalid.
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/ps/packages/jetstream.json) + +##### Missing: 141 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
-Are you sure you want to detach the selected resources? +A new verification link has been sent to the email address you provided during registration.
-Are you sure you want to detach this resource? +Accept Invitation
-Are you sure you want to force delete the selected resources? +Add
-Are you sure you want to force delete this resource? +Add a new team member to your team, allowing them to collaborate with you.
-Are you sure you want to restore the selected resources? +Add additional security to your account using two factor authentication.
-Are you sure you want to restore this resource? +Add Team Member
-Are you sure you want to run this action? +Added.
-Are you sure you would like to delete this API token? +Administrator
-Are you sure you would like to leave this team? +Administrator users can perform any action.
-Are you sure you would like to remove this person from the team? +All of the people that are part of this team.
-Argentina +Already registered?
-Armenia +API Token
-Aruba +API Token Permissions
-Attach +API Tokens
-Attach & Attach Another +API tokens allow third-party services to authenticate with our application on your behalf.
-Attach :resource +Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.
-August +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.
-Australia +Are you sure you would like to delete this API token?
-Austria +Are you sure you would like to leave this team?
-Azerbaijan +Are you sure you would like to remove this person from the team?
-Bahamas +Browser Sessions
-Bahrain +Cancel
-Bangladesh +Close
-Barbados +Code
-Belarus +Confirm
-Belgium +Create
-Belize +Create a new team to collaborate with others on projects.
-Benin +Create Account
-Bermuda +Create API Token
-Bhutan +Create New Team
-Billing Information +Create Team
-Billing Management +Created.
-Bolivia +Current Password
-Bolivia, Plurinational State of +Dashboard
-Bonaire, Sint Eustatius and Saba +Delete
-Bosnia And Herzegovina +Delete Account
-Bosnia and Herzegovina +Delete API Token
-Botswana +Delete Team
-Bouvet Island +Disable
-Brazil +Done.
-British Indian Ocean Territory +Editor
-Browser Sessions +Editor users have the ability to read, create, and update.
-Bulgaria +Email
-Burkina Faso +Email Password Reset Link
-Burundi +Enable
-Cambodia +Ensure your account is using a long, random password to stay secure.
-Cameroon +For your security, please confirm your password to continue.
-Canada +Forgot your password?
-Cancel +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.
-Cancel Subscription +Great! You have accepted the invitation to join the :team team.
-Cape Verde +I agree to the :terms_of_service and :privacy_policy
-Card +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.
-Cayman Islands +If you already have an account, you may accept this invitation by clicking the button below: +
+If you did not expect to receive an invitation to this team, you may discard this 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: +
+Last active +
+Last used +
+Leave +
+Leave Team +
+Log in +
+Log Out +
+Log Out Other Browser Sessions +
+Manage Account +
+Manage and log out your active sessions on other browsers and devices. +
+Manage API Tokens +
+Manage Role +
+Manage Team +
+New Password +
+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 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. +
+Pending Team Invitations +
+Permanently delete this team. +
+Permanently delete your account. +
+Permissions +
+Photo +
+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 copy your new API token. For your security, it won't be shown again. +
+Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices. +
+Please provide the email address of the person you would like to add to this team. +
+Privacy Policy +
+Profile +
+Profile Information +
+Recovery Code +
+Regenerate Recovery Codes +
+Remember me +
+Remove +
+Remove Photo +
+Remove Team Member +
+Resend Verification Email +
+Role +
+Save +
+Saved. +
+Select A New Photo +
+Show Recovery Codes +
+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. +
+Switch Teams +
+Team Details +
+Team Invitation +
+Team Members +
+Team Name +
+Team Owner +
+Team Settings +
+Terms of Service +
+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 a valid role. +
+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. +
+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, 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. +
+The provided password does not match your current password. +
+The provided password was incorrect. +
+The provided two factor authentication code was invalid. +
+The team's name and owner information. +
+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. +
+This device +
+This is a secure area of the application. Please confirm your password before continuing. +
+This password does not match our records. +
+This user already belongs to the team. +
+This user has already been invited to the team. +
+Token Name +
+Two Factor Authentication +
+Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application. +
+Update Password +
+Update your account's profile information and email address. +
+Use a recovery code +
+Use an authentication code +
+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. +
+Whoops! Something went wrong. +
+You have been invited to join the :team team! +
+You have enabled two factor authentication. +
+You have not enabled two factor authentication. +
+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. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/ps/packages/nova.json) + +##### Missing: 402 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+30 Days +
+60 Days +
+90 Days +
+:amount Total +
+:resource Details +
+:resource Details: :title +
+Action +
+Action Happened At +
+Action Initiated By +
+Action Name +
+Action Status +
+Action Target +
+Actions +
+Add row +
+Afghanistan +
+Aland Islands +
+Albania +
+Algeria +
+All resources loaded. +
+American Samoa +
+An error occured while uploading the file. +
+Andorra +
+Angola +
+Anguilla +
+Another user has updated this resource since this page was loaded. Please refresh the page and try again. +
+Antarctica +
+Antigua And Barbuda +
+April +
+Are you sure you want to delete the selected resources? +
+Are you sure you want to delete this file? +
+Are you sure you want to delete this resource? +
+Are you sure you want to detach the selected resources? +
+Are you sure you want to detach this resource? +
+Are you sure you want to force delete the selected resources? +
+Are you sure you want to force delete this resource? +
+Are you sure you want to restore the selected resources? +
+Are you sure you want to restore this resource? +
+Are you sure you want to run this action? +
+Argentina +
+Armenia +
+Aruba +
+Attach +
+Attach & Attach Another +
+Attach :resource +
+August +
+Australia +
+Austria +
+Azerbaijan +
+Bahamas +
+Bahrain +
+Bangladesh +
+Barbados +
+Belarus +
+Belgium +
+Belize +
+Benin +
+Bermuda +
+Bhutan +
+Bolivia +
+Bonaire, Sint Eustatius and Saba +
+Bosnia And Herzegovina +
+Botswana +
+Bouvet Island +
+Brazil +
+British Indian Ocean Territory +
+Bulgaria +
+Burkina Faso +
+Burundi +
+Cambodia +
+Cameroon +
+Canada +
+Cancel +
+Cape Verde +
+Cayman Islands
@@ -1197,2203 +1907,2685 @@ Central African Republic
-Chad +Chad +
+Changes +
+Chile +
+China +
+Choose +
+Choose :field +
+Choose :resource +
+Choose an option +
+Choose date +
+Choose File +
+Choose Type +
+Christmas Island +
+Click to choose +
+Cocos (Keeling) Islands +
+Colombia +
+Comoros +
+Congo +
+Congo, Democratic Republic +
+Constant +
+Cook Islands +
+Costa Rica +
+could not be found. +
+Create +
+Create & Add Another +
+Create :resource +
+Croatia +
+Cuba +
+Curaçao +
+Customize +
+Cyprus +
+Dashboard +
+December +
+Decrease +
+Delete +
+Delete File +
+Delete Resource +
+Delete Selected +
+Denmark +
+Detach +
+Detach Resource +
+Detach Selected +
+Details +
+Djibouti +
+Do you really want to leave? You have unsaved changes. +
+Dominica +
+Dominican Republic +
+Download +
+Ecuador +
+Edit +
+Edit :resource +
+Edit Attached +
+Egypt +
+El Salvador +
+Email Address +
+Equatorial Guinea +
+Eritrea +
+Estonia +
+Ethiopia +
+Falkland Islands (Malvinas) +
+Faroe Islands +
+February +
+Fiji +
+Finland +
+Force Delete +
+Force Delete Resource +
+Force Delete Selected +
+Forgot your password? +
+France +
+French Guiana +
+French Polynesia +
+French Southern Territories +
+Gabon +
+Gambia +
+Georgia
-Change Subscription Plan +Germany
-Changes +Ghana
-Chile +Gibraltar
-China +Greece
-Choose +Greenland
-Choose :field +Grenada
-Choose :resource +Guadeloupe
-Choose an option +Guam
-Choose date +Guatemala
-Choose File +Guernsey
-Choose Type +Guinea
-Christmas Island +Guinea-Bissau
-City +Guyana
-Click to choose +Haiti
-Close +Heard Island & Mcdonald Islands
-Cocos (Keeling) Islands +Hide Content
-Code +Hold Up!
-Colombia +Honduras
-Comoros +Hong Kong
-Confirm +Hungary
-Confirm Payment +Iceland
-Confirm your :amount payment +ID
-Congo +Increase
-Congo, Democratic Republic +India
-Congo, the Democratic Republic of the +Indonesia
-Constant +Iran, Islamic Republic Of
-Cook Islands +Iraq
-Costa Rica +Ireland
-could not be found. +Isle Of Man
-Country +Israel
-Coupon +Italy
-Create +Jamaica
-Create & Add Another +January
-Create :resource +Japan
-Create a new team to collaborate with others on projects. +Jersey
-Create Account +Jordan
-Create API Token +July
-Create New Team +June
-Create Team +Kazakhstan
-Created. +Kenya
-Croatia +Key
-Cuba +Kiribati +
+Korea +
+Korea, Democratic People's Republic of +
+Kosovo +
+Kuwait +
+Kyrgyzstan +
+Latvia +
+Lebanon +
+Lens +
+Lesotho +
+Liberia +
+Libyan Arab Jamahiriya +
+Liechtenstein +
+Lithuania +
+Load :perPage More +
+Luxembourg +
+Macao +
+Macedonia +
+Madagascar +
+Malawi +
+Malaysia +
+Maldives +
+Mali +
+Malta +
+March +
+Marshall Islands +
+Martinique +
+Mauritania +
+Mauritius +
+May +
+Mayotte +
+Mexico +
+Micronesia, Federated States Of +
+Moldova +
+Monaco +
+Mongolia +
+Montenegro +
+Month To Date +
+Montserrat +
+Morocco +
+Mozambique +
+Myanmar +
+Namibia
-Curaçao +Nauru
-Current Password +Nepal
-Current Subscription Plan +Netherlands
-Currently Subscribed +New
-Customize +New :resource
-Cyprus +New Caledonia
-Côte d'Ivoire +New Zealand
-Dashboard +Next
-December +Nicaragua
-Decrease +Niger
-Delete +Nigeria
-Delete Account +Niue
-Delete API Token +No
-Delete File +No :resource matched the given criteria.
-Delete Resource +No additional information...
-Delete Selected +No Current Data
-Delete Team +No Data
-Denmark +no file selected
-Detach +No Increase
-Detach Resource +No Prior Data
-Detach Selected +No Results Found.
-Details +Norfolk Island
-Disable +Northern Mariana Islands
-Djibouti +Norway
-Do you really want to leave? You have unsaved changes. +Nova User
-Dominica +November
-Dominican Republic +October
-Done. +of
-Download +Oman
-Download Receipt +Only Trashed
-Ecuador +Original
-Edit +Pakistan
-Edit :resource +Palau
-Edit Attached +Palestinian Territory, Occupied
-Editor +Panama
-Editor users have the ability to read, create, and update. +Papua New Guinea
-Egypt +Paraguay
-El Salvador +Per Page
-Email +Peru
-Email Address +Philippines
-Email Addresses +Pitcairn
-Email Password Reset Link +Poland
-Enable +Portugal
-Ensure your account is using a long, random password to stay secure. +Press / to search
-Equatorial Guinea +Preview
-Eritrea +Previous
-Estonia +Puerto Rico
-Ethiopia +Qatar
-ex VAT +Quarter To Date
-Extra Billing Information +Reload
-Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below. +Reset Filters
-Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below. +resource
-Falkland Islands (Malvinas) +Resources
-Faroe Islands +resources
-February +Restore
-Fiji +Restore Resource
-Finland +Restore Selected
-For your security, please confirm your password to continue. +Reunion
-Force Delete +Romania
-Force Delete Resource +Run Action
-Force Delete Selected +Russian Federation
-Forgot your password? +Rwanda
-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. +Saint Barthelemy
-France +Saint Helena
-French Guiana +Saint Kitts And Nevis
-French Polynesia +Saint Lucia
-French Southern Territories +Saint Martin
-Full name +Saint Pierre And Miquelon
-Gabon +Saint Vincent And Grenadines
-Gambia +Samoa
-Georgia +San Marino
-Germany +Sao Tome And Principe
-Ghana +Saudi Arabia
-Gibraltar +Search
-Go back +Select Action
-Go to page :page +Select All
-Great! You have accepted the invitation to join the :team team. +Select All Matching
-Greece +Senegal
-Greenland +September
-Grenada +Serbia
-Guadeloupe +Seychelles
-Guam +Show All Fields
-Guatemala +Show Content
-Guernsey +Sierra Leone
-Guinea +Singapore
-Guinea-Bissau +Sint Maarten (Dutch part)
-Guyana +Slovakia
-Haiti +Slovenia
-Have a coupon code? +Solomon Islands
-Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +Somalia
-Heard Island & Mcdonald Islands +Something went wrong.
-Heard Island and McDonald Islands +Sorry! You are not authorized to perform this action.
-Hide Content +Sorry, your session has expired.
-Hold Up! +South Africa
-Honduras +South Georgia And Sandwich Isl.
-Hong Kong +South Sudan
-Hungary +Spain
-I agree to the :terms_of_service and :privacy_policy +Sri Lanka
-Iceland +Start Polling
-ID +Stop Polling
-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. +Sudan
-If necessary, you may logout 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. +Suriname
-If you already have an account, you may accept this invitation by clicking the button below: +Svalbard And Jan Mayen
-If you did not expect to receive an invitation to this team, you may discard this email. +Sweden
-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: +Switzerland
-If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here. +Syrian Arab Republic
-Increase +Taiwan
-India +Tajikistan
-Indonesia +Tanzania
-Invalid signature. +Thailand
-Iran, Islamic Republic of +The :resource was created!
-Iran, Islamic Republic Of +The :resource was deleted!
-Iraq +The :resource was restored!
-Ireland +The :resource was updated!
-Isle of Man +The action ran successfully!
-Isle Of Man +The file was deleted!
-Israel +The government won't let us show you what's behind these doors
-It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +The HasOne relationship has already been filled.
-Italy +The resource was updated!
-Jamaica +There are no available options for this resource.
-January +There was a problem executing the action.
-Japan +There was a problem submitting the form.
-Jersey +This file field is read-only.
-Jordan +This image
-July +This resource no longer exists
-June +Timor-Leste
-Kazakhstan +Today
-Kenya +Togo
-Key +Tokelau
-Kiribati +Tonga
-Korea +total
-Korea, Democratic People's Republic of +Trashed
-Korea, Republic of +Trinidad And Tobago
-Kosovo +Tunisia
-Kuwait +Turkey
-Kyrgyzstan +Turkmenistan
-Last active +Turks And Caicos Islands
-Last used +Tuvalu
-Latvia +Uganda
-Leave +Ukraine
-Leave Team +United Arab Emirates
-Lebanon +United Kingdom
-Lens +United States
-Lesotho +United States Outlying Islands
-Liberia +Update
-Libyan Arab Jamahiriya +Update & Continue Editing
-Liechtenstein +Update :resource
-Lithuania +Update :resource: :title
-Load :perPage More +Update attached :resource: :title
-Log in +Uruguay
-Log out +Uzbekistan
-Log Out +Value
-Log Out Other Browser Sessions +Vanuatu
-Logout Other Browser Sessions +Venezuela
-Luxembourg +View
-Macao +Virgin Islands, British
-Macedonia +Virgin Islands, U.S.
-Macedonia, the former Yugoslav Republic of +Wallis And Futuna
-Madagascar +We're lost in space. The page you were trying to view does not exist.
-Malawi +Welcome Back!
-Malaysia +Western Sahara
-Maldives +Whoops
-Mali +With Trashed
-Malta +Write
-Manage Account +Year To Date
-Manage and log out your active sessions on other browsers and devices. +Yemen
-Manage and logout your active sessions on other browsers and devices. +Yes
-Manage API Tokens +Zambia
-Manage Role +Zimbabwe
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/ps/packages/spark-paddle.json) + +##### Missing: 33 + + + +
-Manage Team +An unexpected error occurred and we have notified our support team. Please try again later.
-Managing billing for :billableName +Billing Management
-March +Cancel Subscription
-Marshall Islands +Change Subscription Plan
-Martinique +Current Subscription Plan
-Mauritania +Currently Subscribed
-Mauritius +Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.
-May +It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.
-Mayotte +Managing billing for :billableName
-Mexico +Monthly
-Micronesia, Federated States Of +Nevermind, I'll keep my old plan
-Moldova +Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.
-Moldova, Republic of +Payment Method
-Monaco +Receipts
-Mongolia +Resume Subscription
-Montenegro +Return to :appName
-Month To Date +Signed in as
-Monthly +Subscribe
-monthly +Subscription Pending
-Montserrat +Terms of Service
-Morocco +The selected plan is invalid.
-Mozambique +There is no active subscription.
-Myanmar +This account does not have an active subscription.
-Namibia +This subscription cannot be resumed. Please create a new subscription.
-Nauru +Update Payment Method
-Nepal +View Receipt
-Netherlands +We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.
-Netherlands Antilles +Whoops! Something went wrong.
-Nevermind +Yearly
-Nevermind, I'll keep my old plan +You are already subscribed.
-New +You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.
-New :resource +Your current payment method is :paypal.
-New Caledonia +Your current payment method is a credit card ending in :lastFour that expires on :expiration.
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/ps/packages/spark-stripe.json) + +##### Missing: 313 + + - - @@ -3428,6 +4616,10 @@ Zimbabwe Zip / Postal Code + +
-New Password +:days day trial
-New Zealand +Add VAT Number
-Next +Address
-Nicaragua +Address Line 2
-Niger +Afghanistan
-Nigeria +Albania
-Niue +Algeria
-No +American Samoa
-No :resource matched the given criteria. +An unexpected error occurred and we have notified our support team. Please try again later.
-No additional information... +Andorra
-No Current Data +Angola
-No Data +Anguilla
-no file selected +Antarctica
-No Increase +Antigua and Barbuda
-No Prior Data +Apply
-No Results Found. +Apply Coupon
-Norfolk Island +Argentina
-Northern Mariana Islands +Armenia
-Norway +Aruba
-Not Found +Australia
-Nova User +Austria
-November +Azerbaijan
-October +Bahamas
-of +Bahrain
-Oman +Bangladesh
-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. +Barbados
-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. +Belarus
-Only Trashed +Belgium
-Original +Belize
-Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +Benin
-Pagination Navigation +Bermuda
-Pakistan +Bhutan
-Palau +Billing Information
-Palestinian Territory, Occupied +Billing Management
-Panama +Bolivia, Plurinational State of
-Papua New Guinea +Bosnia and Herzegovina
-Paraguay +Botswana
-Pay :amount +Bouvet Island
-Payment Cancelled +Brazil
-Payment Confirmation +British Indian Ocean Territory
-Payment Information +Bulgaria
-Payment Successful +Burkina Faso
-Pending Team Invitations +Burundi
-Per Page +Cambodia
-Permanently delete this team. +Cameroon
-Permanently delete your account. +Canada
-Permissions +Cancel Subscription
-Peru +Cape Verde
-Philippines +Card
-Photo +Cayman Islands
-Pitcairn +Central African Republic
-Please confirm access to your account by entering one of your emergency recovery codes. +Chad
-Please confirm access to your account by entering the authentication code provided by your authenticator application. +Change Subscription Plan
-Please confirm your password before continuing. +Chile
-Please copy your new API token. For your security, it won't be shown again. +China
-Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices. +Christmas Island
-Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices. +City
-Please provide a maximum of three receipt emails addresses. +Cocos (Keeling) Islands
-Please provide the email address of the person you would like to add to this team. +Colombia
-Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account. +Comoros
-Please provide your name. +Confirm Payment
-Poland +Confirm your :amount payment
-Portugal +Congo
-Press / to search +Congo, the Democratic Republic of the
-Preview +Cook Islands
-Previous +Costa Rica
-Privacy Policy +Country
-Profile +Coupon
-Profile Information +Croatia
-Puerto Rico +Cuba
-Qatar +Current Subscription Plan
-Quarter To Date +Currently Subscribed
-Receipt Email Addresses +Cyprus
-Receipts +Côte d'Ivoire
-Recovery Code +Denmark
-Regenerate Recovery Codes +Djibouti
-Reload +Dominica
-Remember me +Dominican Republic
-Remove +Download Receipt
-Remove Photo +Ecuador
-Remove Team Member +Egypt
-Resend Verification Email +El Salvador
-Reset Filters +Email Addresses
-resource +Equatorial Guinea
-Resources +Eritrea
-resources +Estonia
-Restore +Ethiopia
-Restore Resource +ex VAT
-Restore Selected +Extra Billing Information
-results +Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.
-Resume Subscription +Falkland Islands (Malvinas)
-Return to :appName +Faroe Islands
-Reunion +Fiji
-Role +Finland
-Romania +France
-Run Action +French Guiana
-Russian Federation +French Polynesia
-Rwanda +French Southern Territories
-Réunion +Gabon
-Saint Barthelemy +Gambia
-Saint Barthélemy +Georgia
-Saint Helena +Germany
-Saint Kitts and Nevis +Ghana
-Saint Kitts And Nevis +Gibraltar
-Saint Lucia +Greece
-Saint Martin +Greenland
-Saint Martin (French part) +Grenada
-Saint Pierre and Miquelon +Guadeloupe
-Saint Pierre And Miquelon +Guam
-Saint Vincent And Grenadines +Guatemala
-Saint Vincent and the Grenadines +Guernsey
-Samoa +Guinea
-San Marino +Guinea-Bissau
-Sao Tome and Principe +Guyana
-Sao Tome And Principe +Haiti
-Saudi Arabia +Have a coupon code?
-Save +Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.
-Saved. +Heard Island and McDonald Islands
-Search +Honduras
-Select +Hong Kong
-Select a different plan +Hungary
-Select A New Photo +I accept the terms of service
-Select Action +Iceland
-Select All +If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
-Select All Matching +India
-Senegal +Indonesia
-September +Iran, Islamic Republic of
-Serbia +Iraq
-Server Error +Ireland
-Seychelles +Isle of Man
-Show All Fields +Israel
-Show Content +It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.
-Show Recovery Codes +Italy
-Showing +Jamaica
-Sierra Leone +Japan
-Signed in as +Jersey
-Singapore +Jordan
-Sint Maarten (Dutch part) +Kazakhstan
-Slovakia +Kenya
-Slovenia +Kiribati
-Solomon Islands +Korea, Democratic People's Republic of
-Somalia +Korea, Republic of
-Something went wrong. +Kuwait
-Sorry! You are not authorized to perform this action. +Kyrgyzstan
-Sorry, your session has expired. +Latvia
-South Africa +Lebanon
-South Georgia And Sandwich Isl. +Lesotho
-South Georgia and the South Sandwich Islands +Liberia
-South Sudan +Libyan Arab Jamahiriya
-Spain +Liechtenstein
-Sri Lanka +Lithuania
-Start Polling +Luxembourg
-State / County +Macao
-Stop Polling +Macedonia, the former Yugoslav Republic of
-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. +Madagascar
-Subscribe +Malawi
-Subscription Information +Malaysia
-Sudan +Maldives
-Suriname +Mali
-Svalbard And Jan Mayen +Malta
-Sweden +Managing billing for :billableName
-Switch Teams +Marshall Islands
-Switzerland +Martinique
-Syrian Arab Republic +Mauritania
-Taiwan +Mauritius
-Taiwan, Province of China +Mayotte
-Tajikistan +Mexico
-Tanzania +Micronesia, Federated States of
-Tanzania, United Republic of +Moldova, Republic of
-Team Details +Monaco
-Team Invitation +Mongolia
-Team Members +Montenegro
-Team Name +Monthly
-Team Owner +monthly
-Team Settings +Montserrat
-Terms of Service +Morocco
-Thailand +Mozambique
-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. +Myanmar
-Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns. +Namibia
-Thanks, +Nauru
-The :attribute must be a valid role. +Nepal
-The :attribute must be at least :length characters and contain at least one number. +Netherlands
-The :attribute must be at least :length characters and contain at least one special character and one number. +Netherlands Antilles
-The :attribute must be at least :length characters and contain at least one special character. +Nevermind, I'll keep my old plan
-The :attribute must be at least :length characters and contain at least one uppercase character and one number. +New Caledonia
-The :attribute must be at least :length characters and contain at least one uppercase character and one special character. +New Zealand
-The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character. +Nicaragua
-The :attribute must be at least :length characters and contain at least one uppercase character. +Niger
-The :attribute must be at least :length characters. +Nigeria
-The :attribute must contain at least one letter. +Niue
-The :attribute must contain at least one number. +Norfolk Island
-The :attribute must contain at least one symbol. +Northern Mariana Islands
-The :attribute must contain at least one uppercase and one lowercase letter. +Norway
-The :resource was created! +Oman
-The :resource was deleted! +Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.
-The :resource was restored! +Pakistan
-The :resource was updated! +Palau
-The action ran successfully! +Palestinian Territory, Occupied
-The file was deleted! +Panama
-The given :attribute has appeared in a data leak. Please choose a different :attribute. +Papua New Guinea
-The government won't let us show you what's behind these doors +Paraguay
-The HasOne relationship has already been filled. +Payment Information
-The payment was successful. +Peru
-The provided coupon code is invalid. +Philippines
-The provided password does not match your current password. +Pitcairn
-The provided password was incorrect. +Please accept the terms of service.
-The provided two factor authentication code was invalid. +Please provide a maximum of three receipt emails addresses.
-The provided VAT number is invalid. +Poland
-The receipt emails must be valid email addresses. +Portugal
-The resource was updated! +Puerto Rico
-The selected country is invalid. +Qatar
-The selected plan is invalid. +Receipt Email Addresses
-The team's name and owner information. +Receipts
-There are no available options for this resource. +Resume Subscription
-There was a problem executing the action. +Return to :appName
-There was a problem submitting the form. +Romania
-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. +Russian Federation
-This account does not have an active subscription. +Rwanda
-This action is unauthorized. +Réunion
-This device +Saint Barthélemy
-This file field is read-only. +Saint Helena
-This image +Saint Kitts and Nevis
-This is a secure area of the application. Please confirm your password before continuing. +Saint Lucia
-This password does not match our records. +Saint Martin (French part)
-This password reset link will expire in :count minutes. +Saint Pierre and Miquelon
-This payment was already successfully confirmed. +Saint Vincent and the Grenadines
-This payment was cancelled. +Samoa
-This resource no longer exists +San Marino
-This subscription has expired and cannot be resumed. Please create a new subscription. +Sao Tome and Principe
-This user already belongs to the team. +Saudi Arabia
-This user has already been invited to the team. +Save
-Timor-Leste +Select
-to +Select a different plan
-Today +Senegal
-Togo +Serbia
-Tokelau +Seychelles
-Token Name +Sierra Leone
-Tonga +Signed in as
-Too Many Attempts. +Singapore
-total +Slovakia
-Total: +Slovenia
-Trashed +Solomon Islands
-Trinidad And Tobago +Somalia
-Tunisia +South Africa
-Turkey +South Georgia and the South Sandwich Islands
-Turkmenistan +Spain
-Turks and Caicos Islands +Sri Lanka
-Turks And Caicos Islands +State / County
-Tuvalu +Subscribe
-Two Factor Authentication +Subscription Information
-Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application. +Sudan
-Uganda +Suriname
-Ukraine +Svalbard and Jan Mayen
-United Arab Emirates +Sweden
-United Kingdom +Switzerland
-United States +Syrian Arab Republic
-United States Minor Outlying Islands +Taiwan, Province of China
-United States Outlying Islands +Tajikistan
-Update +Tanzania, United Republic of
-Update & Continue Editing +Terms of Service
-Update :resource +Thailand
-Update :resource: :title +Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.
-Update attached :resource: :title +Thanks,
-Update Password +The provided coupon code is invalid.
-Update Payment Information +The provided VAT number is invalid.
-Update your account's profile information and email address. +The receipt emails must be valid email addresses.
-Uruguay +The selected country is invalid.
-Use a recovery code +The selected plan is invalid.
-Use an authentication code +This account does not have an active subscription.
-Uzbekistan +This subscription has expired and cannot be resumed. Please create a new subscription.
-Value +Timor-Leste
-Vanuatu +Togo
-VAT Number +Tokelau
-Venezuela +Tonga
-Venezuela, Bolivarian Republic of +Total:
-View +Trinidad and Tobago
-Virgin Islands, British +Tunisia
-Virgin Islands, U.S. +Turkey
-Wallis and Futuna +Turkmenistan
-Wallis And Futuna +Turks and Caicos Islands
-We are unable to process your payment. Please contact customer support. +Tuvalu
-We were unable to find a registered user with this email address. +Uganda
-We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas. +Ukraine
-We won't ask for your password again for a few hours. +United Arab Emirates
-We're lost in space. The page you were trying to view does not exist. +United Kingdom
-Welcome Back! +United States
-Western Sahara +United States Minor Outlying Islands
-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. +Update
-Whoops +Update Payment Information
-Whoops! Something went wrong. +Uruguay
-With Trashed +Uzbekistan
-Write +Vanuatu
-Year To Date +VAT Number
-Yearly +Venezuela, Bolivarian Republic of
-Yemen +Virgin Islands, British
-Yes +Virgin Islands, U.S.
-You are currently within your free trial period. Your trial will expire on :date. +Wallis and Futuna
-You are logged in! +We are unable to process your payment. Please contact customer support.
-You have been invited to join the :team team! +We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.
-You have enabled two factor authentication. +Western Sahara
-You have not enabled two factor authentication. +Whoops! Something went wrong.
-You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +Yearly
-You may delete any of your existing tokens if they are no longer needed. +Yemen
-You may not delete your personal team. +You are currently within your free trial period. Your trial will expire on :date.
-You may not leave a team that you created. +You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.
@@ -3409,10 +4601,6 @@ Your current payment method is a credit card ending in :lastFour that expires on
-Your email address is not verified. -
Your registered VAT Number is :vatNumber.
+Åland Islands +
diff --git a/docs/statuses/pt-br.md b/docs/statuses/pt-br.md index 4483adb2baf..58db8b5975c 100644 --- a/docs/statuses/pt-br.md +++ b/docs/statuses/pt-br.md @@ -2,12 +2,177 @@ # pt_BR -##### All missed: 84 +##### All missed: 125 -### json +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/pt_BR/packages/cashier.json) -##### Missing: 84 +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/pt_BR/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/pt_BR/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/pt_BR/packages/spark-stripe.json) + +##### Missing: 92 + + + + @@ -103,6 +276,10 @@ Heard Island and McDonald Islands + + @@ -131,6 +308,10 @@ Managing billing for :billableName + + @@ -159,6 +340,10 @@ Payment Information + + @@ -235,6 +420,10 @@ Subscription Information + + @@ -283,6 +472,10 @@ Total: + + @@ -346,6 +539,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -31,6 +196,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/pt.md b/docs/statuses/pt.md index 4f928ed3c0d..37b557c797d 100644 --- a/docs/statuses/pt.md +++ b/docs/statuses/pt.md @@ -2,12 +2,208 @@ # pt -##### All missed: 92 +##### All missed: 133 -### json +### [pt](https://github.com/Laravel-Lang/lang/blob/master/locales/pt/pt.json) -##### Missing: 92 +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/pt/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/pt/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/pt/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/pt/packages/spark-stripe.json) + +##### Missing: 95 + + + + @@ -115,6 +319,10 @@ Heard Island and McDonald Islands + + @@ -143,6 +351,10 @@ Managing billing for :billableName + + @@ -171,6 +383,10 @@ Payment Information + + @@ -247,6 +463,10 @@ Subscription Information + + @@ -263,26 +483,6 @@ Thanks, - - - - - - - - - - @@ -315,6 +515,10 @@ Total: + + @@ -378,6 +582,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +231,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/ro.md b/docs/statuses/ro.md index 3649d591a6d..bf19cd50a0f 100644 --- a/docs/statuses/ro.md +++ b/docs/statuses/ro.md @@ -2,12 +2,316 @@ # ro -##### All missed: 210 +##### All missed: 386 -### json +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/ro/validation-inline.php) -##### Missing: 210 +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [ro](https://github.com/Laravel-Lang/lang/blob/master/locales/ro/ro.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/ro/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/ro/packages/jetstream.json) + +##### Missing: 3 + + + + + + + + + +
+Administrator +
+Editor +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/ro/packages/nova.json) + +##### Missing: 116 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
@@ -15,6 +319,612 @@
+Albania +
+Algeria +
+Angola +
+Anguilla +
+Antarctica +
+Argentina +
+Armenia +
+Aruba +
+August +
+Australia +
+Austria +
+Bahamas +
+Bahrain +
+Bangladesh +
+Barbados +
+Belarus +
+Belize +
+Benin +
+Bermuda +
+Bhutan +
+Bolivia +
+Botswana +
+Bulgaria +
+Burkina Faso +
+Burundi +
+Canada +
+Chile +
+China +
+Congo +
+Costa Rica +
+Cuba +
+Djibouti +
+Ecuador +
+Estonia +
+Fiji +
+Gabon +
+Gambia +
+Georgia +
+Ghana +
+Gibraltar +
+Grenada +
+Guam +
+Guatemala +
+Guernsey +
+Guyana +
+Haiti +
+Honduras +
+Hong Kong +
+ID +
+India +
+Iran, Islamic Republic Of +
+Israel +
+Jamaica +
+Kenya +
+Kiribati +
+Kosovo +
+Lesotho +
+Liberia +
+Liechtenstein +
+Macao +
+Madagascar +
+Malawi +
+Malta +
+Mauritania +
+Mauritius +
+Mayotte +
+Moldova +
+Monaco +
+Mongolia +
+Montserrat +
+Myanmar +
+Namibia +
+Nauru +
+Nepal +
+Nicaragua +
+Niger +
+Nigeria +
+Niue +
+Oman +
+Original +
+Pakistan +
+Palau +
+Panama +
+Paraguay +
+Peru +
+Puerto Rico +
+Qatar +
+Romania +
+Rwanda +
+Samoa +
+San Marino +
+Senegal +
+Serbia +
+Sierra Leone +
+Singapore +
+Sint Maarten (Dutch part) +
+Slovenia +
+Somalia +
+Sri Lanka +
+Sudan +
+Taiwan +
+Tanzania +
+Togo +
+Tokelau +
+total +
+Tunisia +
+Turkmenistan +
+Tuvalu +
+Uganda +
+Uruguay +
+Uzbekistan +
+Vanuatu +
+Venezuela +
+Zambia +
+Zimbabwe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/ro/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/ro/packages/spark-stripe.json) + +##### Missing: 198 + + + @@ -31,10 +941,6 @@ Address Line 2 - - @@ -63,19 +969,23 @@ Antigua and Barbuda + + - - @@ -231,10 +1137,6 @@ Ecuador - - @@ -319,7 +1221,7 @@ Hong Kong - - @@ -367,10 +1265,6 @@ Korea, Republic of - - @@ -419,7 +1313,7 @@ Mayotte - - @@ -523,6 +1413,10 @@ Peru + + @@ -623,10 +1517,6 @@ Singapore - - @@ -659,7 +1549,7 @@ Sudan - - @@ -683,26 +1569,6 @@ Thanks, - - - - - - - - - - @@ -739,11 +1605,11 @@ Tokelau - - @@ -850,6 +1712,10 @@ Zimbabwe Zip / Postal Code + +
:days day trial
-Administrator -
Albania
-Argentina +Apply
-Armenia +Apply Coupon
-Aruba +Argentina
-August +Armenia +
+Aruba
@@ -131,10 +1041,6 @@ Billing Management
-Bolivia -
Bolivia, Plurinational State of
-Editor -
Email Addresses
-ID +I accept the terms of service
@@ -335,10 +1237,6 @@ Iran, Islamic Republic of
-Iran, Islamic Republic Of -
Isle of Man
-Kosovo -
Lesotho
-Moldova +Micronesia, Federated States of
@@ -491,10 +1385,6 @@ Oman
-Original -
Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
-Sint Maarten (Dutch part) -
Slovenia
-Taiwan +Svalbard and Jan Mayen
@@ -667,10 +1557,6 @@ Taiwan, Province of China
-Tanzania -
Tanzania, United Republic of
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
-total +Total:
-Total: +Trinidad and Tobago
@@ -791,10 +1657,6 @@ VAT Number
-Venezuela -
Venezuela, Bolivarian Republic of
+Åland Islands +
diff --git a/docs/statuses/ru.md b/docs/statuses/ru.md index 8603d688f05..a992a15f10c 100644 --- a/docs/statuses/ru.md +++ b/docs/statuses/ru.md @@ -2,12 +2,177 @@ # ru -##### All missed: 87 +##### All missed: 128 -### json +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/ru/packages/cashier.json) -##### Missing: 87 +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/ru/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/ru/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/ru/packages/spark-stripe.json) + +##### Missing: 95 + + + + @@ -115,6 +288,10 @@ Heard Island and McDonald Islands + + @@ -143,6 +320,10 @@ Managing billing for :billableName + + @@ -171,6 +352,10 @@ Payment Information + + @@ -247,6 +432,10 @@ Subscription Information + + @@ -295,6 +484,10 @@ Total: + + @@ -358,6 +551,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +200,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/sc.md b/docs/statuses/sc.md index 66919d4a2c5..1742baf632c 100644 --- a/docs/statuses/sc.md +++ b/docs/statuses/sc.md @@ -2,10 +2,42 @@ # sc -##### All missed: 837 +##### All missed: 1120 -### passwords +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/sc/auth.php) + +##### Missing: 3 + + + + + + + + + + + + +
+failed + +These credentials do not match our records. +
+password + +The provided password is incorrect. +
+throttle + +Too many login attempts. Please try again in :seconds seconds. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [passwords](https://github.com/Laravel-Lang/lang/blob/master/locales/sc/passwords.php) ##### Missing: 1 @@ -23,7 +55,7 @@ Please wait before retrying. [ [go back](../status.md) | [to top](#) ] -### validation-inline +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/sc/validation-inline.php) ##### Missing: 94 @@ -692,7 +724,7 @@ This must be a valid UUID. [ [go back](../status.md) | [to top](#) ] -### validation +### [validation](https://github.com/Laravel-Lang/lang/blob/master/locales/sc/validation.php) ##### Missing: 41 @@ -990,417 +1022,1206 @@ The :attribute must be a valid UUID. [ [go back](../status.md) | [to top](#) ] -### json +### [sc](https://github.com/Laravel-Lang/lang/blob/master/locales/sc/sc.json) -##### Missing: 701 +##### Missing: 46 + +
-30 Days +A fresh verification link has been sent to your email address.
-60 Days +Before proceeding, please check your email for a verification link.
-90 Days +click here to request another
-:amount Total +E-Mail Address
-:days day trial +Forbidden
-:resource Details +Go to page :page
-:resource Details: :title +Hello!
-A fresh verification link has been sent to your email address. +If necessary, you may logout 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.
-A new verification link has been sent to the email address you provided during registration. +If you did not create an account, no further action is required.
-Accept Invitation +If you did not receive the email
-Action +If you’re having trouble clicking the ":actionText" button, copy and paste the URL below +into your web browser:
-Action Happened At +Invalid signature.
-Action Initiated By +Log out
-Action Name +Logout Other Browser Sessions
-Action Status +Manage and logout your active sessions on other browsers and devices.
-Action Target +Nevermind
-Actions +Not Found
-Add +Oh no
-Add a new team member to your team, allowing them to collaborate with you. +Page Expired
-Add additional security to your account using two factor authentication. +Pagination Navigation
-Add row +Please click the button below to verify your email address.
-Add Team Member +Please confirm your password before continuing.
-Add VAT Number +Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.
-Added. +Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.
-Address +Regards
-Address Line 2 +results
-Administrator +Server Error
-Administrator users can perform any action. +Service Unavailable
-Afghanistan +Showing
-Aland Islands +The :attribute must contain at least one letter.
-Albania +The :attribute must contain at least one number.
-Algeria +The :attribute must contain at least one symbol.
-All of the people that are part of this team. +The :attribute must contain at least one uppercase and one lowercase letter.
-All resources loaded. +The given :attribute has appeared in a data leak. Please choose a different :attribute.
-All rights reserved. +This action is unauthorized.
-Already registered? +This password reset link will expire in :count minutes.
-American Samoa +to
-An error occured while uploading the file. +Toggle navigation
-An unexpected error occurred and we have notified our support team. Please try again later. +Too Many Attempts.
-Andorra +Too Many Requests
-Angola +Unauthorized
-Anguilla +Verify Email Address
-Another user has updated this resource since this page was loaded. Please refresh the page and try again. +Verify Your Email Address
-Antarctica +We won't ask for your password again for a few hours.
-Antigua and Barbuda +You are logged in!
-Antigua And Barbuda +Your email address is not verified.
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/sc/packages/cashier.json) + +##### Missing: 17 + + + +
-API Token +All rights reserved.
-API Token Permissions +Card
-API Tokens +Confirm Payment
-API tokens allow third-party services to authenticate with our application on your behalf. +Confirm your :amount payment
-April +Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.
-Are you sure you want to delete the selected resources? +Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.
-Are you sure you want to delete this file? +Full name
-Are you sure you want to delete this resource? +Go back
-Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted. +Jane Doe
-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. +Pay :amount
-Are you sure you want to detach the selected resources? +Payment Cancelled
-Are you sure you want to detach this resource? +Payment Confirmation
-Are you sure you want to force delete the selected resources? +Payment Successful
-Are you sure you want to force delete this resource? +Please provide your name.
-Are you sure you want to restore the selected resources? +The payment was successful.
-Are you sure you want to restore this resource? +This payment was already successfully confirmed.
-Are you sure you want to run this action? +This payment was cancelled.
+ + +[ [go back](../status.md) | [to top](#) ] + +### [fortify](https://github.com/Laravel-Lang/lang/blob/master/locales/sc/packages/fortify.json) + +##### Missing: 11 + + + +
-Are you sure you would like to delete this API token? +The :attribute must be at least :length characters and contain at least one number.
-Are you sure you would like to leave this team? +The :attribute must be at least :length characters and contain at least one special character and one number.
-Are you sure you would like to remove this person from the team? +The :attribute must be at least :length characters and contain at least one special character.
-Argentina +The :attribute must be at least :length characters and contain at least one uppercase character and one number.
-Armenia +The :attribute must be at least :length characters and contain at least one uppercase character and one special character.
-Aruba +The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.
-Attach +The :attribute must be at least :length characters and contain at least one uppercase character.
-Attach & Attach Another +The :attribute must be at least :length characters.
-Attach :resource +The provided password does not match your current password.
-August +The provided password was incorrect.
-Australia +The provided two factor authentication code was invalid.
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/sc/packages/jetstream.json) + +##### Missing: 146 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
-Austria +A new verification link has been sent to the email address you provided during registration.
-Azerbaijan +Accept Invitation
-Bahamas +Add
-Bahrain +Add a new team member to your team, allowing them to collaborate with you.
-Bangladesh +Add additional security to your account using two factor authentication.
-Barbados +Add Team Member
-Before proceeding, please check your email for a verification link. +Added.
-Belarus +Administrator
-Belgium +Administrator users can perform any action.
-Belize +All of the people that are part of this team.
-Benin +Already registered?
-Bermuda +API Token
-Bhutan +API Token Permissions
-Billing Information +API Tokens
-Billing Management +API tokens allow third-party services to authenticate with our application on your behalf.
-Bolivia +Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.
-Bolivia, Plurinational State of +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.
-Bonaire, Sint Eustatius and Saba +Are you sure you would like to delete this API token?
-Bosnia And Herzegovina +Are you sure you would like to leave this team?
-Bosnia and Herzegovina +Are you sure you would like to remove this person from the team?
-Botswana +Browser Sessions
-Bouvet Island +Cancel
-Brazil +Close
-British Indian Ocean Territory +Code
-Browser Sessions +Confirm
-Bulgaria +Confirm Password
-Burkina Faso +Create
-Burundi +Create a new team to collaborate with others on projects. +
+Create Account +
+Create API Token +
+Create New Team +
+Create Team +
+Created. +
+Current Password +
+Dashboard +
+Delete +
+Delete Account +
+Delete API Token +
+Delete Team +
+Disable +
+Done. +
+Editor +
+Editor users have the ability to read, create, and update. +
+Email +
+Email Password Reset Link +
+Enable +
+Ensure your account is using a long, random password to stay secure. +
+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. +
+Great! You have accepted the invitation to join the :team team. +
+I agree to the :terms_of_service and :privacy_policy +
+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 you already have an account, you may accept this invitation by clicking the button below: +
+If you did not expect to receive an invitation to this team, you may discard this 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: +
+Last active +
+Last used +
+Leave +
+Leave Team +
+Log in +
+Log Out +
+Log Out Other Browser Sessions +
+Manage Account +
+Manage and log out your active sessions on other browsers and devices. +
+Manage API Tokens +
+Manage Role +
+Manage Team +
+Name +
+New Password +
+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 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. +
+Password +
+Pending Team Invitations +
+Permanently delete this team. +
+Permanently delete your account. +
+Permissions +
+Photo +
+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 copy your new API token. For your security, it won't be shown again. +
+Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices. +
+Please provide the email address of the person you would like to add to this team. +
+Privacy Policy +
+Profile +
+Profile Information +
+Recovery Code +
+Regenerate Recovery Codes +
+Register +
+Remember me +
+Remove +
+Remove Photo +
+Remove Team Member +
+Resend Verification Email +
+Reset Password +
+Role +
+Save +
+Saved. +
+Select A New Photo +
+Show Recovery Codes +
+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. +
+Switch Teams +
+Team Details +
+Team Invitation +
+Team Members +
+Team Name +
+Team Owner +
+Team Settings +
+Terms of Service +
+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 a valid role. +
+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. +
+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, 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. +
+The provided password does not match your current password. +
+The provided password was incorrect. +
+The provided two factor authentication code was invalid. +
+The team's name and owner information. +
+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. +
+This device +
+This is a secure area of the application. Please confirm your password before continuing. +
+This password does not match our records. +
+This user already belongs to the team. +
+This user has already been invited to the team. +
+Token Name +
+Two Factor Authentication +
+Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application. +
+Update Password +
+Update your account's profile information and email address. +
+Use a recovery code +
+Use an authentication code +
+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. +
+Whoops! Something went wrong. +
+You have been invited to join the :team team! +
+You have enabled two factor authentication. +
+You have not enabled two factor authentication. +
+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. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/sc/packages/nova.json) + +##### Missing: 415 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+30 Days +
+60 Days +
+90 Days +
+:amount Total +
+:resource Details +
+:resource Details: :title +
+Action +
+Action Happened At +
+Action Initiated By +
+Action Name +
+Action Status +
+Action Target +
+Actions +
+Add row +
+Afghanistan +
+Aland Islands +
+Albania +
+Algeria +
+All resources loaded. +
+American Samoa +
+An error occured while uploading the file. +
+Andorra +
+Angola +
+Anguilla +
+Another user has updated this resource since this page was loaded. Please refresh the page and try again. +
+Antarctica +
+Antigua And Barbuda +
+April +
+Are you sure you want to delete the selected resources? +
+Are you sure you want to delete this file? +
+Are you sure you want to delete this resource? +
+Are you sure you want to detach the selected resources? +
+Are you sure you want to detach this resource? +
+Are you sure you want to force delete the selected resources? +
+Are you sure you want to force delete this resource? +
+Are you sure you want to restore the selected resources? +
+Are you sure you want to restore this resource? +
+Are you sure you want to run this action? +
+Argentina +
+Armenia +
+Aruba +
+Attach +
+Attach & Attach Another +
+Attach :resource +
+August +
+Australia +
+Austria +
+Azerbaijan +
+Bahamas +
+Bahrain +
+Bangladesh +
+Barbados +
+Belarus +
+Belgium +
+Belize +
+Benin +
+Bermuda +
+Bhutan +
+Bolivia +
+Bonaire, Sint Eustatius and Saba +
+Bosnia And Herzegovina +
+Botswana +
+Bouvet Island +
+Brazil +
+British Indian Ocean Territory +
+Bulgaria +
+Burkina Faso +
+Burundi
@@ -1408,2364 +2229,2761 @@ Cambodia
-Cameroon +Cameroon +
+Canada +
+Cancel +
+Cape Verde +
+Cayman Islands +
+Central African Republic +
+Chad +
+Changes +
+Chile +
+China +
+Choose +
+Choose :field +
+Choose :resource +
+Choose an option +
+Choose date +
+Choose File +
+Choose Type +
+Christmas Island +
+Click to choose +
+Cocos (Keeling) Islands +
+Colombia +
+Comoros +
+Confirm Password +
+Congo +
+Congo, Democratic Republic +
+Constant +
+Cook Islands +
+Costa Rica +
+could not be found. +
+Create +
+Create & Add Another +
+Create :resource +
+Croatia +
+Cuba +
+Curaçao +
+Customize +
+Cyprus +
+Dashboard +
+December +
+Decrease +
+Delete +
+Delete File +
+Delete Resource +
+Delete Selected +
+Denmark +
+Detach +
+Detach Resource +
+Detach Selected +
+Details +
+Djibouti +
+Do you really want to leave? You have unsaved changes. +
+Dominica +
+Dominican Republic +
+Download +
+Ecuador +
+Edit +
+Edit :resource +
+Edit Attached +
+Egypt +
+El Salvador +
+Email Address +
+Equatorial Guinea +
+Eritrea +
+Estonia +
+Ethiopia +
+Falkland Islands (Malvinas) +
+Faroe Islands +
+February +
+Fiji +
+Finland +
+Force Delete +
+Force Delete Resource +
+Force Delete Selected
-Canada +Forgot Your Password?
-Cancel +Forgot your password?
-Cancel Subscription +France
-Cape Verde +French Guiana
-Card +French Polynesia
-Cayman Islands +French Southern Territories
-Central African Republic +Gabon
-Chad +Gambia
-Change Subscription Plan +Georgia
-Changes +Germany
-Chile +Ghana
-China +Gibraltar
-Choose +Go Home
-Choose :field +Greece
-Choose :resource +Greenland
-Choose an option +Grenada
-Choose date +Guadeloupe
-Choose File +Guam
-Choose Type +Guatemala
-Christmas Island +Guernsey
-City +Guinea
-click here to request another +Guinea-Bissau
-Click to choose +Guyana
-Close +Haiti
-Cocos (Keeling) Islands +Heard Island & Mcdonald Islands
-Code +Hide Content
-Colombia +Hold Up!
-Comoros +Honduras
-Confirm +Hong Kong
-Confirm Password +Hungary
-Confirm Payment +Iceland
-Confirm your :amount payment +ID
-Congo +If you did not request a password reset, no further action is required.
-Congo, Democratic Republic +Increase
-Congo, the Democratic Republic of the +India
-Constant +Indonesia
-Cook Islands +Iran, Islamic Republic Of
-Costa Rica +Iraq
-could not be found. +Ireland
-Country +Isle Of Man
-Coupon +Israel
-Create +Italy
-Create & Add Another +Jamaica
-Create :resource +January
-Create a new team to collaborate with others on projects. +Japan
-Create Account +Jersey
-Create API Token +Jordan
-Create New Team +July
-Create Team +June
-Created. +Kazakhstan
-Croatia +Kenya
-Cuba +Key
-Curaçao +Kiribati
-Current Password +Korea
-Current Subscription Plan +Korea, Democratic People's Republic of
-Currently Subscribed +Kosovo
-Customize +Kuwait
-Cyprus +Kyrgyzstan
-Côte d'Ivoire +Latvia
-Dashboard +Lebanon
-December +Lens
-Decrease +Lesotho
-Delete +Liberia
-Delete Account +Libyan Arab Jamahiriya
-Delete API Token +Liechtenstein
-Delete File +Lithuania
-Delete Resource +Load :perPage More
-Delete Selected +Login
-Delete Team +Logout
-Denmark +Luxembourg
-Detach +Macao
-Detach Resource +Macedonia
-Detach Selected +Madagascar
-Details +Malawi
-Disable +Malaysia
-Djibouti +Maldives
-Do you really want to leave? You have unsaved changes. +Mali
-Dominica +Malta
-Dominican Republic +March
-Done. +Marshall Islands
-Download +Martinique
-Download Receipt +Mauritania +
+Mauritius +
+May +
+Mayotte +
+Mexico +
+Micronesia, Federated States Of +
+Moldova +
+Monaco +
+Mongolia +
+Montenegro +
+Month To Date +
+Montserrat +
+Morocco +
+Mozambique +
+Myanmar +
+Namibia +
+Nauru +
+Nepal +
+Netherlands +
+New +
+New :resource +
+New Caledonia +
+New Zealand
-E-Mail Address +Next
-Ecuador +Nicaragua
-Edit +Niger
-Edit :resource +Nigeria
-Edit Attached +Niue
-Editor +No
-Editor users have the ability to read, create, and update. +No :resource matched the given criteria.
-Egypt +No additional information...
-El Salvador +No Current Data
-Email +No Data
-Email Address +no file selected
-Email Addresses +No Increase
-Email Password Reset Link +No Prior Data
-Enable +No Results Found.
-Ensure your account is using a long, random password to stay secure. +Norfolk Island
-Equatorial Guinea +Northern Mariana Islands
-Eritrea +Norway
-Estonia +Nova User
-Ethiopia +November
-ex VAT +October
-Extra Billing Information +of
-Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below. +Oman
-Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below. +Only Trashed
-Falkland Islands (Malvinas) +Original
-Faroe Islands +Pakistan
-February +Palau
-Fiji +Palestinian Territory, Occupied
-Finland +Panama
-For your security, please confirm your password to continue. +Papua New Guinea
-Forbidden +Paraguay
-Force Delete +Password
-Force Delete Resource +Per Page
-Force Delete Selected +Peru
-Forgot Your Password? +Philippines
-Forgot your password? +Pitcairn
-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. +Poland
-France +Portugal
-French Guiana +Press / to search
-French Polynesia +Preview
-French Southern Territories +Previous
-Full name +Puerto Rico
-Gabon +Qatar
-Gambia +Quarter To Date
-Georgia +Reload
-Germany +Remember Me
-Ghana +Reset Filters
-Gibraltar +Reset Password
-Go back +Reset Password Notification
-Go Home +resource
-Go to page :page +Resources
-Great! You have accepted the invitation to join the :team team. +resources
-Greece +Restore
-Greenland +Restore Resource
-Grenada +Restore Selected
-Guadeloupe +Reunion
-Guam +Romania
-Guatemala +Run Action
-Guernsey +Russian Federation
-Guinea +Rwanda
-Guinea-Bissau +Saint Barthelemy
-Guyana +Saint Helena
-Haiti +Saint Kitts And Nevis
-Have a coupon code? +Saint Lucia
-Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +Saint Martin
-Heard Island & Mcdonald Islands +Saint Pierre And Miquelon
-Heard Island and McDonald Islands +Saint Vincent And Grenadines
-Hello! +Samoa
-Hide Content +San Marino
-Hold Up! +Sao Tome And Principe
-Honduras +Saudi Arabia
-Hong Kong +Search
-Hungary +Select Action
-I agree to the :terms_of_service and :privacy_policy +Select All
-Iceland +Select All Matching
-ID +Send Password Reset Link
-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. +Senegal
-If necessary, you may logout 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. +September
-If you already have an account, you may accept this invitation by clicking the button below: +Serbia
-If you did not create an account, no further action is required. +Seychelles
-If you did not expect to receive an invitation to this team, you may discard this email. +Show All Fields
-If you did not receive the email +Show Content
-If you did not request a password reset, no further action is required. +Sierra Leone
-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: +Singapore
-If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here. +Sint Maarten (Dutch part)
-If you’re having trouble clicking the ":actionText" button, copy and paste the URL below -into your web browser: +Slovakia
-Increase +Slovenia
-India +Solomon Islands
-Indonesia +Somalia
-Invalid signature. +Something went wrong.
-Iran, Islamic Republic of +Sorry! You are not authorized to perform this action.
-Iran, Islamic Republic Of +Sorry, your session has expired.
-Iraq +South Africa
-Ireland +South Georgia And Sandwich Isl.
-Isle of Man +South Sudan
-Isle Of Man +Spain
-Israel +Sri Lanka
-It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +Start Polling
-Italy +Stop Polling
-Jamaica +Sudan
-January +Suriname
-Japan +Svalbard And Jan Mayen
-Jersey +Sweden
-Jordan +Switzerland
-July +Syrian Arab Republic
-June +Taiwan
-Kazakhstan +Tajikistan
-Kenya +Tanzania
-Key +Thailand
-Kiribati +The :resource was created!
-Korea +The :resource was deleted!
-Korea, Democratic People's Republic of +The :resource was restored!
-Korea, Republic of +The :resource was updated!
-Kosovo +The action ran successfully!
-Kuwait +The file was deleted!
-Kyrgyzstan +The government won't let us show you what's behind these doors
-Last active +The HasOne relationship has already been filled.
-Last used +The resource was updated!
-Latvia +There are no available options for this resource.
-Leave +There was a problem executing the action.
-Leave Team +There was a problem submitting the form.
-Lebanon +This file field is read-only.
-Lens +This image
-Lesotho +This resource no longer exists
-Liberia +Timor-Leste
-Libyan Arab Jamahiriya +Today
-Liechtenstein +Togo
-Lithuania +Tokelau
-Load :perPage More +Tonga
-Log in +total
-Log out +Trashed
-Log Out +Trinidad And Tobago
-Log Out Other Browser Sessions +Tunisia
-Login +Turkey
-Logout +Turkmenistan
-Logout Other Browser Sessions +Turks And Caicos Islands
-Luxembourg +Tuvalu
-Macao +Uganda
-Macedonia +Ukraine
-Macedonia, the former Yugoslav Republic of +United Arab Emirates
-Madagascar +United Kingdom
-Malawi +United States
-Malaysia +United States Outlying Islands
-Maldives +Update
-Mali +Update & Continue Editing
-Malta +Update :resource
-Manage Account +Update :resource: :title
-Manage and log out your active sessions on other browsers and devices. +Update attached :resource: :title
-Manage and logout your active sessions on other browsers and devices. +Uruguay
-Manage API Tokens +Uzbekistan
-Manage Role +Value
-Manage Team +Vanuatu
-Managing billing for :billableName +Venezuela
-March +View
-Marshall Islands +Virgin Islands, British
-Martinique +Virgin Islands, U.S.
-Mauritania +Wallis And Futuna
-Mauritius +We're lost in space. The page you were trying to view does not exist.
-May +Welcome Back!
-Mayotte +Western Sahara
-Mexico +Whoops
-Micronesia, Federated States Of +Whoops!
-Moldova +With Trashed
-Moldova, Republic of +Write
-Monaco +Year To Date
-Mongolia +Yemen
-Montenegro +Yes
-Month To Date +You are receiving this email because we received a password reset request for your account.
-Monthly +Zambia
-monthly +Zimbabwe
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/sc/packages/spark-paddle.json) + +##### Missing: 33 + + + +
-Montserrat +An unexpected error occurred and we have notified our support team. Please try again later.
-Morocco +Billing Management
-Mozambique +Cancel Subscription
-Myanmar +Change Subscription Plan
-Name +Current Subscription Plan
-Namibia +Currently Subscribed
-Nauru +Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.
-Nepal +It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.
-Netherlands +Managing billing for :billableName
-Netherlands Antilles +Monthly
-Nevermind +Nevermind, I'll keep my old plan
-Nevermind, I'll keep my old plan +Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.
-New +Payment Method
-New :resource +Receipts
-New Caledonia +Resume Subscription
-New Password +Return to :appName
-New Zealand +Signed in as
-Next +Subscribe
-Nicaragua +Subscription Pending
-Niger +Terms of Service
-Nigeria +The selected plan is invalid.
-Niue +There is no active subscription.
-No +This account does not have an active subscription.
-No :resource matched the given criteria. +This subscription cannot be resumed. Please create a new subscription.
-No additional information... +Update Payment Method
-No Current Data +View Receipt
-No Data +We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.
-no file selected +Whoops! Something went wrong.
-No Increase +Yearly
-No Prior Data +You are already subscribed.
-No Results Found. +You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.
-Norfolk Island +Your current payment method is :paypal.
-Northern Mariana Islands +Your current payment method is a credit card ending in :lastFour that expires on :expiration.
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/sc/packages/spark-stripe.json) + +##### Missing: 313 + + - - @@ -3800,6 +5014,10 @@ Zimbabwe Zip / Postal Code + +
-Norway +:days day trial
-Not Found +Add VAT Number
-Nova User +Address
-November +Address Line 2
-October +Afghanistan
-of +Albania
-Oh no +Algeria
-Oman +American Samoa
-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. +An unexpected error occurred and we have notified our support team. Please try again later.
-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. +Andorra
-Only Trashed +Angola
-Original +Anguilla
-Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +Antarctica
-Page Expired +Antigua and Barbuda
-Pagination Navigation +Apply
-Pakistan +Apply Coupon
-Palau +Argentina
-Palestinian Territory, Occupied +Armenia
-Panama +Aruba
-Papua New Guinea +Australia
-Paraguay +Austria
-Password +Azerbaijan
-Pay :amount +Bahamas
-Payment Cancelled +Bahrain
-Payment Confirmation +Bangladesh
-Payment Information +Barbados
-Payment Successful +Belarus
-Pending Team Invitations +Belgium
-Per Page +Belize
-Permanently delete this team. +Benin
-Permanently delete your account. +Bermuda
-Permissions +Bhutan
-Peru +Billing Information
-Philippines +Billing Management
-Photo +Bolivia, Plurinational State of
-Pitcairn +Bosnia and Herzegovina
-Please click the button below to verify your email address. +Botswana
-Please confirm access to your account by entering one of your emergency recovery codes. +Bouvet Island
-Please confirm access to your account by entering the authentication code provided by your authenticator application. +Brazil
-Please confirm your password before continuing. +British Indian Ocean Territory
-Please copy your new API token. For your security, it won't be shown again. +Bulgaria
-Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices. +Burkina Faso
-Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices. +Burundi
-Please provide a maximum of three receipt emails addresses. +Cambodia
-Please provide the email address of the person you would like to add to this team. +Cameroon
-Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account. +Canada
-Please provide your name. +Cancel Subscription
-Poland +Cape Verde
-Portugal +Card
-Press / to search +Cayman Islands
-Preview +Central African Republic
-Previous +Chad
-Privacy Policy +Change Subscription Plan
-Profile +Chile
-Profile Information +China
-Puerto Rico +Christmas Island
-Qatar +City
-Quarter To Date +Cocos (Keeling) Islands
-Receipt Email Addresses +Colombia
-Receipts +Comoros
-Recovery Code +Confirm Payment
-Regards +Confirm your :amount payment
-Regenerate Recovery Codes +Congo
-Register +Congo, the Democratic Republic of the
-Reload +Cook Islands
-Remember me +Costa Rica
-Remember Me +Country
-Remove +Coupon
-Remove Photo +Croatia
-Remove Team Member +Cuba
-Resend Verification Email +Current Subscription Plan
-Reset Filters +Currently Subscribed
-Reset Password +Cyprus
-Reset Password Notification +Côte d'Ivoire
-resource +Denmark
-Resources +Djibouti
-resources +Dominica
-Restore +Dominican Republic
-Restore Resource +Download Receipt
-Restore Selected +Ecuador
-results +Egypt
-Resume Subscription +El Salvador
-Return to :appName +Email Addresses
-Reunion +Equatorial Guinea
-Role +Eritrea
-Romania +Estonia
-Run Action +Ethiopia
-Russian Federation +ex VAT
-Rwanda +Extra Billing Information
-Réunion +Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.
-Saint Barthelemy +Falkland Islands (Malvinas)
-Saint Barthélemy +Faroe Islands
-Saint Helena +Fiji
-Saint Kitts and Nevis +Finland
-Saint Kitts And Nevis +France
-Saint Lucia +French Guiana
-Saint Martin +French Polynesia
-Saint Martin (French part) +French Southern Territories
-Saint Pierre and Miquelon +Gabon
-Saint Pierre And Miquelon +Gambia
-Saint Vincent And Grenadines +Georgia
-Saint Vincent and the Grenadines +Germany
-Samoa +Ghana
-San Marino +Gibraltar
-Sao Tome and Principe +Greece
-Sao Tome And Principe +Greenland
-Saudi Arabia +Grenada
-Save +Guadeloupe
-Saved. +Guam
-Search +Guatemala
-Select +Guernsey
-Select a different plan +Guinea
-Select A New Photo +Guinea-Bissau
-Select Action +Guyana
-Select All +Haiti
-Select All Matching +Have a coupon code?
-Send Password Reset Link +Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.
-Senegal +Heard Island and McDonald Islands
-September +Honduras
-Serbia +Hong Kong
-Server Error +Hungary
-Service Unavailable +I accept the terms of service
-Seychelles +Iceland
-Show All Fields +If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
-Show Content +India
-Show Recovery Codes +Indonesia
-Showing +Iran, Islamic Republic of
-Sierra Leone +Iraq
-Signed in as +Ireland
-Singapore +Isle of Man
-Sint Maarten (Dutch part) +Israel
-Slovakia +It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.
-Slovenia +Italy
-Solomon Islands +Jamaica
-Somalia +Japan
-Something went wrong. +Jersey
-Sorry! You are not authorized to perform this action. +Jordan
-Sorry, your session has expired. +Kazakhstan
-South Africa +Kenya
-South Georgia And Sandwich Isl. +Kiribati
-South Georgia and the South Sandwich Islands +Korea, Democratic People's Republic of
-South Sudan +Korea, Republic of
-Spain +Kuwait
-Sri Lanka +Kyrgyzstan
-Start Polling +Latvia
-State / County +Lebanon
-Stop Polling +Lesotho
-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. +Liberia
-Subscribe +Libyan Arab Jamahiriya
-Subscription Information +Liechtenstein
-Sudan +Lithuania
-Suriname +Luxembourg
-Svalbard And Jan Mayen +Macao
-Sweden +Macedonia, the former Yugoslav Republic of
-Switch Teams +Madagascar
-Switzerland +Malawi
-Syrian Arab Republic +Malaysia
-Taiwan +Maldives
-Taiwan, Province of China +Mali
-Tajikistan +Malta
-Tanzania +Managing billing for :billableName
-Tanzania, United Republic of +Marshall Islands
-Team Details +Martinique
-Team Invitation +Mauritania
-Team Members +Mauritius
-Team Name +Mayotte
-Team Owner +Mexico
-Team Settings +Micronesia, Federated States of
-Terms of Service +Moldova, Republic of
-Thailand +Monaco
-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. +Mongolia
-Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns. +Montenegro
-Thanks, +Monthly
-The :attribute must be a valid role. +monthly
-The :attribute must be at least :length characters and contain at least one number. +Montserrat
-The :attribute must be at least :length characters and contain at least one special character and one number. +Morocco
-The :attribute must be at least :length characters and contain at least one special character. +Mozambique
-The :attribute must be at least :length characters and contain at least one uppercase character and one number. +Myanmar
-The :attribute must be at least :length characters and contain at least one uppercase character and one special character. +Namibia
-The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character. +Nauru
-The :attribute must be at least :length characters and contain at least one uppercase character. +Nepal
-The :attribute must be at least :length characters. +Netherlands
-The :attribute must contain at least one letter. +Netherlands Antilles
-The :attribute must contain at least one number. +Nevermind, I'll keep my old plan
-The :attribute must contain at least one symbol. +New Caledonia
-The :attribute must contain at least one uppercase and one lowercase letter. +New Zealand
-The :resource was created! +Nicaragua
-The :resource was deleted! +Niger
-The :resource was restored! +Nigeria
-The :resource was updated! +Niue
-The action ran successfully! +Norfolk Island
-The file was deleted! +Northern Mariana Islands
-The given :attribute has appeared in a data leak. Please choose a different :attribute. +Norway
-The government won't let us show you what's behind these doors +Oman
-The HasOne relationship has already been filled. +Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.
-The payment was successful. +Pakistan
-The provided coupon code is invalid. +Palau
-The provided password does not match your current password. +Palestinian Territory, Occupied
-The provided password was incorrect. +Panama
-The provided two factor authentication code was invalid. +Papua New Guinea
-The provided VAT number is invalid. +Paraguay
-The receipt emails must be valid email addresses. +Payment Information
-The resource was updated! +Peru
-The selected country is invalid. +Philippines
-The selected plan is invalid. +Pitcairn
-The team's name and owner information. +Please accept the terms of service.
-There are no available options for this resource. +Please provide a maximum of three receipt emails addresses.
-There was a problem executing the action. +Poland
-There was a problem submitting the form. +Portugal
-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. +Puerto Rico
-This account does not have an active subscription. +Qatar
-This action is unauthorized. +Receipt Email Addresses
-This device +Receipts
-This file field is read-only. +Resume Subscription
-This image +Return to :appName
-This is a secure area of the application. Please confirm your password before continuing. +Romania
-This password does not match our records. +Russian Federation
-This password reset link will expire in :count minutes. +Rwanda
-This payment was already successfully confirmed. +Réunion
-This payment was cancelled. +Saint Barthélemy
-This resource no longer exists +Saint Helena
-This subscription has expired and cannot be resumed. Please create a new subscription. +Saint Kitts and Nevis
-This user already belongs to the team. +Saint Lucia
-This user has already been invited to the team. +Saint Martin (French part)
-Timor-Leste +Saint Pierre and Miquelon
-to +Saint Vincent and the Grenadines
-Today +Samoa
-Toggle navigation +San Marino
-Togo +Sao Tome and Principe
-Tokelau +Saudi Arabia
-Token Name +Save
-Tonga +Select
-Too Many Attempts. +Select a different plan
-Too Many Requests +Senegal
-total +Serbia
-Total: +Seychelles
-Trashed +Sierra Leone
-Trinidad And Tobago +Signed in as
-Tunisia +Singapore
-Turkey +Slovakia
-Turkmenistan +Slovenia
-Turks and Caicos Islands +Solomon Islands
-Turks And Caicos Islands +Somalia
-Tuvalu +South Africa
-Two Factor Authentication +South Georgia and the South Sandwich Islands
-Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application. +Spain
-Uganda +Sri Lanka
-Ukraine +State / County
-Unauthorized +Subscribe
-United Arab Emirates +Subscription Information
-United Kingdom +Sudan
-United States +Suriname
-United States Minor Outlying Islands +Svalbard and Jan Mayen
-United States Outlying Islands +Sweden
-Update +Switzerland
-Update & Continue Editing +Syrian Arab Republic
-Update :resource +Taiwan, Province of China
-Update :resource: :title +Tajikistan
-Update attached :resource: :title +Tanzania, United Republic of
-Update Password +Terms of Service
-Update Payment Information +Thailand
-Update your account's profile information and email address. +Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.
-Uruguay +Thanks,
-Use a recovery code +The provided coupon code is invalid.
-Use an authentication code +The provided VAT number is invalid.
-Uzbekistan +The receipt emails must be valid email addresses.
-Value +The selected country is invalid.
-Vanuatu +The selected plan is invalid.
-VAT Number +This account does not have an active subscription.
-Venezuela +This subscription has expired and cannot be resumed. Please create a new subscription.
-Venezuela, Bolivarian Republic of +Timor-Leste
-Verify Email Address +Togo
-Verify Your Email Address +Tokelau
-View +Tonga
-Virgin Islands, British +Total:
-Virgin Islands, U.S. +Trinidad and Tobago
-Wallis and Futuna +Tunisia
-Wallis And Futuna +Turkey
-We are unable to process your payment. Please contact customer support. +Turkmenistan
-We were unable to find a registered user with this email address. +Turks and Caicos Islands
-We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas. +Tuvalu
-We won't ask for your password again for a few hours. +Uganda
-We're lost in space. The page you were trying to view does not exist. +Ukraine
-Welcome Back! +United Arab Emirates
-Western Sahara +United Kingdom
-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. +United States
-Whoops +United States Minor Outlying Islands
-Whoops! +Update
-Whoops! Something went wrong. +Update Payment Information
-With Trashed +Uruguay
-Write +Uzbekistan
-Year To Date +Vanuatu
-Yearly +VAT Number
-Yemen +Venezuela, Bolivarian Republic of
-Yes +Virgin Islands, British
-You are currently within your free trial period. Your trial will expire on :date. +Virgin Islands, U.S.
-You are logged in! +Wallis and Futuna
-You are receiving this email because we received a password reset request for your account. +We are unable to process your payment. Please contact customer support.
-You have been invited to join the :team team! +We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.
-You have enabled two factor authentication. +Western Sahara
-You have not enabled two factor authentication. +Whoops! Something went wrong.
-You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +Yearly
-You may delete any of your existing tokens if they are no longer needed. +Yemen
-You may not delete your personal team. +You are currently within your free trial period. Your trial will expire on :date.
-You may not leave a team that you created. +You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.
@@ -3781,10 +4999,6 @@ Your current payment method is a credit card ending in :lastFour that expires on
-Your email address is not verified. -
Your registered VAT Number is :vatNumber.
+Åland Islands +
diff --git a/docs/statuses/si.md b/docs/statuses/si.md index fbdc3d71c44..69ea429dc75 100644 --- a/docs/statuses/si.md +++ b/docs/statuses/si.md @@ -2,12 +2,461 @@ # si -##### All missed: 92 +##### All missed: 166 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/si/auth.php) -##### Missing: 92 +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/si/validation-inline.php) + +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [si](https://github.com/Laravel-Lang/lang/blob/master/locales/si/si.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/si/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/si/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/si/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/si/packages/spark-stripe.json) + +##### Missing: 95 + + + + @@ -115,6 +572,10 @@ Heard Island and McDonald Islands + + @@ -143,6 +604,10 @@ Managing billing for :billableName + + @@ -171,6 +636,10 @@ Payment Information + + @@ -247,6 +716,10 @@ Subscription Information + + @@ -263,26 +736,6 @@ Thanks, - - - - - - - - - - @@ -315,6 +768,10 @@ Total: + + @@ -378,6 +835,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +484,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/sk.md b/docs/statuses/sk.md index f2b1832a084..630bec16337 100644 --- a/docs/statuses/sk.md +++ b/docs/statuses/sk.md @@ -2,12 +2,728 @@ # sk -##### All missed: 156 +##### All missed: 284 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/sk/auth.php) -##### Missing: 156 +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/sk/validation-inline.php) + +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [sk](https://github.com/Laravel-Lang/lang/blob/master/locales/sk/sk.json) + +##### Missing: 6 + + + + + + + + + + + + + + + +
+Nevermind +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/sk/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/sk/packages/jetstream.json) + +##### Missing: 2 + + + + + + + +
+Editor +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/sk/packages/nova.json) + +##### Missing: 62 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+Angola +
+Anguilla +
+Aruba +
+August +
+Barbados +
+Belize +
+Benin +
+Botswana +
+Burkina Faso +
+Burundi +
+Cyprus +
+December +
+Egypt +
+Eritrea +
+Gambia +
+Ghana +
+Grenada +
+Guadeloupe +
+Guam +
+Guatemala +
+Guernsey +
+Guinea +
+Guinea-Bissau +
+Guyana +
+Haiti +
+Honduras +
+ID +
+India +
+Jersey +
+Kiribati +
+Lesotho +
+Macao +
+Malawi +
+Malta +
+Mayotte +
+Mexico +
+Montserrat +
+Nauru +
+Niger +
+Niue +
+November +
+Pakistan +
+Palau +
+Panama +
+Peru +
+Qatar +
+Rwanda +
+Samoa +
+Senegal +
+September +
+Sierra Leone +
+Sint Maarten (Dutch part) +
+Taiwan +
+Togo +
+Tokelau +
+Tuvalu +
+Uganda +
+Uzbekistan +
+Vanuatu +
+Venezuela +
+Zambia +
+Zimbabwe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/sk/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/sk/packages/spark-stripe.json) + +##### Missing: 149 + + - - - - @@ -223,7 +935,7 @@ Honduras + + @@ -315,10 +1031,6 @@ Netherlands Antilles - - @@ -331,10 +1043,6 @@ Niue - - @@ -359,6 +1067,10 @@ Peru + + @@ -431,10 +1143,6 @@ Senegal - - @@ -443,10 +1151,6 @@ Signed in as - - @@ -463,7 +1167,7 @@ Subscription Information - - - - - - - - - - @@ -543,6 +1227,10 @@ Total: + + @@ -575,10 +1263,6 @@ VAT Number - - @@ -634,6 +1318,10 @@ Zimbabwe Zip / Postal Code + +
@@ -43,11 +759,15 @@ Antigua and Barbuda
-Aruba +Apply
-August +Apply Coupon +
+Aruba
@@ -131,18 +851,10 @@ Côte d'Ivoire
-December -
Download Receipt
-Editor -
Egypt
-ID +I accept the terms of service
@@ -291,6 +1003,10 @@ Mexico
+Micronesia, Federated States of +
Moldova, Republic of
-Nevermind -
Nevermind, I'll keep my old plan
-November -
Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
-September -
Sierra Leone
-Sint Maarten (Dutch part) -
South Georgia and the South Sandwich Islands
-Taiwan +Svalbard and Jan Mayen
@@ -483,26 +1187,6 @@ Thanks,
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
-Venezuela -
Venezuela, Bolivarian Republic of
+Åland Islands +
diff --git a/docs/statuses/sl.md b/docs/statuses/sl.md index 6ac8dba8dfb..1ce8be6cc61 100644 --- a/docs/statuses/sl.md +++ b/docs/statuses/sl.md @@ -2,12 +2,431 @@ # sl -##### All missed: 145 +##### All missed: 227 -### json +### [sl](https://github.com/Laravel-Lang/lang/blob/master/locales/sl/sl.json) -##### Missing: 145 +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/sl/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/sl/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/sl/packages/nova.json) + +##### Missing: 53 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+Angola +
+April +
+Argentina +
+Aruba +
+Barbados +
+Belize +
+Benin +
+Burkina Faso +
+Burundi +
+December +
+Gabon +
+Gibraltar +
+Grenada +
+Guadeloupe +
+Haiti +
+Honduras +
+ID +
+Iran, Islamic Republic Of +
+Jersey +
+Kiribati +
+Kosovo +
+Macao +
+Malta +
+Mayotte +
+Montserrat +
+Nauru +
+Nepal +
+Niue +
+November +
+Oman +
+Pakistan +
+Palau +
+Panama +
+Peru +
+Qatar +
+Saint Barthelemy +
+Saint Kitts And Nevis +
+Saint Martin +
+Samoa +
+San Marino +
+Senegal +
+September +
+Sierra Leone +
+Sint Maarten (Dutch part) +
+Sudan +
+Togo +
+Tokelau +
+Turkmenistan +
+Tuvalu +
+Uganda +
+Uzbekistan +
+Vanuatu +
+Venezuela +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/sl/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/sl/packages/spark-stripe.json) + +##### Missing: 136 + + - - @@ -179,7 +598,7 @@ Honduras - - @@ -215,10 +630,6 @@ Korea, Republic of - - @@ -239,6 +650,10 @@ Mayotte + + @@ -275,10 +690,6 @@ Niue - - @@ -307,6 +718,10 @@ Peru + + @@ -335,10 +750,6 @@ Réunion - - @@ -347,14 +758,6 @@ Saint Kitts and Nevis - - - - @@ -391,10 +794,6 @@ Senegal - - @@ -403,10 +802,6 @@ Signed in as - - @@ -427,6 +822,10 @@ Sudan + + @@ -443,26 +842,6 @@ Thanks, - - - - - - - - - - @@ -503,6 +882,10 @@ Total: + + @@ -539,10 +922,6 @@ VAT Number - - @@ -590,6 +969,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -39,7 +458,11 @@ Antigua and Barbuda
-April +Apply +
+Apply Coupon
@@ -123,10 +546,6 @@ Côte d'Ivoire
-December -
Download Receipt
-ID +I accept the terms of service
@@ -191,10 +610,6 @@ Iran, Islamic Republic of
-Iran, Islamic Republic Of -
Isle of Man
-Kosovo -
Macao
+Micronesia, Federated States of +
Moldova, Republic of
-November -
Oman
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
-Saint Barthelemy -
Saint Barthélemy
-Saint Kitts And Nevis -
-Saint Martin -
Saint Martin (French part)
-September -
Sierra Leone
-Sint Maarten (Dutch part) -
South Georgia and the South Sandwich Islands
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turkmenistan
-Venezuela -
Venezuela, Bolivarian Republic of
+Åland Islands +
diff --git a/docs/statuses/sq.md b/docs/statuses/sq.md index a3ad3c21243..c8685ec9060 100644 --- a/docs/statuses/sq.md +++ b/docs/statuses/sq.md @@ -2,12 +2,107 @@ # sq -##### All missed: 182 +##### All missed: 304 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/sq/auth.php) -##### Missing: 182 +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [sq](https://github.com/Laravel-Lang/lang/blob/master/locales/sq/sq.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/sq/packages/cashier.json) + +##### Missing: 2 + + + + + + + +
+Card +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/sq/packages/jetstream.json) + +##### Missing: 4 + + + + + + + + + + + +
+Administrator +
+API Token +
+Email +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/sq/packages/nova.json) + +##### Missing: 86 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
@@ -15,6 +110,492 @@
+Angola +
+Anguilla +
+Armenia +
+Aruba +
+Austria +
+Bahrain +
+Bangladesh +
+Barbados +
+Belize +
+Benin +
+Bermuda +
+Bolivia +
+Brazil +
+Burkina Faso +
+Burundi +
+Cape Verde +
+Comoros +
+Djibouti +
+Eritrea +
+Estonia +
+Fiji +
+Gabon +
+Gambia +
+Gibraltar +
+Greenland +
+Grenada +
+Guadeloupe +
+Guam +
+Guatemala +
+Guernsey +
+Guinea +
+Guyana +
+Haiti +
+Honduras +
+Hong Kong +
+ID +
+India +
+Iran, Islamic Republic Of +
+Jordan +
+Kiribati +
+Liberia +
+Macao +
+Malaysia +
+Maldives +
+Malta +
+Martinique +
+Mauritania +
+Mauritius +
+Mayotte +
+Mongolia +
+Montserrat +
+Myanmar +
+Namibia +
+Nauru +
+Nepal +
+Niger +
+Nigeria +
+Niue +
+Oman +
+Pakistan +
+Palau +
+Panama +
+Peru +
+Qatar +
+Saint Martin +
+Samoa +
+San Marino +
+Senegal +
+Serbia +
+Sierra Leone +
+Singapore +
+Somalia +
+Sri Lanka +
+Sudan +
+Suriname +
+Tanzania +
+Timor-Leste +
+Tokelau +
+Tuvalu +
+Uganda +
+Uruguay +
+Uzbekistan +
+Vanuatu +
+Venezuela +
+Zambia +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/sq/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/sq/packages/spark-stripe.json) + +##### Missing: 175 + + + @@ -31,10 +612,6 @@ Address Line 2 - - @@ -51,7 +628,11 @@ Antigua and Barbuda + + - - @@ -179,10 +756,6 @@ Download Receipt - - @@ -275,7 +848,7 @@ Hong Kong - - @@ -359,6 +928,10 @@ Mayotte + + @@ -443,6 +1016,10 @@ Peru + + @@ -479,10 +1056,6 @@ Saint Kitts and Nevis - - @@ -567,11 +1140,11 @@ Suriname - - - - - - - - - - @@ -647,6 +1200,10 @@ Total: + + @@ -683,10 +1240,6 @@ VAT Number - - @@ -738,6 +1291,10 @@ Zambia Zip / Postal Code + +
:days day trial
-Administrator -
An unexpected error occurred and we have notified our support team. Please try again later.
-API Token +Apply +
+Apply Coupon
@@ -99,10 +680,6 @@ Billing Management
-Bolivia -
Bolivia, Plurinational State of
-Email -
Email Addresses
-ID +I accept the terms of service
@@ -291,10 +864,6 @@ Iran, Islamic Republic of
-Iran, Islamic Republic Of -
Isle of Man
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
-Saint Martin -
Saint Martin (French part)
-Taiwan, Province of China +Svalbard and Jan Mayen
-Tanzania +Taiwan, Province of China
@@ -587,26 +1160,6 @@ Thanks,
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
-Venezuela -
Venezuela, Bolivarian Republic of
+Åland Islands +
diff --git a/docs/statuses/sr-cyrl.md b/docs/statuses/sr-cyrl.md index 8eba18ec746..b9ccfde207e 100644 --- a/docs/statuses/sr-cyrl.md +++ b/docs/statuses/sr-cyrl.md @@ -2,12 +2,249 @@ # sr_Cyrl -##### All missed: 95 +##### All missed: 140 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/sr_Cyrl/auth.php) -##### Missing: 95 +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [sr_Cyrl](https://github.com/Laravel-Lang/lang/blob/master/locales/sr_Cyrl/sr_Cyrl.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/sr_Cyrl/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/sr_Cyrl/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/sr_Cyrl/packages/nova.json) + +##### Missing: 3 + + + + + + + + + +
+Hong Kong +
+Luxembourg +
+Qatar +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/sr_Cyrl/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/sr_Cyrl/packages/spark-stripe.json) + +##### Missing: 98 + + + + @@ -119,6 +364,10 @@ Hong Kong + + @@ -151,6 +400,10 @@ Managing billing for :billableName + + @@ -179,6 +432,10 @@ Payment Information + + @@ -259,6 +516,10 @@ Subscription Information + + @@ -275,26 +536,6 @@ Thanks, - - - - - - - - - - @@ -327,6 +568,10 @@ Total: + + @@ -390,6 +635,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +272,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/sr-latn-me.md b/docs/statuses/sr-latn-me.md index 7f765fb81b3..d800c7489f1 100644 --- a/docs/statuses/sr-latn-me.md +++ b/docs/statuses/sr-latn-me.md @@ -2,12 +2,466 @@ # sr_Latn_ME -##### All missed: 95 +##### All missed: 171 -### json +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/sr_Latn_ME/validation-inline.php) -##### Missing: 95 +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [sr_Latn_ME](https://github.com/Laravel-Lang/lang/blob/master/locales/sr_Latn_ME/sr_Latn_ME.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/sr_Latn_ME/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/sr_Latn_ME/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/sr_Latn_ME/packages/nova.json) + +##### Missing: 3 + + + + + + + + + +
+Hong Kong +
+Luxembourg +
+Qatar +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/sr_Latn_ME/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/sr_Latn_ME/packages/spark-stripe.json) + +##### Missing: 98 + + + + @@ -119,6 +581,10 @@ Hong Kong + + @@ -151,6 +617,10 @@ Managing billing for :billableName + + @@ -179,6 +649,10 @@ Payment Information + + @@ -259,6 +733,10 @@ Subscription Information + + @@ -275,26 +753,6 @@ Thanks, - - - - - - - - - - @@ -327,6 +785,10 @@ Total: + + @@ -390,6 +852,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +489,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/sr-latn.md b/docs/statuses/sr-latn.md index 515a398ef66..266e16fc2ee 100644 --- a/docs/statuses/sr-latn.md +++ b/docs/statuses/sr-latn.md @@ -2,12 +2,249 @@ # sr_Latn -##### All missed: 95 +##### All missed: 140 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/sr_Latn/auth.php) -##### Missing: 95 +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [sr_Latn](https://github.com/Laravel-Lang/lang/blob/master/locales/sr_Latn/sr_Latn.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/sr_Latn/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/sr_Latn/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/sr_Latn/packages/nova.json) + +##### Missing: 3 + + + + + + + + + +
+Hong Kong +
+Luxembourg +
+Qatar +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/sr_Latn/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/sr_Latn/packages/spark-stripe.json) + +##### Missing: 98 + + + + @@ -119,6 +364,10 @@ Hong Kong + + @@ -151,6 +400,10 @@ Managing billing for :billableName + + @@ -179,6 +432,10 @@ Payment Information + + @@ -259,6 +516,10 @@ Subscription Information + + @@ -275,26 +536,6 @@ Thanks, - - - - - - - - - - @@ -327,6 +568,10 @@ Total: + + @@ -390,6 +635,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +272,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/sv.md b/docs/statuses/sv.md index e675e8cc26a..590b908c0fc 100644 --- a/docs/statuses/sv.md +++ b/docs/statuses/sv.md @@ -2,20 +2,944 @@ # sv -##### All missed: 209 +##### All missed: 383 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/sv/auth.php) -##### Missing: 209 +##### Missing: 1 + + + +
-:days day trial +password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/sv/validation-inline.php) + +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [sv](https://github.com/Laravel-Lang/lang/blob/master/locales/sv/sv.json) + +##### Missing: 6 + + + + + + + + + + + + + + + +
+Nevermind +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/sv/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/sv/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/sv/packages/nova.json) + +##### Missing: 116 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+Action Status +
+Afghanistan +
+Andorra +
+Angola +
+Anguilla +
+April +
+Argentina +
+Armenia +
+Aruba +
+Bahamas +
+Bahrain +
+Bangladesh +
+Barbados +
+Belize +
+Benin +
+Bermuda +
+Bhutan +
+Bolivia +
+Botswana +
+Burkina Faso +
+Burundi +
+Chile +
+Colombia +
+Costa Rica +
+December +
+Djibouti +
+Ecuador +
+Egypt +
+Eritrea +
+Fiji +
+Finland +
+Gabon +
+Gambia +
+Ghana +
+Gibraltar +
+Grenada +
+Guadeloupe +
+Guam +
+Guatemala +
+Guernsey +
+Guinea +
+Guinea-Bissau +
+Guyana +
+Haiti +
+Honduras +
+ID +
+Iran, Islamic Republic Of +
+Isle Of Man +
+Israel +
+Jamaica +
+Japan +
+Jersey +
+Jordan +
+Kenya +
+Kiribati +
+Kosovo +
+Kuwait +
+Lesotho +
+Liberia +
+Liechtenstein +
+Macao +
+Malawi +
+Malaysia +
+Maldives +
+Malta +
+Martinique +
+Mauritius +
+Mayotte +
+Mexico +
+Monaco +
+Montenegro +
+Montserrat +
+Myanmar +
+Namibia +
+Nauru +
+Nicaragua +
+Niger +
+Nigeria +
+Niue +
+November +
+Oman +
+Pakistan +
+Palau +
+Panama +
+Paraguay +
+Peru +
+Portugal +
+Puerto Rico +
+Qatar +
+Rwanda +
+Saint Barthelemy +
+Saint Helena +
+Samoa +
+San Marino +
+Senegal +
+September +
+Sierra Leone +
+Singapore +
+Sint Maarten (Dutch part) +
+Somalia +
+Sri Lanka +
+Sudan +
+Taiwan +
+Tanzania +
+Thailand +
+Togo +
+Tokelau +
+total
-Action Status +Turkmenistan +
+Tuvalu +
+Uganda +
+Uzbekistan +
+Vanuatu +
+Venezuela +
+Zambia +
+Zimbabwe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/sv/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/sv/packages/spark-stripe.json) + +##### Missing: 195 + + + + + - - @@ -183,10 +1107,6 @@ Côte d'Ivoire - - @@ -295,7 +1215,7 @@ Honduras - - - - @@ -355,10 +1267,6 @@ Korea, Republic of - - @@ -419,6 +1327,10 @@ Mexico + + @@ -459,10 +1371,6 @@ Netherlands Antilles - - @@ -483,10 +1391,6 @@ Niue - - @@ -519,6 +1423,10 @@ Peru + + @@ -559,10 +1467,6 @@ Réunion - - @@ -611,10 +1515,6 @@ Senegal - - @@ -627,10 +1527,6 @@ Singapore - - @@ -659,7 +1555,7 @@ Sudan - - @@ -687,26 +1579,6 @@ Thanks, - - - - - - - - - - @@ -743,11 +1615,11 @@ Tokelau - - @@ -846,6 +1714,10 @@ Zimbabwe Zip / Postal Code + +
+:days day trial
@@ -55,7 +979,11 @@ Antigua and Barbuda
-April +Apply +
+Apply Coupon
@@ -111,10 +1039,6 @@ Billing Management
-Bolivia -
Bolivia, Plurinational State of
-December -
Djibouti
-ID +I accept the terms of service
@@ -307,18 +1227,10 @@ Iran, Islamic Republic of
-Iran, Islamic Republic Of -
Isle of Man
-Isle Of Man -
Israel
-Kosovo -
Kuwait
+Micronesia, Federated States of +
Moldova, Republic of
-Nevermind -
Nevermind, I'll keep my old plan
-November -
Oman
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
-Saint Barthelemy -
Saint Barthélemy
-September -
Sierra Leone
-Sint Maarten (Dutch part) -
Somalia
-Taiwan +Svalbard and Jan Mayen
@@ -667,10 +1563,6 @@ Taiwan, Province of China
-Tanzania -
Tanzania, United Republic of
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
-total +Total:
-Total: +Trinidad and Tobago
@@ -787,10 +1659,6 @@ VAT Number
-Venezuela -
Venezuela, Bolivarian Republic of
+Åland Islands +
diff --git a/docs/statuses/sw.md b/docs/statuses/sw.md index f0f83c64aeb..5b40c0fde25 100644 --- a/docs/statuses/sw.md +++ b/docs/statuses/sw.md @@ -2,12 +2,1264 @@ # sw -##### All missed: 289 +##### All missed: 527 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/sw/auth.php) -##### Missing: 289 +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/sw/validation-inline.php) + +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [sw](https://github.com/Laravel-Lang/lang/blob/master/locales/sw/sw.json) + +##### Missing: 11 + + + + + + + + + + + + + + + + + + + + + + + + + +
+Hello! +
+Nevermind +
+Oh no +
+Regards +
+Server Error +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+Toggle navigation +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/sw/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/sw/packages/jetstream.json) + +##### Missing: 4 + + + + + + + + + + + +
+Password +
+Profile +
+Update Password +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/sw/packages/nova.json) + +##### Missing: 189 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+Afghanistan +
+Albania +
+Algeria +
+American Samoa +
+Angola +
+Anguilla +
+Antarctica +
+Argentina +
+Armenia +
+Aruba +
+Australia +
+Austria +
+Azerbaijan +
+Bahamas +
+Bahrain +
+Bangladesh +
+Barbados +
+Belarus +
+Belize +
+Benin +
+Bermuda +
+Bhutan +
+Bolivia +
+Botswana +
+Brazil +
+British Indian Ocean Territory +
+Bulgaria +
+Burkina Faso +
+Burundi +
+Cambodia +
+Cameroon +
+Canada +
+Cape Verde +
+Cayman Islands +
+Chad +
+Chile +
+China +
+Cocos (Keeling) Islands +
+Colombia +
+Congo +
+Costa Rica +
+Croatia +
+Cuba +
+Customize +
+Cyprus +
+Denmark +
+Detach +
+Djibouti +
+Ecuador +
+Equatorial Guinea +
+Eritrea +
+Estonia +
+Ethiopia +
+Fiji +
+Finland +
+Gabon +
+Gambia +
+Georgia +
+Ghana +
+Gibraltar +
+Greenland +
+Grenada +
+Guadeloupe +
+Guam +
+Guatemala +
+Guernsey +
+Guinea +
+Guinea-Bissau +
+Guyana +
+Haiti +
+Honduras +
+Hong Kong +
+Hungary +
+ID +
+India +
+Indonesia +
+Iran, Islamic Republic Of +
+Iraq +
+Ireland +
+Isle Of Man +
+Jamaica +
+Japan +
+Jersey +
+Jordan +
+Kazakhstan +
+Kenya +
+Kiribati +
+Kosovo +
+Kuwait +
+Kyrgyzstan +
+Latvia +
+Lebanon +
+Lens +
+Lesotho +
+Liberia +
+Libyan Arab Jamahiriya +
+Liechtenstein +
+Lithuania +
+Login +
+Logout +
+Macao +
+Madagascar +
+Malawi +
+Malaysia +
+Maldives +
+Malta +
+Martinique +
+Mauritania +
+Mauritius +
+Mayotte +
+Mexico +
+Micronesia, Federated States Of +
+Moldova +
+Monaco +
+Mongolia +
+Montenegro +
+Montserrat +
+Morocco +
+Myanmar +
+Namibia +
+Nauru +
+Nepal +
+New Zealand +
+Nicaragua +
+Niger +
+Nigeria +
+Niue +
+No Results Found. +
+Norway +
+Oman +
+Pakistan +
+Palau +
+Panama +
+Papua New Guinea +
+Paraguay +
+Password +
+Peru +
+Philippines +
+Poland +
+Puerto Rico +
+Qatar +
+Reload +
+Romania +
+Rwanda +
+Saint Lucia +
+Saint Martin +
+Samoa +
+San Marino +
+Saudi Arabia +
+Search +
+Senegal +
+Serbia +
+Seychelles +
+Sierra Leone +
+Singapore +
+Sint Maarten (Dutch part) +
+Slovakia +
+Slovenia +
+Somalia +
+Sri Lanka +
+Sudan +
+Suriname +
+Sweden +
+Syrian Arab Republic +
+Taiwan +
+Tajikistan +
+Tanzania +
+Thailand +
+Timor-Leste +
+Togo +
+Tokelau +
+Tunisia +
+Turkmenistan +
+Tuvalu +
+Uganda +
+Ukraine +
+Update +
+Update :resource +
+Update :resource: :title +
+Uruguay +
+Uzbekistan +
+Vanuatu +
+Venezuela +
+View +
+Western Sahara +
+Whoops +
+Whoops! +
+Zambia +
+Zimbabwe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/sw/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/sw/packages/spark-stripe.json) + +##### Missing: 258 + + + + @@ -131,10 +1391,6 @@ Billing Management - - @@ -255,10 +1511,6 @@ Currently Subscribed - - @@ -271,10 +1523,6 @@ Denmark - - @@ -395,10 +1643,6 @@ Heard Island and McDonald Islands - - @@ -411,7 +1655,7 @@ Hungary - - @@ -447,10 +1687,6 @@ Isle of Man - - @@ -487,10 +1723,6 @@ Korea, Republic of - - @@ -507,10 +1739,6 @@ Lebanon - - @@ -531,14 +1759,6 @@ Lithuania - - - - @@ -591,11 +1811,7 @@ Mexico - - - - @@ -679,18 +1891,10 @@ Niue - - - - @@ -719,10 +1923,6 @@ Paraguay - - @@ -735,15 +1935,15 @@ Philippines - - - - @@ -803,10 +1995,6 @@ Saint Lucia - - @@ -835,10 +2023,6 @@ Saudi Arabia - - @@ -855,10 +2039,6 @@ Serbia - - @@ -875,10 +2055,6 @@ Singapore - - @@ -919,15 +2095,15 @@ Suriname - - @@ -959,26 +2131,6 @@ Thanks, - - - - - - - - - - @@ -1011,10 +2163,6 @@ Timor-Leste - - @@ -1027,6 +2175,10 @@ Total: + + @@ -1059,18 +2211,6 @@ Update - - - - - - @@ -1091,18 +2231,10 @@ VAT Number - - - - @@ -1119,14 +2251,6 @@ Western Sahara - - - - @@ -1166,6 +2290,10 @@ Zimbabwe Zip / Postal Code + +
@@ -63,6 +1315,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Argentina
-Bolivia -
Bolivia, Plurinational State of
-Customize -
Cyprus
-Detach -
Djibouti
-Hello! -
Honduras
-ID +I accept the terms of service
@@ -431,10 +1675,6 @@ Iran, Islamic Republic of
-Iran, Islamic Republic Of -
Iraq
-Isle Of Man -
It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.
-Kosovo -
Kuwait
-Lens -
Lesotho
-Login -
-Logout -
Macao
-Micronesia, Federated States Of -
-Moldova +Micronesia, Federated States of
@@ -651,10 +1867,6 @@ Netherlands Antilles
-Nevermind -
Nevermind, I'll keep my old plan
-No Results Found. -
Norway
-Oh no -
Oman
-Password -
Payment Information
-Please provide a maximum of three receipt emails addresses. +Please accept the terms of service.
-Poland +Please provide a maximum of three receipt emails addresses.
-Profile +Poland
@@ -763,14 +1963,6 @@ Receipts
-Regards -
-Reload -
Resume Subscription
-Saint Martin -
Saint Martin (French part)
-Search -
Select
-Server Error -
Seychelles
-Sint Maarten (Dutch part) -
Slovakia
-Sweden +Svalbard and Jan Mayen
-Syrian Arab Republic +Sweden
-Taiwan +Syrian Arab Republic
@@ -939,10 +2115,6 @@ Tajikistan
-Tanzania -
Tanzania, United Republic of
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
-Toggle navigation -
Togo
+Trinidad and Tobago +
Tunisia
-Update :resource -
-Update :resource: :title -
-Update Password -
Update Payment Information
-Venezuela -
Venezuela, Bolivarian Republic of
-View -
Wallis and Futuna
-Whoops -
-Whoops! -
Yearly
+Åland Islands +
diff --git a/docs/statuses/tg.md b/docs/statuses/tg.md index e78b659e7e6..c8089375bd4 100644 --- a/docs/statuses/tg.md +++ b/docs/statuses/tg.md @@ -2,10 +2,28 @@ # tg -##### All missed: 148 +##### All missed: 194 -### validation-inline +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/tg/auth.php) + +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/tg/validation-inline.php) ##### Missing: 32 @@ -240,7 +258,7 @@ The string must be :size characters. [ [go back](../status.md) | [to top](#) ] -### validation +### [validation](https://github.com/Laravel-Lang/lang/blob/master/locales/tg/validation.php) ##### Missing: 16 @@ -363,9 +381,248 @@ The :attribute must be less than or equal :value characters. [ [go back](../status.md) | [to top](#) ] -### json +### [tg](https://github.com/Laravel-Lang/lang/blob/master/locales/tg/tg.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/tg/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/tg/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/tg/packages/nova.json) + +##### Missing: 8 + + + + + + + + + + + + + + + + + + + +
+Download +
+Estonia +
+ID +
+Jersey +
+Luxembourg +
+Previous +
+Qatar +
+September +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/tg/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/tg/packages/spark-stripe.json) -##### Missing: 100 +##### Missing: 99 + + + + @@ -445,10 +710,6 @@ Côte d'Ivoire - - @@ -481,7 +742,7 @@ Heard Island and McDonald Islands + + @@ -549,11 +814,11 @@ Payment Information - - @@ -637,6 +898,10 @@ Subscription Information + + @@ -653,26 +918,6 @@ Thanks, - - - - - - - - - - @@ -705,6 +950,10 @@ Total: + + @@ -768,6 +1017,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -393,6 +650,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
-Download -
Download Receipt
-ID +I accept the terms of service
@@ -521,6 +782,10 @@ Managing billing for :billableName
+Micronesia, Federated States of +
Moldova, Republic of
-Please provide a maximum of three receipt emails addresses. +Please accept the terms of service.
-Previous +Please provide a maximum of three receipt emails addresses.
@@ -613,10 +878,6 @@ Select a different plan
-September -
Signed in as
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/th.md b/docs/statuses/th.md index c0317aabb89..9883d3c39e7 100644 --- a/docs/statuses/th.md +++ b/docs/statuses/th.md @@ -2,12 +2,484 @@ # th -##### All missed: 95 +##### All missed: 170 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/th/auth.php) -##### Missing: 95 +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/th/validation-inline.php) + +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [th](https://github.com/Laravel-Lang/lang/blob/master/locales/th/th.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/th/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/th/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/th/packages/nova.json) + +##### Missing: 3 + + + + + + + + + +
+Kosovo +
+Qatar +
+Sint Maarten (Dutch part) +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/th/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/th/packages/spark-stripe.json) + +##### Missing: 96 + + + + @@ -115,6 +595,10 @@ Heard Island and McDonald Islands + + @@ -135,15 +619,15 @@ Korea, Republic of + + @@ -239,10 +727,6 @@ Signed in as - - @@ -259,6 +743,10 @@ Subscription Information + + @@ -275,26 +763,6 @@ Thanks, - - - - - - - - - - @@ -327,6 +795,10 @@ Total: + + @@ -390,6 +862,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +507,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
-Kosovo +Macedonia, the former Yugoslav Republic of
-Macedonia, the former Yugoslav Republic of +Managing billing for :billableName
-Managing billing for :billableName +Micronesia, Federated States of
@@ -175,6 +659,10 @@ Payment Information
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
-Sint Maarten (Dutch part) -
South Georgia and the South Sandwich Islands
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/tk.md b/docs/statuses/tk.md index 10b42641fd5..8217cf195eb 100644 --- a/docs/statuses/tk.md +++ b/docs/statuses/tk.md @@ -2,10 +2,42 @@ # tk -##### All missed: 837 +##### All missed: 1120 -### passwords +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/tk/auth.php) + +##### Missing: 3 + + + + + + + + + + + + +
+failed + +These credentials do not match our records. +
+password + +The provided password is incorrect. +
+throttle + +Too many login attempts. Please try again in :seconds seconds. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [passwords](https://github.com/Laravel-Lang/lang/blob/master/locales/tk/passwords.php) ##### Missing: 1 @@ -23,7 +55,7 @@ Please wait before retrying. [ [go back](../status.md) | [to top](#) ] -### validation-inline +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/tk/validation-inline.php) ##### Missing: 94 @@ -692,7 +724,7 @@ This must be a valid UUID. [ [go back](../status.md) | [to top](#) ] -### validation +### [validation](https://github.com/Laravel-Lang/lang/blob/master/locales/tk/validation.php) ##### Missing: 41 @@ -990,417 +1022,1206 @@ The :attribute must be a valid UUID. [ [go back](../status.md) | [to top](#) ] -### json +### [tk](https://github.com/Laravel-Lang/lang/blob/master/locales/tk/tk.json) -##### Missing: 701 +##### Missing: 46 + +
-30 Days +A fresh verification link has been sent to your email address.
-60 Days +Before proceeding, please check your email for a verification link.
-90 Days +click here to request another
-:amount Total +E-Mail Address
-:days day trial +Forbidden
-:resource Details +Go to page :page
-:resource Details: :title +Hello!
-A fresh verification link has been sent to your email address. +If necessary, you may logout 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.
-A new verification link has been sent to the email address you provided during registration. +If you did not create an account, no further action is required.
-Accept Invitation +If you did not receive the email
-Action +If you’re having trouble clicking the ":actionText" button, copy and paste the URL below +into your web browser:
-Action Happened At +Invalid signature.
-Action Initiated By +Log out
-Action Name +Logout Other Browser Sessions
-Action Status +Manage and logout your active sessions on other browsers and devices.
-Action Target +Nevermind
-Actions +Not Found
-Add +Oh no
-Add a new team member to your team, allowing them to collaborate with you. +Page Expired
-Add additional security to your account using two factor authentication. +Pagination Navigation
-Add row +Please click the button below to verify your email address.
-Add Team Member +Please confirm your password before continuing.
-Add VAT Number +Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.
-Added. +Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.
-Address +Regards
-Address Line 2 +results
-Administrator +Server Error
-Administrator users can perform any action. +Service Unavailable
-Afghanistan +Showing
-Aland Islands +The :attribute must contain at least one letter.
-Albania +The :attribute must contain at least one number.
-Algeria +The :attribute must contain at least one symbol.
-All of the people that are part of this team. +The :attribute must contain at least one uppercase and one lowercase letter.
-All resources loaded. +The given :attribute has appeared in a data leak. Please choose a different :attribute.
-All rights reserved. +This action is unauthorized.
-Already registered? +This password reset link will expire in :count minutes.
-American Samoa +to
-An error occured while uploading the file. +Toggle navigation
-An unexpected error occurred and we have notified our support team. Please try again later. +Too Many Attempts.
-Andorra +Too Many Requests
-Angola +Unauthorized
-Anguilla +Verify Email Address
-Another user has updated this resource since this page was loaded. Please refresh the page and try again. +Verify Your Email Address
-Antarctica +We won't ask for your password again for a few hours.
-Antigua and Barbuda +You are logged in!
-Antigua And Barbuda +Your email address is not verified.
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/tk/packages/cashier.json) + +##### Missing: 17 + + + +
-API Token +All rights reserved.
-API Token Permissions +Card
-API Tokens +Confirm Payment
-API tokens allow third-party services to authenticate with our application on your behalf. +Confirm your :amount payment
-April +Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.
-Are you sure you want to delete the selected resources? +Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.
-Are you sure you want to delete this file? +Full name
-Are you sure you want to delete this resource? +Go back
-Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted. +Jane Doe
-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. +Pay :amount
-Are you sure you want to detach the selected resources? +Payment Cancelled
-Are you sure you want to detach this resource? +Payment Confirmation
-Are you sure you want to force delete the selected resources? +Payment Successful
-Are you sure you want to force delete this resource? +Please provide your name.
-Are you sure you want to restore the selected resources? +The payment was successful.
-Are you sure you want to restore this resource? +This payment was already successfully confirmed.
-Are you sure you want to run this action? +This payment was cancelled.
+ + +[ [go back](../status.md) | [to top](#) ] + +### [fortify](https://github.com/Laravel-Lang/lang/blob/master/locales/tk/packages/fortify.json) + +##### Missing: 11 + + + +
-Are you sure you would like to delete this API token? +The :attribute must be at least :length characters and contain at least one number.
-Are you sure you would like to leave this team? +The :attribute must be at least :length characters and contain at least one special character and one number.
-Are you sure you would like to remove this person from the team? +The :attribute must be at least :length characters and contain at least one special character.
-Argentina +The :attribute must be at least :length characters and contain at least one uppercase character and one number.
-Armenia +The :attribute must be at least :length characters and contain at least one uppercase character and one special character.
-Aruba +The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.
-Attach +The :attribute must be at least :length characters and contain at least one uppercase character.
-Attach & Attach Another +The :attribute must be at least :length characters.
-Attach :resource +The provided password does not match your current password.
-August +The provided password was incorrect.
-Australia +The provided two factor authentication code was invalid.
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/tk/packages/jetstream.json) + +##### Missing: 146 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
-Austria +A new verification link has been sent to the email address you provided during registration.
-Azerbaijan +Accept Invitation
-Bahamas +Add
-Bahrain +Add a new team member to your team, allowing them to collaborate with you.
-Bangladesh +Add additional security to your account using two factor authentication.
-Barbados +Add Team Member
-Before proceeding, please check your email for a verification link. +Added.
-Belarus +Administrator
-Belgium +Administrator users can perform any action.
-Belize +All of the people that are part of this team.
-Benin +Already registered?
-Bermuda +API Token
-Bhutan +API Token Permissions
-Billing Information +API Tokens
-Billing Management +API tokens allow third-party services to authenticate with our application on your behalf.
-Bolivia +Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.
-Bolivia, Plurinational State of +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.
-Bonaire, Sint Eustatius and Saba +Are you sure you would like to delete this API token?
-Bosnia And Herzegovina +Are you sure you would like to leave this team?
-Bosnia and Herzegovina +Are you sure you would like to remove this person from the team?
-Botswana +Browser Sessions
-Bouvet Island +Cancel
-Brazil +Close
-British Indian Ocean Territory +Code
-Browser Sessions +Confirm
-Bulgaria +Confirm Password
-Burkina Faso +Create
-Burundi +Create a new team to collaborate with others on projects. +
+Create Account +
+Create API Token +
+Create New Team +
+Create Team +
+Created. +
+Current Password +
+Dashboard +
+Delete +
+Delete Account +
+Delete API Token +
+Delete Team +
+Disable +
+Done. +
+Editor +
+Editor users have the ability to read, create, and update. +
+Email +
+Email Password Reset Link +
+Enable +
+Ensure your account is using a long, random password to stay secure. +
+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. +
+Great! You have accepted the invitation to join the :team team. +
+I agree to the :terms_of_service and :privacy_policy +
+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 you already have an account, you may accept this invitation by clicking the button below: +
+If you did not expect to receive an invitation to this team, you may discard this 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: +
+Last active +
+Last used +
+Leave +
+Leave Team +
+Log in +
+Log Out +
+Log Out Other Browser Sessions +
+Manage Account +
+Manage and log out your active sessions on other browsers and devices. +
+Manage API Tokens +
+Manage Role +
+Manage Team +
+Name +
+New Password +
+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 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. +
+Password +
+Pending Team Invitations +
+Permanently delete this team. +
+Permanently delete your account. +
+Permissions +
+Photo +
+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 copy your new API token. For your security, it won't be shown again. +
+Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices. +
+Please provide the email address of the person you would like to add to this team. +
+Privacy Policy +
+Profile +
+Profile Information +
+Recovery Code +
+Regenerate Recovery Codes +
+Register +
+Remember me +
+Remove +
+Remove Photo +
+Remove Team Member +
+Resend Verification Email +
+Reset Password +
+Role +
+Save +
+Saved. +
+Select A New Photo +
+Show Recovery Codes +
+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. +
+Switch Teams +
+Team Details +
+Team Invitation +
+Team Members +
+Team Name +
+Team Owner +
+Team Settings +
+Terms of Service +
+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 a valid role. +
+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. +
+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, 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. +
+The provided password does not match your current password. +
+The provided password was incorrect. +
+The provided two factor authentication code was invalid. +
+The team's name and owner information. +
+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. +
+This device +
+This is a secure area of the application. Please confirm your password before continuing. +
+This password does not match our records. +
+This user already belongs to the team. +
+This user has already been invited to the team. +
+Token Name +
+Two Factor Authentication +
+Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application. +
+Update Password +
+Update your account's profile information and email address. +
+Use a recovery code +
+Use an authentication code +
+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. +
+Whoops! Something went wrong. +
+You have been invited to join the :team team! +
+You have enabled two factor authentication. +
+You have not enabled two factor authentication. +
+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. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/tk/packages/nova.json) + +##### Missing: 415 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+30 Days +
+60 Days +
+90 Days +
+:amount Total +
+:resource Details +
+:resource Details: :title +
+Action +
+Action Happened At +
+Action Initiated By +
+Action Name +
+Action Status +
+Action Target +
+Actions +
+Add row +
+Afghanistan +
+Aland Islands +
+Albania +
+Algeria +
+All resources loaded. +
+American Samoa +
+An error occured while uploading the file. +
+Andorra +
+Angola +
+Anguilla +
+Another user has updated this resource since this page was loaded. Please refresh the page and try again. +
+Antarctica +
+Antigua And Barbuda +
+April +
+Are you sure you want to delete the selected resources? +
+Are you sure you want to delete this file? +
+Are you sure you want to delete this resource? +
+Are you sure you want to detach the selected resources? +
+Are you sure you want to detach this resource? +
+Are you sure you want to force delete the selected resources? +
+Are you sure you want to force delete this resource? +
+Are you sure you want to restore the selected resources? +
+Are you sure you want to restore this resource? +
+Are you sure you want to run this action? +
+Argentina +
+Armenia +
+Aruba +
+Attach +
+Attach & Attach Another +
+Attach :resource +
+August +
+Australia +
+Austria +
+Azerbaijan +
+Bahamas +
+Bahrain +
+Bangladesh +
+Barbados +
+Belarus +
+Belgium +
+Belize +
+Benin +
+Bermuda +
+Bhutan +
+Bolivia +
+Bonaire, Sint Eustatius and Saba +
+Bosnia And Herzegovina +
+Botswana +
+Bouvet Island +
+Brazil +
+British Indian Ocean Territory +
+Bulgaria +
+Burkina Faso +
+Burundi
@@ -1408,2364 +2229,2761 @@ Cambodia
-Cameroon +Cameroon +
+Canada +
+Cancel +
+Cape Verde +
+Cayman Islands +
+Central African Republic +
+Chad +
+Changes +
+Chile +
+China +
+Choose +
+Choose :field +
+Choose :resource +
+Choose an option +
+Choose date +
+Choose File +
+Choose Type +
+Christmas Island +
+Click to choose +
+Cocos (Keeling) Islands +
+Colombia +
+Comoros +
+Confirm Password +
+Congo +
+Congo, Democratic Republic +
+Constant +
+Cook Islands +
+Costa Rica +
+could not be found. +
+Create +
+Create & Add Another +
+Create :resource +
+Croatia +
+Cuba +
+Curaçao +
+Customize +
+Cyprus +
+Dashboard +
+December +
+Decrease +
+Delete +
+Delete File +
+Delete Resource +
+Delete Selected +
+Denmark +
+Detach +
+Detach Resource +
+Detach Selected +
+Details +
+Djibouti +
+Do you really want to leave? You have unsaved changes. +
+Dominica +
+Dominican Republic +
+Download +
+Ecuador +
+Edit +
+Edit :resource +
+Edit Attached +
+Egypt +
+El Salvador +
+Email Address +
+Equatorial Guinea +
+Eritrea +
+Estonia +
+Ethiopia +
+Falkland Islands (Malvinas) +
+Faroe Islands +
+February +
+Fiji +
+Finland +
+Force Delete +
+Force Delete Resource +
+Force Delete Selected
-Canada +Forgot Your Password?
-Cancel +Forgot your password?
-Cancel Subscription +France
-Cape Verde +French Guiana
-Card +French Polynesia
-Cayman Islands +French Southern Territories
-Central African Republic +Gabon
-Chad +Gambia
-Change Subscription Plan +Georgia
-Changes +Germany
-Chile +Ghana
-China +Gibraltar
-Choose +Go Home
-Choose :field +Greece
-Choose :resource +Greenland
-Choose an option +Grenada
-Choose date +Guadeloupe
-Choose File +Guam
-Choose Type +Guatemala
-Christmas Island +Guernsey
-City +Guinea
-click here to request another +Guinea-Bissau
-Click to choose +Guyana
-Close +Haiti
-Cocos (Keeling) Islands +Heard Island & Mcdonald Islands
-Code +Hide Content
-Colombia +Hold Up!
-Comoros +Honduras
-Confirm +Hong Kong
-Confirm Password +Hungary
-Confirm Payment +Iceland
-Confirm your :amount payment +ID
-Congo +If you did not request a password reset, no further action is required.
-Congo, Democratic Republic +Increase
-Congo, the Democratic Republic of the +India
-Constant +Indonesia
-Cook Islands +Iran, Islamic Republic Of
-Costa Rica +Iraq
-could not be found. +Ireland
-Country +Isle Of Man
-Coupon +Israel
-Create +Italy
-Create & Add Another +Jamaica
-Create :resource +January
-Create a new team to collaborate with others on projects. +Japan
-Create Account +Jersey
-Create API Token +Jordan
-Create New Team +July
-Create Team +June
-Created. +Kazakhstan
-Croatia +Kenya
-Cuba +Key
-Curaçao +Kiribati
-Current Password +Korea
-Current Subscription Plan +Korea, Democratic People's Republic of
-Currently Subscribed +Kosovo
-Customize +Kuwait
-Cyprus +Kyrgyzstan
-Côte d'Ivoire +Latvia
-Dashboard +Lebanon
-December +Lens
-Decrease +Lesotho
-Delete +Liberia
-Delete Account +Libyan Arab Jamahiriya
-Delete API Token +Liechtenstein
-Delete File +Lithuania
-Delete Resource +Load :perPage More
-Delete Selected +Login
-Delete Team +Logout
-Denmark +Luxembourg
-Detach +Macao
-Detach Resource +Macedonia
-Detach Selected +Madagascar
-Details +Malawi
-Disable +Malaysia
-Djibouti +Maldives
-Do you really want to leave? You have unsaved changes. +Mali
-Dominica +Malta
-Dominican Republic +March
-Done. +Marshall Islands
-Download +Martinique
-Download Receipt +Mauritania +
+Mauritius +
+May +
+Mayotte +
+Mexico +
+Micronesia, Federated States Of +
+Moldova +
+Monaco +
+Mongolia +
+Montenegro +
+Month To Date +
+Montserrat +
+Morocco +
+Mozambique +
+Myanmar +
+Namibia +
+Nauru +
+Nepal +
+Netherlands +
+New +
+New :resource +
+New Caledonia +
+New Zealand
-E-Mail Address +Next
-Ecuador +Nicaragua
-Edit +Niger
-Edit :resource +Nigeria
-Edit Attached +Niue
-Editor +No
-Editor users have the ability to read, create, and update. +No :resource matched the given criteria.
-Egypt +No additional information...
-El Salvador +No Current Data
-Email +No Data
-Email Address +no file selected
-Email Addresses +No Increase
-Email Password Reset Link +No Prior Data
-Enable +No Results Found.
-Ensure your account is using a long, random password to stay secure. +Norfolk Island
-Equatorial Guinea +Northern Mariana Islands
-Eritrea +Norway
-Estonia +Nova User
-Ethiopia +November
-ex VAT +October
-Extra Billing Information +of
-Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below. +Oman
-Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below. +Only Trashed
-Falkland Islands (Malvinas) +Original
-Faroe Islands +Pakistan
-February +Palau
-Fiji +Palestinian Territory, Occupied
-Finland +Panama
-For your security, please confirm your password to continue. +Papua New Guinea
-Forbidden +Paraguay
-Force Delete +Password
-Force Delete Resource +Per Page
-Force Delete Selected +Peru
-Forgot Your Password? +Philippines
-Forgot your password? +Pitcairn
-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. +Poland
-France +Portugal
-French Guiana +Press / to search
-French Polynesia +Preview
-French Southern Territories +Previous
-Full name +Puerto Rico
-Gabon +Qatar
-Gambia +Quarter To Date
-Georgia +Reload
-Germany +Remember Me
-Ghana +Reset Filters
-Gibraltar +Reset Password
-Go back +Reset Password Notification
-Go Home +resource
-Go to page :page +Resources
-Great! You have accepted the invitation to join the :team team. +resources
-Greece +Restore
-Greenland +Restore Resource
-Grenada +Restore Selected
-Guadeloupe +Reunion
-Guam +Romania
-Guatemala +Run Action
-Guernsey +Russian Federation
-Guinea +Rwanda
-Guinea-Bissau +Saint Barthelemy
-Guyana +Saint Helena
-Haiti +Saint Kitts And Nevis
-Have a coupon code? +Saint Lucia
-Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +Saint Martin
-Heard Island & Mcdonald Islands +Saint Pierre And Miquelon
-Heard Island and McDonald Islands +Saint Vincent And Grenadines
-Hello! +Samoa
-Hide Content +San Marino
-Hold Up! +Sao Tome And Principe
-Honduras +Saudi Arabia
-Hong Kong +Search
-Hungary +Select Action
-I agree to the :terms_of_service and :privacy_policy +Select All
-Iceland +Select All Matching
-ID +Send Password Reset Link
-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. +Senegal
-If necessary, you may logout 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. +September
-If you already have an account, you may accept this invitation by clicking the button below: +Serbia
-If you did not create an account, no further action is required. +Seychelles
-If you did not expect to receive an invitation to this team, you may discard this email. +Show All Fields
-If you did not receive the email +Show Content
-If you did not request a password reset, no further action is required. +Sierra Leone
-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: +Singapore
-If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here. +Sint Maarten (Dutch part)
-If you’re having trouble clicking the ":actionText" button, copy and paste the URL below -into your web browser: +Slovakia
-Increase +Slovenia
-India +Solomon Islands
-Indonesia +Somalia
-Invalid signature. +Something went wrong.
-Iran, Islamic Republic of +Sorry! You are not authorized to perform this action.
-Iran, Islamic Republic Of +Sorry, your session has expired.
-Iraq +South Africa
-Ireland +South Georgia And Sandwich Isl.
-Isle of Man +South Sudan
-Isle Of Man +Spain
-Israel +Sri Lanka
-It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +Start Polling
-Italy +Stop Polling
-Jamaica +Sudan
-January +Suriname
-Japan +Svalbard And Jan Mayen
-Jersey +Sweden
-Jordan +Switzerland
-July +Syrian Arab Republic
-June +Taiwan
-Kazakhstan +Tajikistan
-Kenya +Tanzania
-Key +Thailand
-Kiribati +The :resource was created!
-Korea +The :resource was deleted!
-Korea, Democratic People's Republic of +The :resource was restored!
-Korea, Republic of +The :resource was updated!
-Kosovo +The action ran successfully!
-Kuwait +The file was deleted!
-Kyrgyzstan +The government won't let us show you what's behind these doors
-Last active +The HasOne relationship has already been filled.
-Last used +The resource was updated!
-Latvia +There are no available options for this resource.
-Leave +There was a problem executing the action.
-Leave Team +There was a problem submitting the form.
-Lebanon +This file field is read-only.
-Lens +This image
-Lesotho +This resource no longer exists
-Liberia +Timor-Leste
-Libyan Arab Jamahiriya +Today
-Liechtenstein +Togo
-Lithuania +Tokelau
-Load :perPage More +Tonga
-Log in +total
-Log out +Trashed
-Log Out +Trinidad And Tobago
-Log Out Other Browser Sessions +Tunisia
-Login +Turkey
-Logout +Turkmenistan
-Logout Other Browser Sessions +Turks And Caicos Islands
-Luxembourg +Tuvalu
-Macao +Uganda
-Macedonia +Ukraine
-Macedonia, the former Yugoslav Republic of +United Arab Emirates
-Madagascar +United Kingdom
-Malawi +United States
-Malaysia +United States Outlying Islands
-Maldives +Update
-Mali +Update & Continue Editing
-Malta +Update :resource
-Manage Account +Update :resource: :title
-Manage and log out your active sessions on other browsers and devices. +Update attached :resource: :title
-Manage and logout your active sessions on other browsers and devices. +Uruguay
-Manage API Tokens +Uzbekistan
-Manage Role +Value
-Manage Team +Vanuatu
-Managing billing for :billableName +Venezuela
-March +View
-Marshall Islands +Virgin Islands, British
-Martinique +Virgin Islands, U.S.
-Mauritania +Wallis And Futuna
-Mauritius +We're lost in space. The page you were trying to view does not exist.
-May +Welcome Back!
-Mayotte +Western Sahara
-Mexico +Whoops
-Micronesia, Federated States Of +Whoops!
-Moldova +With Trashed
-Moldova, Republic of +Write
-Monaco +Year To Date
-Mongolia +Yemen
-Montenegro +Yes
-Month To Date +You are receiving this email because we received a password reset request for your account.
-Monthly +Zambia
-monthly +Zimbabwe
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/tk/packages/spark-paddle.json) + +##### Missing: 33 + + + +
-Montserrat +An unexpected error occurred and we have notified our support team. Please try again later.
-Morocco +Billing Management
-Mozambique +Cancel Subscription
-Myanmar +Change Subscription Plan
-Name +Current Subscription Plan
-Namibia +Currently Subscribed
-Nauru +Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.
-Nepal +It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.
-Netherlands +Managing billing for :billableName
-Netherlands Antilles +Monthly
-Nevermind +Nevermind, I'll keep my old plan
-Nevermind, I'll keep my old plan +Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.
-New +Payment Method
-New :resource +Receipts
-New Caledonia +Resume Subscription
-New Password +Return to :appName
-New Zealand +Signed in as
-Next +Subscribe
-Nicaragua +Subscription Pending
-Niger +Terms of Service
-Nigeria +The selected plan is invalid.
-Niue +There is no active subscription.
-No +This account does not have an active subscription.
-No :resource matched the given criteria. +This subscription cannot be resumed. Please create a new subscription.
-No additional information... +Update Payment Method
-No Current Data +View Receipt
-No Data +We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.
-no file selected +Whoops! Something went wrong.
-No Increase +Yearly
-No Prior Data +You are already subscribed.
-No Results Found. +You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.
-Norfolk Island +Your current payment method is :paypal.
-Northern Mariana Islands +Your current payment method is a credit card ending in :lastFour that expires on :expiration.
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/tk/packages/spark-stripe.json) + +##### Missing: 313 + + - - @@ -3800,6 +5014,10 @@ Zimbabwe Zip / Postal Code + +
-Norway +:days day trial
-Not Found +Add VAT Number
-Nova User +Address
-November +Address Line 2
-October +Afghanistan
-of +Albania
-Oh no +Algeria
-Oman +American Samoa
-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. +An unexpected error occurred and we have notified our support team. Please try again later.
-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. +Andorra
-Only Trashed +Angola
-Original +Anguilla
-Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +Antarctica
-Page Expired +Antigua and Barbuda
-Pagination Navigation +Apply
-Pakistan +Apply Coupon
-Palau +Argentina
-Palestinian Territory, Occupied +Armenia
-Panama +Aruba
-Papua New Guinea +Australia
-Paraguay +Austria
-Password +Azerbaijan
-Pay :amount +Bahamas
-Payment Cancelled +Bahrain
-Payment Confirmation +Bangladesh
-Payment Information +Barbados
-Payment Successful +Belarus
-Pending Team Invitations +Belgium
-Per Page +Belize
-Permanently delete this team. +Benin
-Permanently delete your account. +Bermuda
-Permissions +Bhutan
-Peru +Billing Information
-Philippines +Billing Management
-Photo +Bolivia, Plurinational State of
-Pitcairn +Bosnia and Herzegovina
-Please click the button below to verify your email address. +Botswana
-Please confirm access to your account by entering one of your emergency recovery codes. +Bouvet Island
-Please confirm access to your account by entering the authentication code provided by your authenticator application. +Brazil
-Please confirm your password before continuing. +British Indian Ocean Territory
-Please copy your new API token. For your security, it won't be shown again. +Bulgaria
-Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices. +Burkina Faso
-Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices. +Burundi
-Please provide a maximum of three receipt emails addresses. +Cambodia
-Please provide the email address of the person you would like to add to this team. +Cameroon
-Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account. +Canada
-Please provide your name. +Cancel Subscription
-Poland +Cape Verde
-Portugal +Card
-Press / to search +Cayman Islands
-Preview +Central African Republic
-Previous +Chad
-Privacy Policy +Change Subscription Plan
-Profile +Chile
-Profile Information +China
-Puerto Rico +Christmas Island
-Qatar +City
-Quarter To Date +Cocos (Keeling) Islands
-Receipt Email Addresses +Colombia
-Receipts +Comoros
-Recovery Code +Confirm Payment
-Regards +Confirm your :amount payment
-Regenerate Recovery Codes +Congo
-Register +Congo, the Democratic Republic of the
-Reload +Cook Islands
-Remember me +Costa Rica
-Remember Me +Country
-Remove +Coupon
-Remove Photo +Croatia
-Remove Team Member +Cuba
-Resend Verification Email +Current Subscription Plan
-Reset Filters +Currently Subscribed
-Reset Password +Cyprus
-Reset Password Notification +Côte d'Ivoire
-resource +Denmark
-Resources +Djibouti
-resources +Dominica
-Restore +Dominican Republic
-Restore Resource +Download Receipt
-Restore Selected +Ecuador
-results +Egypt
-Resume Subscription +El Salvador
-Return to :appName +Email Addresses
-Reunion +Equatorial Guinea
-Role +Eritrea
-Romania +Estonia
-Run Action +Ethiopia
-Russian Federation +ex VAT
-Rwanda +Extra Billing Information
-Réunion +Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.
-Saint Barthelemy +Falkland Islands (Malvinas)
-Saint Barthélemy +Faroe Islands
-Saint Helena +Fiji
-Saint Kitts and Nevis +Finland
-Saint Kitts And Nevis +France
-Saint Lucia +French Guiana
-Saint Martin +French Polynesia
-Saint Martin (French part) +French Southern Territories
-Saint Pierre and Miquelon +Gabon
-Saint Pierre And Miquelon +Gambia
-Saint Vincent And Grenadines +Georgia
-Saint Vincent and the Grenadines +Germany
-Samoa +Ghana
-San Marino +Gibraltar
-Sao Tome and Principe +Greece
-Sao Tome And Principe +Greenland
-Saudi Arabia +Grenada
-Save +Guadeloupe
-Saved. +Guam
-Search +Guatemala
-Select +Guernsey
-Select a different plan +Guinea
-Select A New Photo +Guinea-Bissau
-Select Action +Guyana
-Select All +Haiti
-Select All Matching +Have a coupon code?
-Send Password Reset Link +Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.
-Senegal +Heard Island and McDonald Islands
-September +Honduras
-Serbia +Hong Kong
-Server Error +Hungary
-Service Unavailable +I accept the terms of service
-Seychelles +Iceland
-Show All Fields +If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
-Show Content +India
-Show Recovery Codes +Indonesia
-Showing +Iran, Islamic Republic of
-Sierra Leone +Iraq
-Signed in as +Ireland
-Singapore +Isle of Man
-Sint Maarten (Dutch part) +Israel
-Slovakia +It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.
-Slovenia +Italy
-Solomon Islands +Jamaica
-Somalia +Japan
-Something went wrong. +Jersey
-Sorry! You are not authorized to perform this action. +Jordan
-Sorry, your session has expired. +Kazakhstan
-South Africa +Kenya
-South Georgia And Sandwich Isl. +Kiribati
-South Georgia and the South Sandwich Islands +Korea, Democratic People's Republic of
-South Sudan +Korea, Republic of
-Spain +Kuwait
-Sri Lanka +Kyrgyzstan
-Start Polling +Latvia
-State / County +Lebanon
-Stop Polling +Lesotho
-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. +Liberia
-Subscribe +Libyan Arab Jamahiriya
-Subscription Information +Liechtenstein
-Sudan +Lithuania
-Suriname +Luxembourg
-Svalbard And Jan Mayen +Macao
-Sweden +Macedonia, the former Yugoslav Republic of
-Switch Teams +Madagascar
-Switzerland +Malawi
-Syrian Arab Republic +Malaysia
-Taiwan +Maldives
-Taiwan, Province of China +Mali
-Tajikistan +Malta
-Tanzania +Managing billing for :billableName
-Tanzania, United Republic of +Marshall Islands
-Team Details +Martinique
-Team Invitation +Mauritania
-Team Members +Mauritius
-Team Name +Mayotte
-Team Owner +Mexico
-Team Settings +Micronesia, Federated States of
-Terms of Service +Moldova, Republic of
-Thailand +Monaco
-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. +Mongolia
-Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns. +Montenegro
-Thanks, +Monthly
-The :attribute must be a valid role. +monthly
-The :attribute must be at least :length characters and contain at least one number. +Montserrat
-The :attribute must be at least :length characters and contain at least one special character and one number. +Morocco
-The :attribute must be at least :length characters and contain at least one special character. +Mozambique
-The :attribute must be at least :length characters and contain at least one uppercase character and one number. +Myanmar
-The :attribute must be at least :length characters and contain at least one uppercase character and one special character. +Namibia
-The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character. +Nauru
-The :attribute must be at least :length characters and contain at least one uppercase character. +Nepal
-The :attribute must be at least :length characters. +Netherlands
-The :attribute must contain at least one letter. +Netherlands Antilles
-The :attribute must contain at least one number. +Nevermind, I'll keep my old plan
-The :attribute must contain at least one symbol. +New Caledonia
-The :attribute must contain at least one uppercase and one lowercase letter. +New Zealand
-The :resource was created! +Nicaragua
-The :resource was deleted! +Niger
-The :resource was restored! +Nigeria
-The :resource was updated! +Niue
-The action ran successfully! +Norfolk Island
-The file was deleted! +Northern Mariana Islands
-The given :attribute has appeared in a data leak. Please choose a different :attribute. +Norway
-The government won't let us show you what's behind these doors +Oman
-The HasOne relationship has already been filled. +Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.
-The payment was successful. +Pakistan
-The provided coupon code is invalid. +Palau
-The provided password does not match your current password. +Palestinian Territory, Occupied
-The provided password was incorrect. +Panama
-The provided two factor authentication code was invalid. +Papua New Guinea
-The provided VAT number is invalid. +Paraguay
-The receipt emails must be valid email addresses. +Payment Information
-The resource was updated! +Peru
-The selected country is invalid. +Philippines
-The selected plan is invalid. +Pitcairn
-The team's name and owner information. +Please accept the terms of service.
-There are no available options for this resource. +Please provide a maximum of three receipt emails addresses.
-There was a problem executing the action. +Poland
-There was a problem submitting the form. +Portugal
-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. +Puerto Rico
-This account does not have an active subscription. +Qatar
-This action is unauthorized. +Receipt Email Addresses
-This device +Receipts
-This file field is read-only. +Resume Subscription
-This image +Return to :appName
-This is a secure area of the application. Please confirm your password before continuing. +Romania
-This password does not match our records. +Russian Federation
-This password reset link will expire in :count minutes. +Rwanda
-This payment was already successfully confirmed. +Réunion
-This payment was cancelled. +Saint Barthélemy
-This resource no longer exists +Saint Helena
-This subscription has expired and cannot be resumed. Please create a new subscription. +Saint Kitts and Nevis
-This user already belongs to the team. +Saint Lucia
-This user has already been invited to the team. +Saint Martin (French part)
-Timor-Leste +Saint Pierre and Miquelon
-to +Saint Vincent and the Grenadines
-Today +Samoa
-Toggle navigation +San Marino
-Togo +Sao Tome and Principe
-Tokelau +Saudi Arabia
-Token Name +Save
-Tonga +Select
-Too Many Attempts. +Select a different plan
-Too Many Requests +Senegal
-total +Serbia
-Total: +Seychelles
-Trashed +Sierra Leone
-Trinidad And Tobago +Signed in as
-Tunisia +Singapore
-Turkey +Slovakia
-Turkmenistan +Slovenia
-Turks and Caicos Islands +Solomon Islands
-Turks And Caicos Islands +Somalia
-Tuvalu +South Africa
-Two Factor Authentication +South Georgia and the South Sandwich Islands
-Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application. +Spain
-Uganda +Sri Lanka
-Ukraine +State / County
-Unauthorized +Subscribe
-United Arab Emirates +Subscription Information
-United Kingdom +Sudan
-United States +Suriname
-United States Minor Outlying Islands +Svalbard and Jan Mayen
-United States Outlying Islands +Sweden
-Update +Switzerland
-Update & Continue Editing +Syrian Arab Republic
-Update :resource +Taiwan, Province of China
-Update :resource: :title +Tajikistan
-Update attached :resource: :title +Tanzania, United Republic of
-Update Password +Terms of Service
-Update Payment Information +Thailand
-Update your account's profile information and email address. +Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.
-Uruguay +Thanks,
-Use a recovery code +The provided coupon code is invalid.
-Use an authentication code +The provided VAT number is invalid.
-Uzbekistan +The receipt emails must be valid email addresses.
-Value +The selected country is invalid.
-Vanuatu +The selected plan is invalid.
-VAT Number +This account does not have an active subscription.
-Venezuela +This subscription has expired and cannot be resumed. Please create a new subscription.
-Venezuela, Bolivarian Republic of +Timor-Leste
-Verify Email Address +Togo
-Verify Your Email Address +Tokelau
-View +Tonga
-Virgin Islands, British +Total:
-Virgin Islands, U.S. +Trinidad and Tobago
-Wallis and Futuna +Tunisia
-Wallis And Futuna +Turkey
-We are unable to process your payment. Please contact customer support. +Turkmenistan
-We were unable to find a registered user with this email address. +Turks and Caicos Islands
-We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas. +Tuvalu
-We won't ask for your password again for a few hours. +Uganda
-We're lost in space. The page you were trying to view does not exist. +Ukraine
-Welcome Back! +United Arab Emirates
-Western Sahara +United Kingdom
-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. +United States
-Whoops +United States Minor Outlying Islands
-Whoops! +Update
-Whoops! Something went wrong. +Update Payment Information
-With Trashed +Uruguay
-Write +Uzbekistan
-Year To Date +Vanuatu
-Yearly +VAT Number
-Yemen +Venezuela, Bolivarian Republic of
-Yes +Virgin Islands, British
-You are currently within your free trial period. Your trial will expire on :date. +Virgin Islands, U.S.
-You are logged in! +Wallis and Futuna
-You are receiving this email because we received a password reset request for your account. +We are unable to process your payment. Please contact customer support.
-You have been invited to join the :team team! +We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.
-You have enabled two factor authentication. +Western Sahara
-You have not enabled two factor authentication. +Whoops! Something went wrong.
-You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +Yearly
-You may delete any of your existing tokens if they are no longer needed. +Yemen
-You may not delete your personal team. +You are currently within your free trial period. Your trial will expire on :date.
-You may not leave a team that you created. +You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.
@@ -3781,10 +4999,6 @@ Your current payment method is a credit card ending in :lastFour that expires on
-Your email address is not verified. -
Your registered VAT Number is :vatNumber.
+Åland Islands +
diff --git a/docs/statuses/tl.md b/docs/statuses/tl.md index 430bd046ff5..ebec57a9d52 100644 --- a/docs/statuses/tl.md +++ b/docs/statuses/tl.md @@ -2,10 +2,28 @@ # tl -##### All missed: 258 +##### All missed: 402 -### validation-inline +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/tl/auth.php) + +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/tl/validation-inline.php) ##### Missing: 32 @@ -165,73 +183,748 @@ The file size may not be greater than :max kilobytes. -max.numeric - - -The value may not be greater than :max. +max.numeric + + +The value may not be greater than :max. + + + +max.string + + +The string may not be greater than :max characters. + + + +min.array + + +The value must have at least :min items. + + + +min.file + + +The file size must be at least :min kilobytes. + + + +min.numeric + + +The value must be at least :min. + + + +min.string + + +The string must be at least :min characters. + + + +size.array + + +The content must contain :size items. + + + +size.file + + +The file size must be :size kilobytes. + + + +size.numeric + + +The value must be :size. + + + +size.string + + +The string must be :size characters. + + + + + + +[ [go back](../status.md) | [to top](#) ] + +### [validation](https://github.com/Laravel-Lang/lang/blob/master/locales/tl/validation.php) + +##### Missing: 16 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+gt.array + +The :attribute must have more than :value items. +
+gt.file + +The :attribute must be greater than :value kilobytes. +
+gt.numeric + +The :attribute must be greater than :value. +
+gt.string + +The :attribute must be greater than :value characters. +
+gte.array + +The :attribute must have :value items or more. +
+gte.file + +The :attribute must be greater than or equal :value kilobytes. +
+gte.numeric + +The :attribute must be greater than or equal :value. +
+gte.string + +The :attribute must be greater than or equal :value characters. +
+lt.array + +The :attribute must have less than :value items. +
+lt.file + +The :attribute must be less than :value kilobytes. +
+lt.numeric + +The :attribute must be less than :value. +
+lt.string + +The :attribute must be less than :value characters. +
+lte.array + +The :attribute must not have more than :value items. +
+lte.file + +The :attribute must be less than or equal :value kilobytes. +
+lte.numeric + +The :attribute must be less than or equal :value. +
+lte.string + +The :attribute must be less than or equal :value characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [tl](https://github.com/Laravel-Lang/lang/blob/master/locales/tl/tl.json) + +##### Missing: 7 + + + + + + + + + + + + + + + + + +
+E-Mail Address +
+Hello! +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/tl/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/tl/packages/jetstream.json) + +##### Missing: 4 + + + + + + + + + + + +
+Dashboard +
+Editor +
+Password +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/tl/packages/nova.json) + +##### Missing: 115 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - + - + - + @@ -240,121 +933,133 @@ The string must be :size characters. [ [go back](../status.md) | [to top](#) ] -### validation +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/tl/packages/spark-paddle.json) -##### Missing: 16 +##### Missing: 31
+Action Target +
+Albania +
+Algeria +
+Angola +
+Anguilla +
+Antarctica +
+Armenia +
+Aruba +
+Azerbaijan +
+Bahamas +
+Bahrain +
+Bangladesh +
+Barbados +
+Belarus +
+Benin +
+Bhutan +
+Botswana +
+Burkina Faso +
+Burundi +
+Cameroon +
+Chad +
+Dashboard +
+Email Address +
+Eritrea +
+Ethiopia +
+Faroe Islands +
+Fiji +
+Gabon +
+Gambia +
+Germany +
+Ghana +
+Greenland +
+Grenada +
+Guadeloupe +
+Guam +
+Guatemala +
+Guernsey +
+Guinea-Bissau +
+Guyana +
+Honduras +
+Hong Kong +
+ID +
+Iran, Islamic Republic Of +
+Israel +
+Jersey +
+Kenya +
+Kiribati +
+Lebanon +
+Lens +
+Lesotho +
+Libyan Arab Jamahiriya +
+Liechtenstein +
+Login +
+Logout +
+Luxembourg +
+Macao +
+Malawi +
+Malta +
+Marshall Islands +
+Martinique +
+Mauritania +
+Mauritius +
+Mayotte +
+Micronesia, Federated States Of +
+Montenegro +
+Montserrat +
+Namibia +
+Nauru +
+Nepal +
+Niger +
+Norway +
+Oman +
+Pakistan +
+Palau +
+Panama +
+Papua New Guinea +
+Password +
+Poland +
+Portugal +
+Qatar +
+Russian Federation +
+Rwanda +
+Saint Helena +
+Saint Martin +
+Samoa +
+San Marino +
+Saudi Arabia +
+Senegal +
+Seychelles +
+Sierra Leone +
+Sint Maarten (Dutch part) +
+Slovakia +
+Solomon Islands +
+Somalia +
+Sri Lanka +
+Suriname +
+Sweden +
+Syrian Arab Republic +
+Taiwan +
+Tanzania +
+Timor-Leste +
+Togo +
+Tokelau
-max.string - -The string may not be greater than :max characters. +Turkey
-min.array - -The value must have at least :min items. +Turkmenistan
-min.file - -The file size must be at least :min kilobytes. +Tuvalu
-min.numeric - -The value must be at least :min. +Uganda
-min.string - -The string must be at least :min characters. +Ukraine
-size.array - -The content must contain :size items. +United Arab Emirates
-size.file +Uzbekistan -The file size must be :size kilobytes. +
+Vanuatu
-size.numeric +Venezuela -The value must be :size. +
+Western Sahara
-size.string +Zambia -The string must be :size characters. +
+Zimbabwe
- - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + @@ -363,9 +1068,9 @@ The :attribute must be less than or equal :value characters. [ [go back](../status.md) | [to top](#) ] -### json +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/tl/packages/spark-stripe.json) -##### Missing: 210 +##### Missing: 195
-gt.array - -The :attribute must have more than :value items. +An unexpected error occurred and we have notified our support team. Please try again later.
-gt.file +Billing Management -The :attribute must be greater than :value kilobytes. +
+Cancel Subscription
-gt.numeric +Change Subscription Plan -The :attribute must be greater than :value. +
+Current Subscription Plan
-gt.string +Currently Subscribed -The :attribute must be greater than :value characters. +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.
-gte.array +It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. -The :attribute must have :value items or more. +
+Managing billing for :billableName
-gte.file +Monthly -The :attribute must be greater than or equal :value kilobytes. +
+Nevermind, I'll keep my old plan
-gte.numeric +Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. -The :attribute must be greater than or equal :value. +
+Payment Method
-gte.string +Receipts -The :attribute must be greater than or equal :value characters. +
+Resume Subscription
-lt.array +Return to :appName -The :attribute must have less than :value items. +
+Signed in as
-lt.file +Subscribe -The :attribute must be less than :value kilobytes. +
+Subscription Pending
-lt.numeric +The selected plan is invalid. -The :attribute must be less than :value. +
+There is no active subscription.
-lt.string +This account does not have an active subscription. -The :attribute must be less than :value characters. +
+This subscription cannot be resumed. Please create a new subscription.
-lte.array +Update Payment Method -The :attribute must not have more than :value items. +
+View Receipt
-lte.file +We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. -The :attribute must be less than or equal :value kilobytes. +
+Yearly
-lte.numeric +You are already subscribed. -The :attribute must be less than or equal :value. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.
-lte.string +Your current payment method is :paypal. -The :attribute must be less than or equal :value characters. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration.
- - @@ -417,6 +1118,14 @@ Antigua and Barbuda + + + + @@ -529,26 +1238,10 @@ Côte d'Ivoire - - - - - - - - @@ -637,10 +1330,6 @@ Heard Island and McDonald Islands - - @@ -649,7 +1338,7 @@ Hong Kong - - @@ -697,10 +1382,6 @@ Lebanon - - @@ -713,14 +1394,6 @@ Liechtenstein - - - - @@ -765,7 +1438,7 @@ Mayotte - - @@ -961,10 +1630,6 @@ Signed in as - - @@ -1001,15 +1666,15 @@ Suriname - - @@ -1033,26 +1694,6 @@ Thanks, - - - - - - - - - - @@ -1097,6 +1738,10 @@ Total: + + @@ -1145,10 +1790,6 @@ VAT Number - - @@ -1208,6 +1849,10 @@ Zimbabwe Zip / Postal Code + +
@@ -373,10 +1078,6 @@ The :attribute must be less than or equal :value characters.
-Action Target -
Add VAT Number
+Apply +
+Apply Coupon +
Armenia
-Dashboard -
Download Receipt
-E-Mail Address -
-Editor -
-Email Address -
Email Addresses
-Hello! -
Honduras
-ID +I accept the terms of service
@@ -661,10 +1350,6 @@ Iran, Islamic Republic of
-Iran, Islamic Republic Of -
Isle of Man
-Lens -
Lesotho
-Login -
-Logout -
Luxembourg
-Micronesia, Federated States Of +Micronesia, Federated States of
@@ -841,11 +1514,11 @@ Papua New Guinea
-Password +Payment Information
-Payment Information +Please accept the terms of service.
@@ -905,10 +1578,6 @@ Saint Kitts and Nevis
-Saint Martin -
Saint Martin (French part)
-Sint Maarten (Dutch part) -
Slovakia
-Sweden +Svalbard and Jan Mayen
-Syrian Arab Republic +Sweden
-Taiwan +Syrian Arab Republic
@@ -1017,10 +1682,6 @@ Taiwan, Province of China
-Tanzania -
Tanzania, United Republic of
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turkey
-Venezuela -
Venezuela, Bolivarian Republic of
+Åland Islands +
diff --git a/docs/statuses/tr.md b/docs/statuses/tr.md index c7e5bcb3386..3ba4aef66f2 100644 --- a/docs/statuses/tr.md +++ b/docs/statuses/tr.md @@ -2,12 +2,226 @@ # tr -##### All missed: 92 +##### All missed: 134 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/tr/auth.php) -##### Missing: 92 +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [tr](https://github.com/Laravel-Lang/lang/blob/master/locales/tr/tr.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/tr/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/tr/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/tr/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/tr/packages/spark-stripe.json) + +##### Missing: 95 + + + + @@ -115,6 +337,10 @@ Heard Island and McDonald Islands + + @@ -143,6 +369,10 @@ Managing billing for :billableName + + @@ -171,6 +401,10 @@ Payment Information + + @@ -247,6 +481,10 @@ Subscription Information + + @@ -263,26 +501,6 @@ Thanks, - - - - - - - - - - @@ -315,6 +533,10 @@ Total: + + @@ -378,6 +600,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +249,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/ug.md b/docs/statuses/ug.md index fcbe986894b..1bc20ac1a58 100644 --- a/docs/statuses/ug.md +++ b/docs/statuses/ug.md @@ -2,10 +2,28 @@ # ug -##### All missed: 824 +##### All missed: 1105 -### passwords +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/ug/auth.php) + +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [passwords](https://github.com/Laravel-Lang/lang/blob/master/locales/ug/passwords.php) ##### Missing: 1 @@ -23,7 +41,7 @@ Please wait before retrying. [ [go back](../status.md) | [to top](#) ] -### validation-inline +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/ug/validation-inline.php) ##### Missing: 94 @@ -692,7 +710,7 @@ This must be a valid UUID. [ [go back](../status.md) | [to top](#) ] -### validation +### [validation](https://github.com/Laravel-Lang/lang/blob/master/locales/ug/validation.php) ##### Missing: 28 @@ -899,2782 +917,3968 @@ The :attribute must be a valid UUID. [ [go back](../status.md) | [to top](#) ] -### json +### [ug](https://github.com/Laravel-Lang/lang/blob/master/locales/ug/ug.json) -##### Missing: 701 +##### Missing: 46 + +
-30 Days +A fresh verification link has been sent to your email address.
-60 Days +Before proceeding, please check your email for a verification link.
-90 Days +click here to request another
-:amount Total +E-Mail Address
-:days day trial +Forbidden
-:resource Details +Go to page :page
-:resource Details: :title +Hello!
-A fresh verification link has been sent to your email address. +If necessary, you may logout 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.
-A new verification link has been sent to the email address you provided during registration. +If you did not create an account, no further action is required.
-Accept Invitation +If you did not receive the email
-Action +If you’re having trouble clicking the ":actionText" button, copy and paste the URL below +into your web browser:
-Action Happened At +Invalid signature.
-Action Initiated By +Log out
-Action Name +Logout Other Browser Sessions
-Action Status +Manage and logout your active sessions on other browsers and devices.
-Action Target +Nevermind
-Actions +Not Found
-Add +Oh no
-Add a new team member to your team, allowing them to collaborate with you. +Page Expired
-Add additional security to your account using two factor authentication. +Pagination Navigation
-Add row +Please click the button below to verify your email address.
-Add Team Member +Please confirm your password before continuing.
-Add VAT Number +Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.
-Added. +Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.
-Address +Regards
-Address Line 2 +results
-Administrator +Server Error
-Administrator users can perform any action. +Service Unavailable
-Afghanistan +Showing
-Aland Islands +The :attribute must contain at least one letter.
-Albania +The :attribute must contain at least one number.
-Algeria +The :attribute must contain at least one symbol.
-All of the people that are part of this team. +The :attribute must contain at least one uppercase and one lowercase letter.
-All resources loaded. +The given :attribute has appeared in a data leak. Please choose a different :attribute.
-All rights reserved. +This action is unauthorized.
-Already registered? +This password reset link will expire in :count minutes.
-American Samoa +to
-An error occured while uploading the file. +Toggle navigation
-An unexpected error occurred and we have notified our support team. Please try again later. +Too Many Attempts.
-Andorra +Too Many Requests
-Angola +Unauthorized
-Anguilla +Verify Email Address
-Another user has updated this resource since this page was loaded. Please refresh the page and try again. +Verify Your Email Address
-Antarctica +We won't ask for your password again for a few hours.
-Antigua and Barbuda +You are logged in!
-Antigua And Barbuda +Your email address is not verified.
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/ug/packages/cashier.json) + +##### Missing: 17 + + + +
-API Token +All rights reserved.
-API Token Permissions +Card
-API Tokens +Confirm Payment
-API tokens allow third-party services to authenticate with our application on your behalf. +Confirm your :amount payment
-April +Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.
-Are you sure you want to delete the selected resources? +Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.
-Are you sure you want to delete this file? +Full name
-Are you sure you want to delete this resource? +Go back
-Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted. +Jane Doe
-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. +Pay :amount
-Are you sure you want to detach the selected resources? +Payment Cancelled
-Are you sure you want to detach this resource? +Payment Confirmation
-Are you sure you want to force delete the selected resources? +Payment Successful
-Are you sure you want to force delete this resource? +Please provide your name.
-Are you sure you want to restore the selected resources? +The payment was successful.
-Are you sure you want to restore this resource? +This payment was already successfully confirmed.
-Are you sure you want to run this action? +This payment was cancelled.
+ + +[ [go back](../status.md) | [to top](#) ] + +### [fortify](https://github.com/Laravel-Lang/lang/blob/master/locales/ug/packages/fortify.json) + +##### Missing: 11 + + + +
-Are you sure you would like to delete this API token? +The :attribute must be at least :length characters and contain at least one number.
-Are you sure you would like to leave this team? +The :attribute must be at least :length characters and contain at least one special character and one number.
-Are you sure you would like to remove this person from the team? +The :attribute must be at least :length characters and contain at least one special character.
-Argentina +The :attribute must be at least :length characters and contain at least one uppercase character and one number.
-Armenia +The :attribute must be at least :length characters and contain at least one uppercase character and one special character.
-Aruba +The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.
-Attach +The :attribute must be at least :length characters and contain at least one uppercase character.
-Attach & Attach Another +The :attribute must be at least :length characters.
-Attach :resource +The provided password does not match your current password.
-August +The provided password was incorrect.
-Australia +The provided two factor authentication code was invalid.
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/ug/packages/jetstream.json) + +##### Missing: 146 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
-Austria +A new verification link has been sent to the email address you provided during registration.
-Azerbaijan +Accept Invitation
-Bahamas +Add
-Bahrain +Add a new team member to your team, allowing them to collaborate with you.
-Bangladesh +Add additional security to your account using two factor authentication.
-Barbados +Add Team Member
-Before proceeding, please check your email for a verification link. +Added.
-Belarus +Administrator
-Belgium +Administrator users can perform any action.
-Belize +All of the people that are part of this team.
-Benin +Already registered?
-Bermuda +API Token
-Bhutan +API Token Permissions
-Billing Information +API Tokens
-Billing Management +API tokens allow third-party services to authenticate with our application on your behalf.
-Bolivia +Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.
-Bolivia, Plurinational State of +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.
-Bonaire, Sint Eustatius and Saba +Are you sure you would like to delete this API token?
-Bosnia And Herzegovina +Are you sure you would like to leave this team?
-Bosnia and Herzegovina +Are you sure you would like to remove this person from the team?
-Botswana +Browser Sessions
-Bouvet Island +Cancel
-Brazil +Close
-British Indian Ocean Territory +Code
-Browser Sessions +Confirm
-Bulgaria +Confirm Password
-Burkina Faso +Create
-Burundi +Create a new team to collaborate with others on projects.
-Cambodia +Create Account
-Cameroon +Create API Token
-Canada +Create New Team
-Cancel +Create Team
-Cancel Subscription +Created. +
+Current Password +
+Dashboard +
+Delete +
+Delete Account +
+Delete API Token +
+Delete Team +
+Disable +
+Done. +
+Editor +
+Editor users have the ability to read, create, and update. +
+Email +
+Email Password Reset Link +
+Enable +
+Ensure your account is using a long, random password to stay secure. +
+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. +
+Great! You have accepted the invitation to join the :team team. +
+I agree to the :terms_of_service and :privacy_policy +
+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 you already have an account, you may accept this invitation by clicking the button below: +
+If you did not expect to receive an invitation to this team, you may discard this 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: +
+Last active +
+Last used +
+Leave +
+Leave Team +
+Log in +
+Log Out +
+Log Out Other Browser Sessions +
+Manage Account +
+Manage and log out your active sessions on other browsers and devices. +
+Manage API Tokens +
+Manage Role +
+Manage Team +
+Name +
+New Password +
+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 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. +
+Password +
+Pending Team Invitations +
+Permanently delete this team. +
+Permanently delete your account. +
+Permissions +
+Photo +
+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 copy your new API token. For your security, it won't be shown again. +
+Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices. +
+Please provide the email address of the person you would like to add to this team. +
+Privacy Policy +
+Profile +
+Profile Information +
+Recovery Code +
+Regenerate Recovery Codes +
+Register +
+Remember me +
+Remove +
+Remove Photo +
+Remove Team Member +
+Resend Verification Email +
+Reset Password +
+Role +
+Save +
+Saved. +
+Select A New Photo +
+Show Recovery Codes +
+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. +
+Switch Teams +
+Team Details +
+Team Invitation +
+Team Members +
+Team Name +
+Team Owner +
+Team Settings +
+Terms of Service +
+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 a valid role. +
+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. +
+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, 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. +
+The provided password does not match your current password. +
+The provided password was incorrect. +
+The provided two factor authentication code was invalid. +
+The team's name and owner information. +
+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. +
+This device +
+This is a secure area of the application. Please confirm your password before continuing. +
+This password does not match our records. +
+This user already belongs to the team. +
+This user has already been invited to the team. +
+Token Name +
+Two Factor Authentication +
+Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application. +
+Update Password +
+Update your account's profile information and email address. +
+Use a recovery code +
+Use an authentication code +
+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. +
+Whoops! Something went wrong. +
+You have been invited to join the :team team! +
+You have enabled two factor authentication. +
+You have not enabled two factor authentication. +
+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. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/ug/packages/nova.json) + +##### Missing: 415 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+30 Days +
+60 Days +
+90 Days +
+:amount Total +
+:resource Details +
+:resource Details: :title +
+Action +
+Action Happened At +
+Action Initiated By +
+Action Name +
+Action Status +
+Action Target +
+Actions +
+Add row +
+Afghanistan +
+Aland Islands +
+Albania +
+Algeria +
+All resources loaded. +
+American Samoa +
+An error occured while uploading the file. +
+Andorra +
+Angola +
+Anguilla +
+Another user has updated this resource since this page was loaded. Please refresh the page and try again. +
+Antarctica +
+Antigua And Barbuda +
+April +
+Are you sure you want to delete the selected resources? +
+Are you sure you want to delete this file? +
+Are you sure you want to delete this resource? +
+Are you sure you want to detach the selected resources? +
+Are you sure you want to detach this resource? +
+Are you sure you want to force delete the selected resources? +
+Are you sure you want to force delete this resource? +
+Are you sure you want to restore the selected resources? +
+Are you sure you want to restore this resource? +
+Are you sure you want to run this action? +
+Argentina +
+Armenia +
+Aruba +
+Attach +
+Attach & Attach Another +
+Attach :resource +
+August +
+Australia +
+Austria +
+Azerbaijan +
+Bahamas +
+Bahrain +
+Bangladesh +
+Barbados +
+Belarus +
+Belgium +
+Belize +
+Benin +
+Bermuda +
+Bhutan +
+Bolivia +
+Bonaire, Sint Eustatius and Saba +
+Bosnia And Herzegovina +
+Botswana +
+Bouvet Island +
+Brazil +
+British Indian Ocean Territory +
+Bulgaria +
+Burkina Faso +
+Burundi +
+Cambodia +
+Cameroon +
+Canada +
+Cancel +
+Cape Verde +
+Cayman Islands +
+Central African Republic +
+Chad +
+Changes +
+Chile +
+China +
+Choose +
+Choose :field +
+Choose :resource +
+Choose an option +
+Choose date +
+Choose File +
+Choose Type +
+Christmas Island +
+Click to choose +
+Cocos (Keeling) Islands +
+Colombia +
+Comoros +
+Confirm Password +
+Congo +
+Congo, Democratic Republic +
+Constant +
+Cook Islands +
+Costa Rica +
+could not be found. +
+Create +
+Create & Add Another +
+Create :resource +
+Croatia +
+Cuba +
+Curaçao +
+Customize +
+Cyprus +
+Dashboard +
+December +
+Decrease +
+Delete +
+Delete File +
+Delete Resource +
+Delete Selected +
+Denmark +
+Detach +
+Detach Resource +
+Detach Selected +
+Details +
+Djibouti +
+Do you really want to leave? You have unsaved changes. +
+Dominica +
+Dominican Republic +
+Download +
+Ecuador +
+Edit +
+Edit :resource +
+Edit Attached +
+Egypt +
+El Salvador +
+Email Address +
+Equatorial Guinea +
+Eritrea +
+Estonia +
+Ethiopia +
+Falkland Islands (Malvinas) +
+Faroe Islands +
+February +
+Fiji +
+Finland +
+Force Delete +
+Force Delete Resource +
+Force Delete Selected +
+Forgot Your Password?
-Cape Verde +Forgot your password?
-Card +France
-Cayman Islands +French Guiana
-Central African Republic +French Polynesia
-Chad +French Southern Territories
-Change Subscription Plan +Gabon
-Changes +Gambia
-Chile +Georgia
-China +Germany
-Choose +Ghana
-Choose :field +Gibraltar
-Choose :resource +Go Home
-Choose an option +Greece
-Choose date +Greenland
-Choose File +Grenada
-Choose Type +Guadeloupe
-Christmas Island +Guam
-City +Guatemala
-click here to request another +Guernsey
-Click to choose +Guinea
-Close +Guinea-Bissau
-Cocos (Keeling) Islands +Guyana
-Code +Haiti
-Colombia +Heard Island & Mcdonald Islands
-Comoros +Hide Content
-Confirm +Hold Up!
-Confirm Password +Honduras
-Confirm Payment +Hong Kong
-Confirm your :amount payment +Hungary
-Congo +Iceland
-Congo, Democratic Republic +ID
-Congo, the Democratic Republic of the +If you did not request a password reset, no further action is required.
-Constant +Increase
-Cook Islands +India
-Costa Rica +Indonesia
-could not be found. +Iran, Islamic Republic Of
-Country +Iraq
-Coupon +Ireland
-Create +Isle Of Man
-Create & Add Another +Israel
-Create :resource +Italy
-Create a new team to collaborate with others on projects. +Jamaica
-Create Account +January
-Create API Token +Japan
-Create New Team +Jersey
-Create Team +Jordan
-Created. +July
-Croatia +June
-Cuba +Kazakhstan
-Curaçao +Kenya
-Current Password +Key
-Current Subscription Plan +Kiribati
-Currently Subscribed +Korea
-Customize +Korea, Democratic People's Republic of
-Cyprus +Kosovo
-Côte d'Ivoire +Kuwait
-Dashboard +Kyrgyzstan
-December +Latvia
-Decrease +Lebanon
-Delete +Lens
-Delete Account +Lesotho
-Delete API Token +Liberia
-Delete File +Libyan Arab Jamahiriya
-Delete Resource +Liechtenstein
-Delete Selected +Lithuania
-Delete Team +Load :perPage More
-Denmark +Login
-Detach +Logout
-Detach Resource +Luxembourg
-Detach Selected +Macao
-Details +Macedonia
-Disable +Madagascar
-Djibouti +Malawi
-Do you really want to leave? You have unsaved changes. +Malaysia
-Dominica +Maldives
-Dominican Republic +Mali
-Done. +Malta
-Download +March
-Download Receipt +Marshall Islands +
+Martinique +
+Mauritania +
+Mauritius +
+May +
+Mayotte +
+Mexico +
+Micronesia, Federated States Of +
+Moldova +
+Monaco +
+Mongolia +
+Montenegro +
+Month To Date +
+Montserrat +
+Morocco +
+Mozambique +
+Myanmar +
+Namibia +
+Nauru +
+Nepal +
+Netherlands +
+New +
+New :resource +
+New Caledonia +
+New Zealand
-E-Mail Address +Next
-Ecuador +Nicaragua
-Edit +Niger
-Edit :resource +Nigeria
-Edit Attached +Niue
-Editor +No
-Editor users have the ability to read, create, and update. +No :resource matched the given criteria.
-Egypt +No additional information...
-El Salvador +No Current Data
-Email +No Data
-Email Address +no file selected
-Email Addresses +No Increase
-Email Password Reset Link +No Prior Data
-Enable +No Results Found.
-Ensure your account is using a long, random password to stay secure. +Norfolk Island
-Equatorial Guinea +Northern Mariana Islands
-Eritrea +Norway
-Estonia +Nova User
-Ethiopia +November
-ex VAT +October
-Extra Billing Information +of
-Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below. +Oman
-Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below. +Only Trashed
-Falkland Islands (Malvinas) +Original
-Faroe Islands +Pakistan
-February +Palau
-Fiji +Palestinian Territory, Occupied
-Finland +Panama
-For your security, please confirm your password to continue. +Papua New Guinea
-Forbidden +Paraguay
-Force Delete +Password
-Force Delete Resource +Per Page
-Force Delete Selected +Peru
-Forgot Your Password? +Philippines
-Forgot your password? +Pitcairn
-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. +Poland
-France +Portugal
-French Guiana +Press / to search
-French Polynesia +Preview
-French Southern Territories +Previous
-Full name +Puerto Rico
-Gabon +Qatar
-Gambia +Quarter To Date
-Georgia +Reload
-Germany +Remember Me
-Ghana +Reset Filters
-Gibraltar +Reset Password
-Go back +Reset Password Notification
-Go Home +resource
-Go to page :page +Resources
-Great! You have accepted the invitation to join the :team team. +resources
-Greece +Restore
-Greenland +Restore Resource
-Grenada +Restore Selected
-Guadeloupe +Reunion
-Guam +Romania
-Guatemala +Run Action
-Guernsey +Russian Federation
-Guinea +Rwanda
-Guinea-Bissau +Saint Barthelemy
-Guyana +Saint Helena
-Haiti +Saint Kitts And Nevis
-Have a coupon code? +Saint Lucia
-Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +Saint Martin
-Heard Island & Mcdonald Islands +Saint Pierre And Miquelon
-Heard Island and McDonald Islands +Saint Vincent And Grenadines
-Hello! +Samoa
-Hide Content +San Marino
-Hold Up! +Sao Tome And Principe
-Honduras +Saudi Arabia
-Hong Kong +Search
-Hungary +Select Action
-I agree to the :terms_of_service and :privacy_policy +Select All
-Iceland +Select All Matching
-ID +Send Password Reset Link
-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. +Senegal
-If necessary, you may logout 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. +September
-If you already have an account, you may accept this invitation by clicking the button below: +Serbia
-If you did not create an account, no further action is required. +Seychelles
-If you did not expect to receive an invitation to this team, you may discard this email. +Show All Fields
-If you did not receive the email +Show Content
-If you did not request a password reset, no further action is required. +Sierra Leone
-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: +Singapore
-If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here. +Sint Maarten (Dutch part)
-If you’re having trouble clicking the ":actionText" button, copy and paste the URL below -into your web browser: +Slovakia
-Increase +Slovenia
-India +Solomon Islands
-Indonesia +Somalia
-Invalid signature. +Something went wrong.
-Iran, Islamic Republic of +Sorry! You are not authorized to perform this action.
-Iran, Islamic Republic Of +Sorry, your session has expired.
-Iraq +South Africa
-Ireland +South Georgia And Sandwich Isl.
-Isle of Man +South Sudan
-Isle Of Man +Spain
-Israel +Sri Lanka
-It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +Start Polling
-Italy +Stop Polling
-Jamaica +Sudan
-January +Suriname
-Japan +Svalbard And Jan Mayen
-Jersey +Sweden
-Jordan +Switzerland
-July +Syrian Arab Republic
-June +Taiwan
-Kazakhstan +Tajikistan
-Kenya +Tanzania
-Key +Thailand
-Kiribati +The :resource was created!
-Korea +The :resource was deleted!
-Korea, Democratic People's Republic of +The :resource was restored!
-Korea, Republic of +The :resource was updated!
-Kosovo +The action ran successfully!
-Kuwait +The file was deleted!
-Kyrgyzstan +The government won't let us show you what's behind these doors
-Last active +The HasOne relationship has already been filled.
-Last used +The resource was updated!
-Latvia +There are no available options for this resource.
-Leave +There was a problem executing the action.
-Leave Team +There was a problem submitting the form.
-Lebanon +This file field is read-only.
-Lens +This image
-Lesotho +This resource no longer exists
-Liberia +Timor-Leste
-Libyan Arab Jamahiriya +Today
-Liechtenstein +Togo
-Lithuania +Tokelau
-Load :perPage More +Tonga
-Log in +total
-Log out +Trashed
-Log Out +Trinidad And Tobago
-Log Out Other Browser Sessions +Tunisia
-Login +Turkey
-Logout +Turkmenistan
-Logout Other Browser Sessions +Turks And Caicos Islands
-Luxembourg +Tuvalu
-Macao +Uganda
-Macedonia +Ukraine
-Macedonia, the former Yugoslav Republic of +United Arab Emirates
-Madagascar +United Kingdom
-Malawi +United States
-Malaysia +United States Outlying Islands
-Maldives +Update
-Mali +Update & Continue Editing
-Malta +Update :resource
-Manage Account +Update :resource: :title
-Manage and log out your active sessions on other browsers and devices. +Update attached :resource: :title
-Manage and logout your active sessions on other browsers and devices. +Uruguay
-Manage API Tokens +Uzbekistan
-Manage Role +Value
-Manage Team +Vanuatu
-Managing billing for :billableName +Venezuela
-March +View
-Marshall Islands +Virgin Islands, British
-Martinique +Virgin Islands, U.S.
-Mauritania +Wallis And Futuna
-Mauritius +We're lost in space. The page you were trying to view does not exist.
-May +Welcome Back!
-Mayotte +Western Sahara
-Mexico +Whoops
-Micronesia, Federated States Of +Whoops!
-Moldova +With Trashed
-Moldova, Republic of +Write
-Monaco +Year To Date
-Mongolia +Yemen
-Montenegro +Yes
-Month To Date +You are receiving this email because we received a password reset request for your account.
-Monthly +Zambia
-monthly +Zimbabwe
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/ug/packages/spark-paddle.json) + +##### Missing: 33 + + + +
-Montserrat +An unexpected error occurred and we have notified our support team. Please try again later.
-Morocco +Billing Management
-Mozambique +Cancel Subscription
-Myanmar +Change Subscription Plan
-Name +Current Subscription Plan
-Namibia +Currently Subscribed
-Nauru +Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.
-Nepal +It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.
-Netherlands +Managing billing for :billableName
-Netherlands Antilles +Monthly
-Nevermind +Nevermind, I'll keep my old plan
-Nevermind, I'll keep my old plan +Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.
-New +Payment Method
-New :resource +Receipts
-New Caledonia +Resume Subscription
-New Password +Return to :appName
-New Zealand +Signed in as
-Next +Subscribe
-Nicaragua +Subscription Pending
-Niger +Terms of Service
-Nigeria +The selected plan is invalid.
-Niue +There is no active subscription.
-No +This account does not have an active subscription.
-No :resource matched the given criteria. +This subscription cannot be resumed. Please create a new subscription.
-No additional information... +Update Payment Method
-No Current Data +View Receipt
-No Data +We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.
-no file selected +Whoops! Something went wrong.
-No Increase +Yearly
-No Prior Data +You are already subscribed.
-No Results Found. +You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.
-Norfolk Island +Your current payment method is :paypal.
-Northern Mariana Islands +Your current payment method is a credit card ending in :lastFour that expires on :expiration.
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/ug/packages/spark-stripe.json) + +##### Missing: 313 + + - - @@ -3709,6 +4909,10 @@ Zimbabwe Zip / Postal Code + +
-Norway +:days day trial
-Not Found +Add VAT Number
-Nova User +Address
-November +Address Line 2
-October +Afghanistan
-of +Albania
-Oh no +Algeria
-Oman +American Samoa
-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. +An unexpected error occurred and we have notified our support team. Please try again later.
-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. +Andorra
-Only Trashed +Angola
-Original +Anguilla
-Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +Antarctica
-Page Expired +Antigua and Barbuda
-Pagination Navigation +Apply
-Pakistan +Apply Coupon
-Palau +Argentina
-Palestinian Territory, Occupied +Armenia
-Panama +Aruba
-Papua New Guinea +Australia
-Paraguay +Austria
-Password +Azerbaijan
-Pay :amount +Bahamas
-Payment Cancelled +Bahrain
-Payment Confirmation +Bangladesh
-Payment Information +Barbados
-Payment Successful +Belarus
-Pending Team Invitations +Belgium
-Per Page +Belize
-Permanently delete this team. +Benin
-Permanently delete your account. +Bermuda
-Permissions +Bhutan
-Peru +Billing Information
-Philippines +Billing Management
-Photo +Bolivia, Plurinational State of
-Pitcairn +Bosnia and Herzegovina
-Please click the button below to verify your email address. +Botswana
-Please confirm access to your account by entering one of your emergency recovery codes. +Bouvet Island
-Please confirm access to your account by entering the authentication code provided by your authenticator application. +Brazil
-Please confirm your password before continuing. +British Indian Ocean Territory
-Please copy your new API token. For your security, it won't be shown again. +Bulgaria
-Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices. +Burkina Faso
-Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices. +Burundi
-Please provide a maximum of three receipt emails addresses. +Cambodia
-Please provide the email address of the person you would like to add to this team. +Cameroon
-Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account. +Canada
-Please provide your name. +Cancel Subscription
-Poland +Cape Verde
-Portugal +Card
-Press / to search +Cayman Islands
-Preview +Central African Republic
-Previous +Chad
-Privacy Policy +Change Subscription Plan
-Profile +Chile
-Profile Information +China
-Puerto Rico +Christmas Island
-Qatar +City
-Quarter To Date +Cocos (Keeling) Islands
-Receipt Email Addresses +Colombia
-Receipts +Comoros
-Recovery Code +Confirm Payment
-Regards +Confirm your :amount payment
-Regenerate Recovery Codes +Congo
-Register +Congo, the Democratic Republic of the
-Reload +Cook Islands
-Remember me +Costa Rica
-Remember Me +Country
-Remove +Coupon
-Remove Photo +Croatia
-Remove Team Member +Cuba
-Resend Verification Email +Current Subscription Plan
-Reset Filters +Currently Subscribed
-Reset Password +Cyprus
-Reset Password Notification +Côte d'Ivoire
-resource +Denmark
-Resources +Djibouti
-resources +Dominica
-Restore +Dominican Republic
-Restore Resource +Download Receipt
-Restore Selected +Ecuador
-results +Egypt
-Resume Subscription +El Salvador
-Return to :appName +Email Addresses
-Reunion +Equatorial Guinea
-Role +Eritrea
-Romania +Estonia
-Run Action +Ethiopia
-Russian Federation +ex VAT
-Rwanda +Extra Billing Information
-Réunion +Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.
-Saint Barthelemy +Falkland Islands (Malvinas)
-Saint Barthélemy +Faroe Islands
-Saint Helena +Fiji
-Saint Kitts and Nevis +Finland
-Saint Kitts And Nevis +France
-Saint Lucia +French Guiana
-Saint Martin +French Polynesia
-Saint Martin (French part) +French Southern Territories
-Saint Pierre and Miquelon +Gabon
-Saint Pierre And Miquelon +Gambia
-Saint Vincent And Grenadines +Georgia
-Saint Vincent and the Grenadines +Germany
-Samoa +Ghana
-San Marino +Gibraltar
-Sao Tome and Principe +Greece
-Sao Tome And Principe +Greenland
-Saudi Arabia +Grenada
-Save +Guadeloupe
-Saved. +Guam
-Search +Guatemala
-Select +Guernsey
-Select a different plan +Guinea
-Select A New Photo +Guinea-Bissau
-Select Action +Guyana
-Select All +Haiti
-Select All Matching +Have a coupon code?
-Send Password Reset Link +Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.
-Senegal +Heard Island and McDonald Islands
-September +Honduras
-Serbia +Hong Kong
-Server Error +Hungary
-Service Unavailable +I accept the terms of service
-Seychelles +Iceland
-Show All Fields +If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
-Show Content +India
-Show Recovery Codes +Indonesia
-Showing +Iran, Islamic Republic of
-Sierra Leone +Iraq
-Signed in as +Ireland
-Singapore +Isle of Man
-Sint Maarten (Dutch part) +Israel
-Slovakia +It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.
-Slovenia +Italy
-Solomon Islands +Jamaica
-Somalia +Japan
-Something went wrong. +Jersey
-Sorry! You are not authorized to perform this action. +Jordan
-Sorry, your session has expired. +Kazakhstan
-South Africa +Kenya
-South Georgia And Sandwich Isl. +Kiribati
-South Georgia and the South Sandwich Islands +Korea, Democratic People's Republic of
-South Sudan +Korea, Republic of
-Spain +Kuwait
-Sri Lanka +Kyrgyzstan
-Start Polling +Latvia
-State / County +Lebanon
-Stop Polling +Lesotho
-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. +Liberia
-Subscribe +Libyan Arab Jamahiriya
-Subscription Information +Liechtenstein
-Sudan +Lithuania
-Suriname +Luxembourg
-Svalbard And Jan Mayen +Macao
-Sweden +Macedonia, the former Yugoslav Republic of
-Switch Teams +Madagascar
-Switzerland +Malawi
-Syrian Arab Republic +Malaysia
-Taiwan +Maldives
-Taiwan, Province of China +Mali
-Tajikistan +Malta
-Tanzania +Managing billing for :billableName
-Tanzania, United Republic of +Marshall Islands
-Team Details +Martinique
-Team Invitation +Mauritania
-Team Members +Mauritius
-Team Name +Mayotte
-Team Owner +Mexico
-Team Settings +Micronesia, Federated States of
-Terms of Service +Moldova, Republic of
-Thailand +Monaco
-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. +Mongolia
-Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns. +Montenegro
-Thanks, +Monthly
-The :attribute must be a valid role. +monthly
-The :attribute must be at least :length characters and contain at least one number. +Montserrat
-The :attribute must be at least :length characters and contain at least one special character and one number. +Morocco
-The :attribute must be at least :length characters and contain at least one special character. +Mozambique
-The :attribute must be at least :length characters and contain at least one uppercase character and one number. +Myanmar
-The :attribute must be at least :length characters and contain at least one uppercase character and one special character. +Namibia
-The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character. +Nauru
-The :attribute must be at least :length characters and contain at least one uppercase character. +Nepal
-The :attribute must be at least :length characters. +Netherlands
-The :attribute must contain at least one letter. +Netherlands Antilles
-The :attribute must contain at least one number. +Nevermind, I'll keep my old plan
-The :attribute must contain at least one symbol. +New Caledonia
-The :attribute must contain at least one uppercase and one lowercase letter. +New Zealand
-The :resource was created! +Nicaragua
-The :resource was deleted! +Niger
-The :resource was restored! +Nigeria
-The :resource was updated! +Niue
-The action ran successfully! +Norfolk Island
-The file was deleted! +Northern Mariana Islands
-The given :attribute has appeared in a data leak. Please choose a different :attribute. +Norway
-The government won't let us show you what's behind these doors +Oman
-The HasOne relationship has already been filled. +Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.
-The payment was successful. +Pakistan
-The provided coupon code is invalid. +Palau
-The provided password does not match your current password. +Palestinian Territory, Occupied
-The provided password was incorrect. +Panama
-The provided two factor authentication code was invalid. +Papua New Guinea
-The provided VAT number is invalid. +Paraguay
-The receipt emails must be valid email addresses. +Payment Information
-The resource was updated! +Peru
-The selected country is invalid. +Philippines
-The selected plan is invalid. +Pitcairn
-The team's name and owner information. +Please accept the terms of service.
-There are no available options for this resource. +Please provide a maximum of three receipt emails addresses.
-There was a problem executing the action. +Poland
-There was a problem submitting the form. +Portugal
-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. +Puerto Rico
-This account does not have an active subscription. +Qatar
-This action is unauthorized. +Receipt Email Addresses
-This device +Receipts
-This file field is read-only. +Resume Subscription
-This image +Return to :appName
-This is a secure area of the application. Please confirm your password before continuing. +Romania
-This password does not match our records. +Russian Federation
-This password reset link will expire in :count minutes. +Rwanda
-This payment was already successfully confirmed. +Réunion
-This payment was cancelled. +Saint Barthélemy
-This resource no longer exists +Saint Helena
-This subscription has expired and cannot be resumed. Please create a new subscription. +Saint Kitts and Nevis
-This user already belongs to the team. +Saint Lucia
-This user has already been invited to the team. +Saint Martin (French part)
-Timor-Leste +Saint Pierre and Miquelon
-to +Saint Vincent and the Grenadines
-Today +Samoa
-Toggle navigation +San Marino
-Togo +Sao Tome and Principe
-Tokelau +Saudi Arabia
-Token Name +Save
-Tonga +Select
-Too Many Attempts. +Select a different plan
-Too Many Requests +Senegal
-total +Serbia
-Total: +Seychelles
-Trashed +Sierra Leone
-Trinidad And Tobago +Signed in as
-Tunisia +Singapore
-Turkey +Slovakia
-Turkmenistan +Slovenia
-Turks and Caicos Islands +Solomon Islands
-Turks And Caicos Islands +Somalia
-Tuvalu +South Africa
-Two Factor Authentication +South Georgia and the South Sandwich Islands
-Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application. +Spain
-Uganda +Sri Lanka
-Ukraine +State / County
-Unauthorized +Subscribe
-United Arab Emirates +Subscription Information
-United Kingdom +Sudan
-United States +Suriname
-United States Minor Outlying Islands +Svalbard and Jan Mayen
-United States Outlying Islands +Sweden
-Update +Switzerland
-Update & Continue Editing +Syrian Arab Republic
-Update :resource +Taiwan, Province of China
-Update :resource: :title +Tajikistan
-Update attached :resource: :title +Tanzania, United Republic of
-Update Password +Terms of Service
-Update Payment Information +Thailand
-Update your account's profile information and email address. +Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.
-Uruguay +Thanks,
-Use a recovery code +The provided coupon code is invalid.
-Use an authentication code +The provided VAT number is invalid.
-Uzbekistan +The receipt emails must be valid email addresses.
-Value +The selected country is invalid.
-Vanuatu +The selected plan is invalid.
-VAT Number +This account does not have an active subscription.
-Venezuela +This subscription has expired and cannot be resumed. Please create a new subscription.
-Venezuela, Bolivarian Republic of +Timor-Leste
-Verify Email Address +Togo
-Verify Your Email Address +Tokelau
-View +Tonga
-Virgin Islands, British +Total:
-Virgin Islands, U.S. +Trinidad and Tobago
-Wallis and Futuna +Tunisia
-Wallis And Futuna +Turkey
-We are unable to process your payment. Please contact customer support. +Turkmenistan
-We were unable to find a registered user with this email address. +Turks and Caicos Islands
-We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas. +Tuvalu
-We won't ask for your password again for a few hours. +Uganda
-We're lost in space. The page you were trying to view does not exist. +Ukraine
-Welcome Back! +United Arab Emirates
-Western Sahara +United Kingdom
-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. +United States
-Whoops +United States Minor Outlying Islands
-Whoops! +Update
-Whoops! Something went wrong. +Update Payment Information
-With Trashed +Uruguay
-Write +Uzbekistan
-Year To Date +Vanuatu
-Yearly +VAT Number
-Yemen +Venezuela, Bolivarian Republic of
-Yes +Virgin Islands, British
-You are currently within your free trial period. Your trial will expire on :date. +Virgin Islands, U.S.
-You are logged in! +Wallis and Futuna
-You are receiving this email because we received a password reset request for your account. +We are unable to process your payment. Please contact customer support.
-You have been invited to join the :team team! +We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.
-You have enabled two factor authentication. +Western Sahara
-You have not enabled two factor authentication. +Whoops! Something went wrong.
-You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +Yearly
-You may delete any of your existing tokens if they are no longer needed. +Yemen
-You may not delete your personal team. +You are currently within your free trial period. Your trial will expire on :date.
-You may not leave a team that you created. +You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.
@@ -3690,10 +4894,6 @@ Your current payment method is a credit card ending in :lastFour that expires on
-Your email address is not verified. -
Your registered VAT Number is :vatNumber.
+Åland Islands +
diff --git a/docs/statuses/uk.md b/docs/statuses/uk.md index f7bd9bebe58..2c9dde4b7ec 100644 --- a/docs/statuses/uk.md +++ b/docs/statuses/uk.md @@ -2,12 +2,227 @@ # uk -##### All missed: 94 +##### All missed: 137 -### json +### [uk](https://github.com/Laravel-Lang/lang/blob/master/locales/uk/uk.json) -##### Missing: 94 +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/uk/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/uk/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/uk/packages/nova.json) + +##### Missing: 2 + + + + + + + +
+Luxembourg +
+Qatar +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/uk/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/uk/packages/spark-stripe.json) + +##### Missing: 97 + + + + @@ -115,6 +338,10 @@ Heard Island and McDonald Islands + + @@ -147,6 +374,10 @@ Managing billing for :billableName + + @@ -175,6 +406,10 @@ Payment Information + + @@ -255,6 +490,10 @@ Subscription Information + + @@ -271,26 +510,6 @@ Thanks, - - - - - - - - - - @@ -323,6 +542,10 @@ Total: + + @@ -386,6 +609,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +250,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/ur.md b/docs/statuses/ur.md index 8760b18d457..ea05b072d93 100644 --- a/docs/statuses/ur.md +++ b/docs/statuses/ur.md @@ -2,10 +2,28 @@ # ur -##### All missed: 151 +##### All missed: 200 -### validation-inline +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/ur/auth.php) + +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/ur/validation-inline.php) ##### Missing: 32 @@ -240,7 +258,7 @@ The string must be :size characters. [ [go back](../status.md) | [to top](#) ] -### validation +### [validation](https://github.com/Laravel-Lang/lang/blob/master/locales/ur/validation.php) ##### Missing: 16 @@ -363,9 +381,260 @@ The :attribute must be less than or equal :value characters. [ [go back](../status.md) | [to top](#) ] -### json +### [ur](https://github.com/Laravel-Lang/lang/blob/master/locales/ur/ur.json) + +##### Missing: 6 + + + + + + + + + + + + + + + +
+Nevermind +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/ur/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/ur/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/ur/packages/nova.json) + +##### Missing: 10 + + + + + + + + + + + + + + + + + + + + + + + +
+Cocos (Keeling) Islands +
+ID +
+Kiribati +
+Mayotte +
+Nauru +
+Niue +
+Qatar +
+Sint Maarten (Dutch part) +
+Tokelau +
+Wallis And Futuna +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/ur/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/ur/packages/spark-stripe.json) -##### Missing: 103 +##### Missing: 102 + + + + @@ -477,7 +754,7 @@ Heard Island and McDonald Islands + + @@ -537,10 +818,6 @@ Netherlands Antilles - - @@ -557,6 +834,10 @@ Payment Information + + @@ -621,10 +902,6 @@ Signed in as - - @@ -641,6 +918,10 @@ Subscription Information + + @@ -657,26 +938,6 @@ Thanks, - - - - - - - - - - @@ -713,6 +974,10 @@ Total: + + @@ -737,10 +1002,6 @@ Wallis and Futuna - - @@ -780,6 +1041,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -393,6 +662,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
-ID +I accept the terms of service
@@ -517,6 +794,10 @@ Mayotte
+Micronesia, Federated States of +
Moldova, Republic of
-Nevermind -
Nevermind, I'll keep my old plan
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
-Sint Maarten (Dutch part) -
South Georgia and the South Sandwich Islands
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
-Wallis And Futuna -
We are unable to process your payment. Please contact customer support.
+Åland Islands +
diff --git a/docs/statuses/uz-cyrl.md b/docs/statuses/uz-cyrl.md index 750853a6d7b..c3d5043178d 100644 --- a/docs/statuses/uz-cyrl.md +++ b/docs/statuses/uz-cyrl.md @@ -2,12 +2,808 @@ # uz_Cyrl -##### All missed: 175 +##### All missed: 316 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/uz_Cyrl/auth.php) -##### Missing: 175 +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/uz_Cyrl/validation-inline.php) + +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [uz_Cyrl](https://github.com/Laravel-Lang/lang/blob/master/locales/uz_Cyrl/uz_Cyrl.json) + +##### Missing: 6 + + + + + + + + + + + + + + + +
+Log out +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/uz_Cyrl/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/uz_Cyrl/packages/jetstream.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+Administrator +
+API Tokens +
+Dashboard +
+Log Out +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/uz_Cyrl/packages/nova.json) + +##### Missing: 79 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+Anguilla +
+Argentina +
+Aruba +
+Bahamas +
+Bangladesh +
+Barbados +
+Belarus +
+Belize +
+Benin +
+Bermuda +
+Bolivia +
+Botswana +
+Burkina Faso +
+Burundi +
+Cambodia +
+Cameroon +
+Chad +
+Comoros +
+Congo +
+Cuba +
+Dashboard +
+Detach +
+Ethiopia +
+Gabon +
+Gambia +
+Gibraltar +
+Grenada +
+Guadeloupe +
+Guam +
+Guernsey +
+Guyana +
+Hong Kong +
+ID +
+Kiribati +
+Kosovo +
+Lesotho +
+Liberia +
+Liechtenstein +
+Luxembourg +
+Macao +
+Madagascar +
+Malawi +
+Malta +
+Martinique +
+Mauritius +
+Mayotte +
+Micronesia, Federated States Of +
+Moldova +
+Monaco +
+Montserrat +
+Namibia +
+Nauru +
+Nepal +
+Nicaragua +
+Niger +
+Niue +
+Original +
+Palau +
+Peru +
+Qatar +
+Reload +
+Samoa +
+Senegal +
+Seychelles +
+Sierra Leone +
+Sint Maarten (Dutch part) +
+Slovenia +
+Sudan +
+Suriname +
+Timor-Leste +
+Togo +
+Tokelau +
+Trashed +
+Tuvalu +
+Uganda +
+Uruguay +
+Vanuatu +
+Whoops +
+Whoops! +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/uz_Cyrl/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/uz_Cyrl/packages/spark-stripe.json) + +##### Missing: 161 - - @@ -43,7 +835,11 @@ Antigua and Barbuda + + - - @@ -175,14 +967,6 @@ Côte d'Ivoire - - - - @@ -251,7 +1035,7 @@ Hong Kong - - @@ -295,14 +1075,6 @@ Liechtenstein - - - - @@ -343,11 +1115,7 @@ Mayotte - - - - @@ -423,6 +1187,10 @@ Peru + + @@ -439,10 +1207,6 @@ Receipts - - @@ -507,10 +1271,6 @@ Signed in as - - @@ -539,6 +1299,10 @@ Suriname + + @@ -555,26 +1319,6 @@ Thanks, - - - - - - - - - - @@ -619,7 +1363,7 @@ Total: - - - - @@ -710,6 +1446,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -27,10 +823,6 @@ Address Line 2
-Administrator -
An unexpected error occurred and we have notified our support team. Please try again later.
-API Tokens +Apply +
+Apply Coupon
@@ -91,10 +887,6 @@ Billing Management
-Bolivia -
Bolivia, Plurinational State of
-Dashboard -
-Detach -
Download Receipt
-ID +I accept the terms of service
@@ -279,10 +1063,6 @@ Korea, Republic of
-Kosovo -
Lesotho
-Log out -
-Log Out -
Luxembourg
-Micronesia, Federated States Of -
-Moldova +Micronesia, Federated States of
@@ -403,10 +1171,6 @@ Niue
-Original -
Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
-Reload -
Resume Subscription
-Sint Maarten (Dutch part) -
Slovenia
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
-Trashed +Trinidad and Tobago
@@ -671,14 +1415,6 @@ We will send a receipt download link to the email addresses that you specify bel
-Whoops -
-Whoops! -
Yearly
+Åland Islands +
diff --git a/docs/statuses/uz-latn.md b/docs/statuses/uz-latn.md index 7b3a6c72838..925eeef2dc7 100644 --- a/docs/statuses/uz-latn.md +++ b/docs/statuses/uz-latn.md @@ -2,12 +2,808 @@ # uz_Latn -##### All missed: 175 +##### All missed: 316 -### json +### [auth](https://github.com/Laravel-Lang/lang/blob/master/locales/uz_Latn/auth.php) -##### Missing: 175 +##### Missing: 1 + + + + + + +
+password + +The provided password is incorrect. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [validation-inline](https://github.com/Laravel-Lang/lang/blob/master/locales/uz_Latn/validation-inline.php) + +##### Missing: 32 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+between.array + +This content must have between :min and :max items. +
+between.file + +This file must be between :min and :max kilobytes. +
+between.numeric + +This value must be between :min and :max. +
+between.string + +This string must be between :min and :max characters. +
+gt.array + +The content must have more than :value items. +
+gt.file + +The file size must be greater than :value kilobytes. +
+gt.numeric + +The value must be greater than :value. +
+gt.string + +The string must be greater than :value characters. +
+gte.array + +The content must have :value items or more. +
+gte.file + +The file size must be greater than or equal :value kilobytes. +
+gte.numeric + +The value must be greater than or equal :value. +
+gte.string + +The string must be greater than or equal :value characters. +
+lt.array + +The content must have less than :value items. +
+lt.file + +The file size must be less than :value kilobytes. +
+lt.numeric + +The value must be less than :value. +
+lt.string + +The string must be less than :value characters. +
+lte.array + +The content must not have more than :value items. +
+lte.file + +The file size must be less than or equal :value kilobytes. +
+lte.numeric + +The value must be less than or equal :value. +
+lte.string + +The string must be less than or equal :value characters. +
+max.array + +The content may not have more than :max items. +
+max.file + +The file size may not be greater than :max kilobytes. +
+max.numeric + +The value may not be greater than :max. +
+max.string + +The string may not be greater than :max characters. +
+min.array + +The value must have at least :min items. +
+min.file + +The file size must be at least :min kilobytes. +
+min.numeric + +The value must be at least :min. +
+min.string + +The string must be at least :min characters. +
+size.array + +The content must contain :size items. +
+size.file + +The file size must be :size kilobytes. +
+size.numeric + +The value must be :size. +
+size.string + +The string must be :size characters. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [uz_Latn](https://github.com/Laravel-Lang/lang/blob/master/locales/uz_Latn/uz_Latn.json) + +##### Missing: 6 + + + + + + + + + + + + + + + +
+Log out +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/uz_Latn/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/uz_Latn/packages/jetstream.json) + +##### Missing: 5 + + + + + + + + + + + + + +
+Administrator +
+API Tokens +
+Dashboard +
+Log Out +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [nova](https://github.com/Laravel-Lang/lang/blob/master/locales/uz_Latn/packages/nova.json) + +##### Missing: 79 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+Anguilla +
+Argentina +
+Aruba +
+Bahamas +
+Bangladesh +
+Barbados +
+Belarus +
+Belize +
+Benin +
+Bermuda +
+Bolivia +
+Botswana +
+Burkina Faso +
+Burundi +
+Cambodia +
+Cameroon +
+Chad +
+Comoros +
+Congo +
+Cuba +
+Dashboard +
+Detach +
+Ethiopia +
+Gabon +
+Gambia +
+Gibraltar +
+Grenada +
+Guadeloupe +
+Guam +
+Guernsey +
+Guyana +
+Hong Kong +
+ID +
+Kiribati +
+Kosovo +
+Lesotho +
+Liberia +
+Liechtenstein +
+Luxembourg +
+Macao +
+Madagascar +
+Malawi +
+Malta +
+Martinique +
+Mauritius +
+Mayotte +
+Micronesia, Federated States Of +
+Moldova +
+Monaco +
+Montserrat +
+Namibia +
+Nauru +
+Nepal +
+Nicaragua +
+Niger +
+Niue +
+Original +
+Palau +
+Peru +
+Qatar +
+Reload +
+Samoa +
+Senegal +
+Seychelles +
+Sierra Leone +
+Sint Maarten (Dutch part) +
+Slovenia +
+Sudan +
+Suriname +
+Timor-Leste +
+Togo +
+Tokelau +
+Trashed +
+Tuvalu +
+Uganda +
+Uruguay +
+Vanuatu +
+Whoops +
+Whoops! +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/uz_Latn/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/uz_Latn/packages/spark-stripe.json) + +##### Missing: 161 - - @@ -43,7 +835,11 @@ Antigua and Barbuda + + - - @@ -175,14 +967,6 @@ Côte d'Ivoire - - - - @@ -251,7 +1035,7 @@ Hong Kong - - @@ -295,14 +1075,6 @@ Liechtenstein - - - - @@ -343,11 +1115,7 @@ Mayotte - - - - @@ -423,6 +1187,10 @@ Peru + + @@ -439,10 +1207,6 @@ Receipts - - @@ -507,10 +1271,6 @@ Signed in as - - @@ -539,6 +1299,10 @@ Suriname + + @@ -555,26 +1319,6 @@ Thanks, - - - - - - - - - - @@ -619,7 +1363,7 @@ Total: - - - - @@ -710,6 +1446,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -27,10 +823,6 @@ Address Line 2
-Administrator -
An unexpected error occurred and we have notified our support team. Please try again later.
-API Tokens +Apply +
+Apply Coupon
@@ -91,10 +887,6 @@ Billing Management
-Bolivia -
Bolivia, Plurinational State of
-Dashboard -
-Detach -
Download Receipt
-ID +I accept the terms of service
@@ -279,10 +1063,6 @@ Korea, Republic of
-Kosovo -
Lesotho
-Log out -
-Log Out -
Luxembourg
-Micronesia, Federated States Of -
-Moldova +Micronesia, Federated States of
@@ -403,10 +1171,6 @@ Niue
-Original -
Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
-Reload -
Resume Subscription
-Sint Maarten (Dutch part) -
Slovenia
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
-Trashed +Trinidad and Tobago
@@ -671,14 +1415,6 @@ We will send a receipt download link to the email addresses that you specify bel
-Whoops -
-Whoops! -
Yearly
+Åland Islands +
diff --git a/docs/statuses/vi.md b/docs/statuses/vi.md index d5e59ee7b50..938d310aba5 100644 --- a/docs/statuses/vi.md +++ b/docs/statuses/vi.md @@ -2,7 +2,126 @@ # vi -##### All missed: 0 +##### All missed: 19 -All lines are translated 😊 + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/vi/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/vi/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/vi/packages/spark-paddle.json) + +##### Missing: 9 + + + + + + + + + + + + + + + + + + + + + +
+Payment Method +
+Subscription Pending +
+There is no active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+You are already subscribed. +
+Your current payment method is :paypal. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/vi/packages/spark-stripe.json) + +##### Missing: 8 + + + + + + + + + + + + + + + + + + + +
+Apply +
+Apply Coupon +
+I accept the terms of service +
+Micronesia, Federated States of +
+Please accept the terms of service. +
+Svalbard and Jan Mayen +
+Trinidad and Tobago +
+Åland Islands +
+ + +[ [go back](../status.md) | [to top](#) ] diff --git a/docs/statuses/zh-cn.md b/docs/statuses/zh-cn.md index 3d5483f2614..0ab6564c904 100644 --- a/docs/statuses/zh-cn.md +++ b/docs/statuses/zh-cn.md @@ -2,12 +2,208 @@ # zh_CN -##### All missed: 92 +##### All missed: 133 -### json +### [zh_CN](https://github.com/Laravel-Lang/lang/blob/master/locales/zh_CN/zh_CN.json) -##### Missing: 92 +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/zh_CN/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/zh_CN/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/zh_CN/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/zh_CN/packages/spark-stripe.json) + +##### Missing: 95 + + + + @@ -115,6 +319,10 @@ Heard Island and McDonald Islands + + @@ -143,6 +351,10 @@ Managing billing for :billableName + + @@ -171,6 +383,10 @@ Payment Information + + @@ -247,6 +463,10 @@ Subscription Information + + @@ -263,26 +483,6 @@ Thanks, - - - - - - - - - - @@ -315,6 +515,10 @@ Total: + + @@ -378,6 +582,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +231,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/zh-hk.md b/docs/statuses/zh-hk.md index 3743fa309b7..6c83053eba0 100644 --- a/docs/statuses/zh-hk.md +++ b/docs/statuses/zh-hk.md @@ -2,12 +2,208 @@ # zh_HK -##### All missed: 92 +##### All missed: 133 -### json +### [zh_HK](https://github.com/Laravel-Lang/lang/blob/master/locales/zh_HK/zh_HK.json) -##### Missing: 92 +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/zh_HK/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/zh_HK/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/zh_HK/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/zh_HK/packages/spark-stripe.json) + +##### Missing: 95 + + + + @@ -115,6 +319,10 @@ Heard Island and McDonald Islands + + @@ -143,6 +351,10 @@ Managing billing for :billableName + + @@ -171,6 +383,10 @@ Payment Information + + @@ -247,6 +463,10 @@ Subscription Information + + @@ -263,26 +483,6 @@ Thanks, - - - - - - - - - - @@ -315,6 +515,10 @@ Total: + + @@ -378,6 +582,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +231,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/docs/statuses/zh-tw.md b/docs/statuses/zh-tw.md index 4ba5223982a..8ebb2e1b369 100644 --- a/docs/statuses/zh-tw.md +++ b/docs/statuses/zh-tw.md @@ -2,12 +2,208 @@ # zh_TW -##### All missed: 92 +##### All missed: 133 -### json +### [zh_TW](https://github.com/Laravel-Lang/lang/blob/master/locales/zh_TW/zh_TW.json) -##### Missing: 92 +##### Missing: 5 + + + + + + + + + + + + + +
+The :attribute must contain at least one letter. +
+The :attribute must contain at least one number. +
+The :attribute must contain at least one symbol. +
+The :attribute must contain at least one uppercase and one lowercase letter. +
+The given :attribute has appeared in a data leak. Please choose a different :attribute. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [cashier](https://github.com/Laravel-Lang/lang/blob/master/locales/zh_TW/packages/cashier.json) + +##### Missing: 1 + + + + + +
+Jane Doe +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [jetstream](https://github.com/Laravel-Lang/lang/blob/master/locales/zh_TW/packages/jetstream.json) + +##### Missing: 1 + + + + + +
+You may accept this invitation by clicking the button below: +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-paddle](https://github.com/Laravel-Lang/lang/blob/master/locales/zh_TW/packages/spark-paddle.json) + +##### Missing: 31 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+An unexpected error occurred and we have notified our support team. Please try again later. +
+Billing Management +
+Cancel Subscription +
+Change Subscription Plan +
+Current Subscription Plan +
+Currently Subscribed +
+Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan. +
+It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience. +
+Managing billing for :billableName +
+Monthly +
+Nevermind, I'll keep my old plan +
+Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices. +
+Payment Method +
+Receipts +
+Resume Subscription +
+Return to :appName +
+Signed in as +
+Subscribe +
+Subscription Pending +
+The selected plan is invalid. +
+There is no active subscription. +
+This account does not have an active subscription. +
+This subscription cannot be resumed. Please create a new subscription. +
+Update Payment Method +
+View Receipt +
+We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds. +
+Yearly +
+You are already subscribed. +
+You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle. +
+Your current payment method is :paypal. +
+Your current payment method is a credit card ending in :lastFour that expires on :expiration. +
+ + +[ [go back](../status.md) | [to top](#) ] + +### [spark-stripe](https://github.com/Laravel-Lang/lang/blob/master/locales/zh_TW/packages/spark-stripe.json) + +##### Missing: 95 + + + + @@ -115,6 +319,10 @@ Heard Island and McDonald Islands + + @@ -143,6 +351,10 @@ Managing billing for :billableName + + @@ -171,6 +383,10 @@ Payment Information + + @@ -247,6 +463,10 @@ Subscription Information + + @@ -263,26 +483,6 @@ Thanks, - - - - - - - - - - @@ -315,6 +515,10 @@ Total: + + @@ -378,6 +582,10 @@ Your registered VAT Number is :vatNumber. Zip / Postal Code + +
@@ -35,6 +231,14 @@ Antigua and Barbuda
+Apply +
+Apply Coupon +
Billing Information
+I accept the terms of service +
If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.
+Micronesia, Federated States of +
Moldova, Republic of
+Please accept the terms of service. +
Please provide a maximum of three receipt emails addresses.
+Svalbard and Jan Mayen +
Taiwan, Province of China
-The :attribute must contain at least one letter. -
-The :attribute must contain at least one number. -
-The :attribute must contain at least one symbol. -
-The :attribute must contain at least one uppercase and one lowercase letter. -
-The given :attribute has appeared in a data leak. Please choose a different :attribute. -
The provided coupon code is invalid.
+Trinidad and Tobago +
Turks and Caicos Islands
+Åland Islands +
diff --git a/excludes/de.php b/excludes/de.php index 7b8dfccd81c..e4777bfa840 100644 --- a/excludes/de.php +++ b/excludes/de.php @@ -61,8 +61,8 @@ 'Honduras', 'ID', 'Iran, Islamic Republic Of', - 'Isle of Man', 'Isle Of Man', + 'Isle of Man', 'Israel', 'Japan', 'Jersey', diff --git a/excludes/nb.php b/excludes/nb.php index ed9c1489a42..77bf1011776 100644 --- a/excludes/nb.php +++ b/excludes/nb.php @@ -70,8 +70,8 @@ 'India', 'Indonesia', 'Iran, Islamic Republic Of', - 'Isle of Man', 'Isle Of Man', + 'Isle of Man', 'Israel', 'Jamaica', 'Japan', diff --git a/locales/af/af.json b/locales/af/af.json index af1d96bd98f..9360a396558 100644 --- a/locales/af/af.json +++ b/locales/af/af.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Dae", - "60 Days": "60 Dae", - "90 Days": "90 Dae", - ":amount Total": ":amount Totale", - ":days day trial": ":days day trial", - ":resource Details": ":resource Besonderhede", - ":resource Details: :title": ":resource Besonderhede: :title", "A fresh verification link has been sent to your email address.": "'n Nuwe verifikasie-skakel is na u e-posadres gestuur.", - "A new verification link has been sent to the email address you provided during registration.": "'N Nuwe verifikasieskakel is gestuur na die e-posadres wat u tydens registrasie voorsien het.", - "Accept Invitation": "Aanvaar uitnodiging", - "Action": "Aksie", - "Action Happened At": "Wat Gebeur By Die", - "Action Initiated By": "Geïnisieer Deur", - "Action Name": "Naam", - "Action Status": "Status", - "Action Target": "Teiken", - "Actions": "Aksies", - "Add": "Voeg by", - "Add a new team member to your team, allowing them to collaborate with you.": "Voeg 'n nuwe spanlid by u span, sodat hulle met u kan saamwerk.", - "Add additional security to your account using two factor authentication.": "Voeg ekstra sekuriteit by u rekening met tweefaktor-verifikasie.", - "Add row": "Voeg ry", - "Add Team Member": "Voeg spanlid by", - "Add VAT Number": "Add VAT Number", - "Added.": "Bygevoeg.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administrateur", - "Administrator users can perform any action.": "Administrateurgebruikers kan enige aksie uitvoer.", - "Afghanistan": "Afghanistan", - "Aland Islands": "Åland-Eilande", - "Albania": "Albanië", - "Algeria": "Algerië", - "All of the people that are part of this team.": "Al die mense wat deel uitmaak van hierdie span.", - "All resources loaded.": "Al die bronne gelaai.", - "All rights reserved.": "Alle regte voorbehou.", - "Already registered?": "Reeds geregistreer?", - "American Samoa": "Amerikaanse Samoa", - "An error occured while uploading the file.": "'n fout het voorgekom met die oplaai van die lêer.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorrese", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "'n ander gebruiker is opgedateer om hierdie hulpbron, aangesien hierdie bladsy gelaai was. Asseblief herlaai die bladsy en probeer weer.", - "Antarctica": "Antarktika", - "Antigua and Barbuda": "Antigua en Barbuda", - "Antigua And Barbuda": "Antigua en Barbuda", - "API Token": "API Token", - "API Token Permissions": "API Token Toestemmings", - "API Tokens": "API Tekens", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API tokens laat dienste van derdepartye namens u toe om met ons aansoek te verifieer.", - "April": "April", - "Are you sure you want to delete the selected resources?": "Is jy seker jy wil verwyder die geselekteerde hulpbronne?", - "Are you sure you want to delete this file?": "Is jy seker jy wil verwyder hierdie lêer?", - "Are you sure you want to delete this resource?": "Is jy seker jy wil verwyder hierdie hulpbron?", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Is jy seker jy wil hierdie span uitvee? Sodra 'n span verwyder is, sal al sy bronne en data permanent uitgevee word.", - "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.": "Is u seker dat u u rekening wil verwyder? Sodra u rekening verwyder is, sal al sy bronne en data permanent uitgevee word. Voer asseblief u wagwoord in om te bevestig dat u u rekening permanent wil verwyder.", - "Are you sure you want to detach the selected resources?": "Is jy seker jy wil los te maak van die geselekteerde hulpbronne?", - "Are you sure you want to detach this resource?": "Is jy seker jy wil om te maak hierdie hulpbron?", - "Are you sure you want to force delete the selected resources?": "Is jy seker jy wil te dwing verwyder die geselekteerde hulpbronne?", - "Are you sure you want to force delete this resource?": "Is jy seker jy wil te dwing om te verwyder hierdie hulpbron?", - "Are you sure you want to restore the selected resources?": "Is jy seker jy wil om te herstel van die geselekteerde hulpbronne?", - "Are you sure you want to restore this resource?": "Is jy seker jy wil om te herstel van hierdie hulpbron?", - "Are you sure you want to run this action?": "Is jy seker jy wil uit te voer hierdie aksie?", - "Are you sure you would like to delete this API token?": "Is u seker dat u hierdie API token wil verwyder?", - "Are you sure you would like to leave this team?": "Is u seker dat u hierdie span wil verlaat?", - "Are you sure you would like to remove this person from the team?": "Is u seker dat u hierdie persoon uit die span wil verwyder?", - "Argentina": "Argentinië", - "Armenia": "Armenië", - "Aruba": "Aruba", - "Attach": "Heg", - "Attach & Attach Another": "Heg & Heg'n Ander", - "Attach :resource": "Heg :resource", - "August": "Augustus", - "Australia": "Australië", - "Austria": "Oostenryk", - "Azerbaijan": "Azerbaijan", - "Bahamas": "Bahamas", - "Bahrain": "Bahrain", - "Bangladesh": "Bangladesj", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Kontroleer u e-pos vir 'n verifikasie-skakel voordat u verder gaan.", - "Belarus": "Wit-rusland", - "Belgium": "België", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bhoetan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Bolivia", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius en Saterdag", - "Bosnia And Herzegovina": "Bosnië en Herzegovina", - "Bosnia and Herzegovina": "Bosnië en Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvet Island", - "Brazil": "Brasilië", - "British Indian Ocean Territory": "Britse Indiese Oseaan Gebied", - "Browser Sessions": "Blaaier-sessies", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgarye", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Kambodja", - "Cameroon": "Kameroen", - "Canada": "Kanada", - "Cancel": "Kanselleer", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Kaap Verde", - "Card": "Kaart", - "Cayman Islands": "Kaaimanseilande", - "Central African Republic": "Sentraal-Afrikaanse Republiek", - "Chad": "Chad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Veranderinge", - "Chile": "Chili", - "China": "China", - "Choose": "Kies", - "Choose :field": "Kies :field", - "Choose :resource": "Kies :resource", - "Choose an option": "Kies'n opsie", - "Choose date": "Kies datum", - "Choose File": "Kies Die Lêer", - "Choose Type": "Kies Die Tipe", - "Christmas Island": "Christmas Island", - "City": "City", "click here to request another": "kliek hier om nog een aan te vra", - "Click to choose": "Klik om te kies", - "Close": "Maak toe", - "Cocos (Keeling) Islands": "Cocos (Keeling) Eilande", - "Code": "Kode", - "Colombia": "Colombia", - "Comoros": "Comore-eilande", - "Confirm": "Bevestig", - "Confirm Password": "Bevestig Wagwoord", - "Confirm Payment": "Bevestig Die Betaling", - "Confirm your :amount payment": "Bevestig jou betaling :amount", - "Congo": "Die kongo", - "Congo, Democratic Republic": "Kongo, Demokratiese Republiek", - "Congo, the Democratic Republic of the": "Kongo, Demokratiese Republiek", - "Constant": "Konstante", - "Cook Islands": "Cook Eilande", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "kon nie gevind word nie.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Skep", - "Create & Add Another": "Skep En Voeg'n Ander", - "Create :resource": "Skep :resource", - "Create a new team to collaborate with others on projects.": "Skep 'n nuwe span om met ander saam te werk aan projekte..", - "Create Account": "Skep rekening", - "Create API Token": "Skep API-token", - "Create New Team": "Skep nuwe span", - "Create Team": "Skep span", - "Created.": "Geskep.", - "Croatia": "Kroasië", - "Cuba": "Kuba", - "Curaçao": "Curacao", - "Current Password": "Huidige Wagwoord", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Pas", - "Cyprus": "Ciprus", - "Czech Republic": "Tsjeggiese republiek", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Paneelbord", - "December": "Desember", - "Decrease": "Afname", - "Delete": "Vee uit", - "Delete Account": "Verwyder rekening", - "Delete API Token": "Vee API-token uit", - "Delete File": "Verwyder Lêer", - "Delete Resource": "Verwyder Hulpbron", - "Delete Selected": "Verwyder Geselekteerde", - "Delete Team": "Vee span uit", - "Denmark": "Denemarke", - "Detach": "Los", - "Detach Resource": "Los Hulpbron", - "Detach Selected": "Los Gekies", - "Details": "Besonderhede", - "Disable": "Deaktiveer", - "Djibouti": "Djiboeti", - "Do you really want to leave? You have unsaved changes.": "Wil jy regtig om te verlaat? Jy het ongeredde veranderinge.", - "Dominica": "Sondag", - "Dominican Republic": "Dominikaanse Republiek", - "Done.": "Klaar.", - "Download": "Aflaai", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-pos adres", - "Ecuador": "Ecuador", - "Edit": "Wysig", - "Edit :resource": "Wysig :resource", - "Edit Attached": "Wysig Aangeheg", - "Editor": "Redakteur", - "Editor users have the ability to read, create, and update.": "Editor-gebruikers het die vermoë om te lees, te skep en op te dateer.", - "Egypt": "Egipte", - "El Salvador": "Salvador", - "Email": "E-pos", - "Email Address": "E-Pos Adres", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "E-pos wagwoord herstel skakel", - "Enable": "Aktiveer", - "Ensure your account is using a long, random password to stay secure.": "Maak seker dat u rekening 'n lang, ewekansige wagwoord gebruik om veilig te bly.", - "Equatorial Guinea": "Ekwatoriaal-Guinee", - "Eritrea": "Eritrea", - "Estonia": "Estland", - "Ethiopia": "Ethiopië", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Ekstra bevestiging nodig is om jou betaling te verwerk. Bevestig asseblief u betaling deur die invul van jou betaling besonderhede hieronder.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Ekstra bevestiging nodig is om jou betaling te verwerk. Gaan asseblief voort op die betaling bladsy deur te kliek op die knoppie hieronder.", - "Falkland Islands (Malvinas)": "Falkland Eilande (Malvinas)", - "Faroe Islands": "Faroëreilande", - "February": "Februarie", - "Fiji": "Fidji", - "Finland": "Finland", - "For your security, please confirm your password to continue.": "Bevestig u wagwoord vir u veiligheid om voort te gaan.", "Forbidden": "Prohibido", - "Force Delete": "Force Verwyder", - "Force Delete Resource": "Force Verwyder Hulpbron", - "Force Delete Selected": "Force Verwyder Geselekteerde", - "Forgot Your Password?": "Het jy jou wagwoord vergeet?", - "Forgot your password?": "Het jy jou wagwoord vergeet?", - "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.": "Het jy jou wagwoord vergeet? Geen probleem. Laat weet u net u e-posadres en ons sal u 'n skakel vir die herstel van wagwoorde per e-pos stuur waarmee u 'n nuwe een kan kies.", - "France": "Frankryk", - "French Guiana": "Franse Guiana", - "French Polynesia": "Frans-Polinesië", - "French Southern Territories": "Franse Suidelike Gebiede", - "Full name": "Volle naam", - "Gabon": "Gaboen", - "Gambia": "Gambië", - "Georgia": "Georgië", - "Germany": "Duitsland", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Gaan terug", - "Go Home": "Gaan huis toe", "Go to page :page": "Gaan na bladsy :page", - "Great! You have accepted the invitation to join the :team team.": "U het die uitnodiging aanvaar om by die :team span aan te sluit.", - "Greece": "Griekeland", - "Greenland": "Groenland", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinee", - "Guinea-Bissau": "Guinee-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Gehoor Eiland en McDonald Eilande", - "Heard Island and McDonald Islands": "Gehoor Eiland en McDonald Eilande", "Hello!": "Hallo!", - "Hide Content": "Steek Inhoud", - "Hold Up!": "Hou!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Hongarye", - "I agree to the :terms_of_service and :privacy_policy": "Ek stem in tot die :terms_of_service en :privacy_policy", - "Iceland": "Ysland", - "ID": "ID", - "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, kan jy die log van al jou ander leser sessies oor al jou toestelle. Sommige van jou onlangse sessies word hieronder gelys; egter, hierdie lys kan nie volledig nie. As jy voel dat jou rekening is in die gedrang is, moet jy ook verander jou wagwoord.", "If necessary, you may logout 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.": "As dit nodig is, kan u al u blaaier-sessies op al u toestelle afmeld. Sommige van u onlangse sessies word hieronder gelys; hierdie lys mag egter nie volledig wees nie. As u voel dat u rekening gekompromitteer is, moet u ook u wagwoord opdateer.", - "If you already have an account, you may accept this invitation by clicking the button below:": "As u reeds 'n rekening het, kan u hierdie uitnodiging aanvaar deur op die onderstaande knoppie te klik:", "If you did not create an account, no further action is required.": "As u nie 'n rekening geskep het nie, is geen verdere optrede nodig nie.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "As u nie verwag het om 'n uitnodiging aan hierdie span te ontvang nie, kan u hierdie e-pos weggooi.", "If you did not receive the email": "As u nie die e-pos ontvang het nie", - "If you did not request a password reset, no further action is required.": "As u nie 'n wagwoordregstelling gevra het nie, is geen verdere optrede nodig nie.", - "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:": "As u nie 'n rekening het nie, kan u een skep deur op die knoppie hieronder te klik. Nadat u 'n rekening geskep het, kan u die uitnodigingsknoppie in hierdie e-pos klik om die spanuitnodiging te aanvaar:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "As u sukkel om op die knoppie \":actionText\" te klik, kopieer en plak die URL hieronder in u webblaaier:", - "Increase": "Verhoog", - "India": "Indië", - "Indonesia": "Indonesië", "Invalid signature.": "Ongeldige handtekening.", - "Iran, Islamic Republic of": "Iran", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Irak", - "Ireland": "Ierland", - "Isle of Man": "Eiland Man", - "Isle Of Man": "Eiland Man", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italië", - "Jamaica": "Jamaica", - "January": "Januarie", - "Japan": "Japan", - "Jersey": "Jersey", - "Jordan": "Jordaan", - "July": "Julie", - "June": "Junie", - "Kazakhstan": "Kazakhstan", - "Kenya": "Kenia", - "Key": "Sleutel", - "Kiribati": "Kiribati", - "Korea": "Suid-Korea", - "Korea, Democratic People's Republic of": "Noord-Korea", - "Korea, Republic of": "Suid-Korea", - "Kosovo": "Kosovo", - "Kuwait": "Koeweit", - "Kyrgyzstan": "Kyrgyzstan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Laaste aktief", - "Last used": "Laaste gebruik", - "Latvia": "Letland", - "Leave": "Verlaat", - "Leave Team": "Verlaat die span", - "Lebanon": "Libanon", - "Lens": "Lens", - "Lesotho": "Lesotho", - "Liberia": "Liberië", - "Libyan Arab Jamahiriya": "Libië", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Litaue", - "Load :perPage More": "Laai :perPage Meer", - "Log in": "Teken in", "Log out": "Teken uit", - "Log Out": "Teken Uit", - "Log Out Other Browser Sessions": "Teken Uit Ander Leser Sessies", - "Login": "Teken aan", - "Logout": "Teken uit", "Logout Other Browser Sessions": "Meld af van ander blaaier sessies", - "Luxembourg": "Luxemburg", - "Macao": "Macao", - "Macedonia": "Noord-Macedonië", - "Macedonia, the former Yugoslav Republic of": "Noord-Macedonië", - "Madagascar": "Madagaskar", - "Malawi": "Malawi", - "Malaysia": "Maleisië", - "Maldives": "Maldives", - "Mali": "Klein", - "Malta": "Malta", - "Manage Account": "Bestuur rekening", - "Manage and log out your active sessions on other browsers and devices.": "Bestuur en teken jou aktiewe sessies op ander blaaiers en toestelle.", "Manage and logout your active sessions on other browsers and devices.": "Bestuur en meld u aktiewe sessies op ander blaaiers en toestelle af.", - "Manage API Tokens": "Bestuur API tokens", - "Manage Role": "Bestuur rol", - "Manage Team": "Bestuur span", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Maart", - "Marshall Islands": "Marshall Eilande", - "Martinique": "Martinique", - "Mauritania": "Mauritanië", - "Mauritius": "Mauritius", - "May": "Mag", - "Mayotte": "Mayotte", - "Mexico": "Mexiko", - "Micronesia, Federated States Of": "Mikronesië", - "Moldova": "Moldawië", - "Moldova, Republic of": "Moldawië", - "Monaco": "Monaco", - "Mongolia": "Mongolië", - "Montenegro": "Montenegro", - "Month To Date": "Maand Tot Op Datum", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Marokko", - "Mozambique": "Mosambiek", - "Myanmar": "Myanmar", - "Name": "Naam", - "Namibia": "Namibië", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Nederland", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Toemaar", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Nuwe", - "New :resource": "Nuwe :resource", - "New Caledonia": "New Caledonia", - "New Password": "Nuwe Wagwoord", - "New Zealand": "Nieu-Seeland", - "Next": "Volgende", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigerië", - "Niue": "Niue", - "No": "Geen", - "No :resource matched the given criteria.": "Geen :resource ooreenstem met die gegewe kriteria.", - "No additional information...": "Geen bykomende inligting...", - "No Current Data": "Geen Huidige Data", - "No Data": "Geen Data", - "no file selected": "geen lêer gekies", - "No Increase": "Geen Verhoog", - "No Prior Data": "Geen Vorige Data", - "No Results Found.": "Geen Resultate Gevind.", - "Norfolk Island": "Norfolk Island", - "Northern Mariana Islands": "Noord Mariana Eilande", - "Norway": "Noorweë", "Not Found": "Nie gevind nie", - "Nova User": "Nova Gebruiker", - "November": "November", - "October": "Oktober", - "of": "van", "Oh no": "Ag nee", - "Oman": "Oman", - "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.": "Sodra 'n span verwyder is, sal al sy hulpbronne en data permanent uitgevee word. Voordat u hierdie span verwyder, moet u enige data of inligting oor hierdie span wat u wil behou, aflaai.", - "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.": "Sodra u rekening verwyder is, sal al sy bronne en data permanent uitgevee word. Voordat u u rekening verwyder, laai asseblief enige data of inligting af wat u wil behou.", - "Only Trashed": "Net Asblik", - "Original": "Oorspronklike", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Bladsy het verval", "Pagination Navigation": "Paginasie-navigasie", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Palestynse Gebiede", - "Panama": "Panama", - "Papua New Guinea": "Papoea-Nieu-Guinee", - "Paraguay": "Paraguay", - "Password": "Wagwoord", - "Pay :amount": "Betaal :amount", - "Payment Cancelled": "Betaling Gekanselleer", - "Payment Confirmation": "Betaling Bevestiging", - "Payment Information": "Payment Information", - "Payment Successful": "Betaling Suksesvol", - "Pending Team Invitations": "Hangende spanuitnodigings", - "Per Page": "Per Bladsy", - "Permanently delete this team.": "Vee hierdie span permanent uit.", - "Permanently delete your account.": "Vee u rekening permanent uit.", - "Permissions": "Toestemmings", - "Peru": "Peru", - "Philippines": "Filippyne", - "Photo": "Foto", - "Pitcairn": "Pitcairn Eilande", "Please click the button below to verify your email address.": "Klik op die onderstaande knoppie om u e-posadres te verifieer.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Bevestig asseblief toegang tot u rekening deur een van u noodherstelkodes in te voer.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Bevestig asseblief toegang tot u rekening deur die verifikasiekode in te voer wat deur u verifikasie-toepassing verskaf word.", "Please confirm your password before continuing.": "Bevestig u wagwoord voordat u verder gaan.", - "Please copy your new API token. For your security, it won't be shown again.": "Kopieer asseblief u nuwe API-token. Vir u veiligheid sal dit nie weer gewys word nie.", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Tik jou wagwoord te bevestig wat jy wil om aan te meld uit jou ander leser sessies oor al jou toestelle.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Voer u wagwoord in om te bevestig dat u u ander blaaier-sessies op al u toestelle wil afmeld.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "Please provide the email address of the person you would like to add to this team.": "Verskaf asseblief die e-posadres van die persoon wat u by hierdie span wil voeg.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Verskaf asseblief die e-pos adres van die persoon wat jy wil graag by te voeg aan hierdie span. Die e-pos adres moet wees wat verband hou met'n bestaande rekening.", - "Please provide your name.": "Verskaf asseblief jou naam.", - "Poland": "Pole", - "Portugal": "Portugal", - "Press \/ to search": "Pers \/ om te soek", - "Preview": "Voorskou", - "Previous": "Vorige", - "Privacy Policy": "Privaatheidsbeleid", - "Profile": "Profiel", - "Profile Information": "Profielinligting", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Kwartaal Tot Op Datum", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Herstelkode", "Regards": "Groete", - "Regenerate Recovery Codes": "Herstel herstelkodes", - "Register": "Registreer", - "Reload": "Herlaai", - "Remember me": "Onthou my", - "Remember Me": "Onthou my", - "Remove": "Verwyder", - "Remove Photo": "Verwyder foto", - "Remove Team Member": "Verwyder spanlid", - "Resend Verification Email": "Herstuur verifikasie e-pos", - "Reset Filters": "Herstel Filters", - "Reset Password": "Herstel wagwoord", - "Reset Password Notification": "Herstel wagwoord", - "resource": "hulpbron", - "Resources": "Hulpbronne", - "resources": "hulpbronne", - "Restore": "Herstel", - "Restore Resource": "Herstel Hulpbron", - "Restore Selected": "Die Herstel Van Geselekteerde", "results": "resultate", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Vergadering", - "Role": "Rol", - "Romania": "Roemenië", - "Run Action": "Hardloop Aksie", - "Russian Federation": "Russiese Federasie", - "Rwanda": "Rwanda", - "Réunion": "Vergadering", - "Saint Barthelemy": "St Barthélemy", - "Saint Barthélemy": "St Barthélemy", - "Saint Helena": "St Helena", - "Saint Kitts and Nevis": "St Kitts en Nevis", - "Saint Kitts And Nevis": "St Kitts en Nevis", - "Saint Lucia": "St Lucia", - "Saint Martin": "St Martin", - "Saint Martin (French part)": "St Martin", - "Saint Pierre and Miquelon": "St. Pierre en Miquelon", - "Saint Pierre And Miquelon": "St. Pierre en Miquelon", - "Saint Vincent And Grenadines": "St. Vincent en die Grenadine", - "Saint Vincent and the Grenadines": "St. Vincent en die Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "São Tomé en Príncipe", - "Sao Tome And Principe": "São Tomé en Príncipe", - "Saudi Arabia": "Saoedi-Arabië", - "Save": "Stoor", - "Saved.": "Gestoor.", - "Search": "Soek", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Kies 'n nuwe foto", - "Select Action": "Kies'n Aksie", - "Select All": "Kies Al", - "Select All Matching": "Kies Al Die Passende", - "Send Password Reset Link": "Stuur skakel vir wagwoordherstel", - "Senegal": "Senegal", - "September": "September", - "Serbia": "Serwië", "Server Error": "Bedienerprobleem", "Service Unavailable": "Diens Onbeskikbaar", - "Seychelles": "Seychelle", - "Show All Fields": "Wys Al Die Velde", - "Show Content": "Wys Inhoud", - "Show Recovery Codes": "Wys herstelkodes", "Showing": "Wys", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapoer", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slowakye", - "Slovenia": "Slowenië", - "Solomon Islands": "Solomon Eilande", - "Somalia": "Somalië", - "Something went wrong.": "Iets het verkeerd gegaan.", - "Sorry! You are not authorized to perform this action.": "Jammer! Jy is nie gemagtig om uit te voer hierdie aksie.", - "Sorry, your session has expired.": "Jammer, jou sessie het verstryk.", - "South Africa": "Suid-Afrika", - "South Georgia And Sandwich Isl.": "Suid-Georgië en die Suid-Sandwich Eilande", - "South Georgia and the South Sandwich Islands": "Suid-Georgië en die Suid-Sandwich Eilande", - "South Sudan": "Suid-Soedan", - "Spain": "Spanje", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Begin Stemdag", - "State \/ County": "State \/ County", - "Stop Polling": "Stop Stemdag", - "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.": "Stoor hierdie herstelkodes in 'n veilige wagwoordbestuurder. Dit kan gebruik word om toegang tot u rekening te herstel as u tweefaktor-verifikasietoestel verlore gaan.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Soedan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard en Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Swede", - "Switch Teams": "Wissel span", - "Switzerland": "Switserland", - "Syrian Arab Republic": "Sirië", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan", - "Tajikistan": "Tajikistan", - "Tanzania": "Tanzanië", - "Tanzania, United Republic of": "Tanzanië", - "Team Details": "Spanbesonderhede", - "Team Invitation": "Uitnodiging Span", - "Team Members": "Spanlede", - "Team Name": "Span naam", - "Team Owner": "Span eienaar", - "Team Settings": "Spaninstellings", - "Terms of Service": "Diensvoorwaardes", - "Thailand": "Thailand", - "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.": "Dankie vir die aanmelding! Kan u, voordat u begin het, u e-posadres verifieer deur op die skakel te klik wat ons so pas aan u gestuur het? As u nie die e-pos ontvang het nie, stuur ons u graag nog een.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "Die :attribute moet 'n geldige rol wees.", - "The :attribute must be at least :length characters and contain at least one number.": "Die :attribute moet ten :length lengte karakters bevat en ten minste een nommer bevat.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": "Die :attribute moet ten minste :length karakters en bevat ten minste een spesiale karakter en een nommer.", - "The :attribute must be at least :length characters and contain at least one special character.": "Die :attribute moet ten :length lengte karakters bevat en ten minste een spesiale karakter bevat.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Die :attribute moet ten minste :length karakters bevat en ten minste een hoofletter en een nommer bevat.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Die :attribute moet ten minste :length karakters bevat en ten minste een hoofletter en een spesiale karakter bevat.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Die :attribute moet ten minste :length karakters bevat en ten minste een hoofletter, een nommer en een spesiale karakter bevat.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": "Die :attribute moet ten minste :length karakters bevat en ten minste een hoofletter bevat.", - "The :attribute must be at least :length characters.": "Die :attribute moet ten minste :length karakters bevat.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "Die :resource is geskep!", - "The :resource was deleted!": "Die :resource is verwyder!", - "The :resource was restored!": "Die :resource is herstel!", - "The :resource was updated!": "Die :resource is opgedateer!", - "The action ran successfully!": "Die aksie het suksesvol!", - "The file was deleted!": "Die lêer is verwyder!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Die regering sal nie toelaat dat ons jou wys wat is agter hierdie deure", - "The HasOne relationship has already been filled.": "Die HasOne verhouding is reeds gevul.", - "The payment was successful.": "Die betaling suksesvol was.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Die wagwoord wat verskaf word, stem nie ooreen met u huidige wagwoord nie.", - "The provided password was incorrect.": "Die verskafde wagwoord was verkeerd.", - "The provided two factor authentication code was invalid.": "Die verstrekte tweefaktor-verifikasiekode was ongeldig.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Die hulpbron is opgedateer!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Die span se naam en eienaarinligting.", - "There are no available options for this resource.": "Daar is geen beskikbare opsies vir hierdie hulpbron.", - "There was a problem executing the action.": "Daar was'n probleem met die uitvoering van die aksie.", - "There was a problem submitting the form.": "Daar was'n probleem met die indiening van die vorm.", - "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.": "Hierdie mense is na u span genooi en 'n uitnodiging-e-pos gestuur. Hulle kan by die span aansluit deur die e-posuitnodiging te aanvaar", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Hierdie aksie is ongemagtig.", - "This device": "Hierdie toestel", - "This file field is read-only.": "Hierdie lêer veld is lees-alleen.", - "This image": "Hierdie beeld", - "This is a secure area of the application. Please confirm your password before continuing.": "Dit is 'n veilige deel van die aansoek. Bevestig u wagwoord voordat u verder gaan.", - "This password does not match our records.": "Hierdie wagwoord stem nie ooreen met ons rekords nie.", "This password reset link will expire in :count minutes.": "Hierdie skakel vir die herstel van u wagwoord sal verval oor :count minute.", - "This payment was already successfully confirmed.": "Hierdie betaling is reeds suksesvol te bevestig.", - "This payment was cancelled.": "Hierdie betaling is gekanselleer.", - "This resource no longer exists": "Hierdie bron bestaan nie meer nie", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Hierdie gebruiker behoort reeds aan die span.", - "This user has already been invited to the team.": "Hierdie gebruiker is reeds na die span genooi.", - "Timor-Leste": "Oos-Timor", "to": "tot", - "Today": "Vandag", "Toggle navigation": "Skakel navigasie", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Naam van teken", - "Tonga": "Kom", "Too Many Attempts.": "Te veel pogings.", "Too Many Requests": "Te veel versoeke", - "total": "totale", - "Total:": "Total:", - "Trashed": "Asblik", - "Trinidad And Tobago": "Trinidad en Tobago", - "Tunisia": "Tunisië", - "Turkey": "Turkye", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks en Caicos Eilande", - "Turks And Caicos Islands": "Turks en Caicos Eilande", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Tweefaktor-verifikasie", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Tweefaktor-verifikasie is nou geaktiveer. Skandeer die volgende QR-kode met behulp van die verifikasie-toepassing van u telefoon.", - "Uganda": "Uganda", - "Ukraine": "Oekraïne", "Unauthorized": "Ongemagtigde", - "United Arab Emirates": "Verenigde Arabiese Emirate", - "United Kingdom": "Verenigde Koninkryk", - "United States": "Verenigde State Van Amerika", - "United States Minor Outlying Islands": "VSA Afgeleë Eilande", - "United States Outlying Islands": "VSA Afgeleë Eilande", - "Update": "Update", - "Update & Continue Editing": "Update & Voortgaan Redigering", - "Update :resource": "Update :resource", - "Update :resource: :title": "Update :resource: :title", - "Update attached :resource: :title": "Update aangeheg :resource: :title", - "Update Password": "Wagwoord op te dateer", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Dateer u rekening se profielinligting en e-posadres op.", - "Uruguay": "Uruguay", - "Use a recovery code": "Gebruik 'n herstelkode", - "Use an authentication code": "Gebruik 'n verifikasiekode", - "Uzbekistan": "Oesbekistan", - "Value": "Waarde", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela", "Verify Email Address": "Bevestig e-posadres", "Verify Your Email Address": "Bevestig jou e-pos adres", - "Viet Nam": "Vietnam", - "View": "Kyk", - "Virgin Islands, British": "Britse Virgin Eilande", - "Virgin Islands, U.S.": "Die VSA Virgin Eilande", - "Wallis and Futuna": "Wallis en Futuna", - "Wallis And Futuna": "Wallis en Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Ons kon nie 'n geregistreerde gebruiker met hierdie e-posadres vind nie.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Ons sal u wagwoord vir 'n paar uur nie weer vra nie.", - "We're lost in space. The page you were trying to view does not exist.": "Ons is verlore in die ruimte. Die bladsy wat jy probeer om te kyk nie bestaan nie.", - "Welcome Back!": "Welkom Terug!", - "Western Sahara": "Wes-Sahara", - "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.": "As tweefaktor-verifikasie geaktiveer is, word u gevra om 'n veilige, ewekansige teken tydens verifikasie. U kan hierdie token ophaal in die Google Authenticator-toepassing op u foon.", - "Whoops": "Oeps", - "Whoops!": "Oeps!!", - "Whoops! Something went wrong.": "Iets het verkeerd geloop.", - "With Trashed": "Met Die Asblik", - "Write": "Skryf", - "Year To Date": "Jaar Tot Op Datum", - "Yearly": "Yearly", - "Yemen": "Jemeense", - "Yes": "Ja", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "U is aangemeld!", - "You are receiving this email because we received a password reset request for your account.": "U ontvang hierdie e-pos omdat ons 'n versoek vir die herstel van wagwoord vir u rekening ontvang het.", - "You have been invited to join the :team team!": "U is uitgenooi om by die: team span aan te sluit!", - "You have enabled two factor authentication.": "U het tweefaktorautifikasie geaktiveer.", - "You have not enabled two factor authentication.": "U het nie tweefaktor-verifikasie geaktiveer nie.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "U mag enige van u bestaande tekens verwyder as dit nie meer nodig is nie.", - "You may not delete your personal team.": "U mag nie u persoonlike span verwyder nie.", - "You may not leave a team that you created.": "U mag nie 'n span wat u geskep het, verlaat nie.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "U e-posadres is nie geverifieer nie.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambië", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "U e-posadres is nie geverifieer nie." } diff --git a/locales/af/packages/cashier.json b/locales/af/packages/cashier.json new file mode 100644 index 00000000000..837a434d8f9 --- /dev/null +++ b/locales/af/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Alle regte voorbehou.", + "Card": "Kaart", + "Confirm Payment": "Bevestig Die Betaling", + "Confirm your :amount payment": "Bevestig jou betaling :amount", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Ekstra bevestiging nodig is om jou betaling te verwerk. Bevestig asseblief u betaling deur die invul van jou betaling besonderhede hieronder.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Ekstra bevestiging nodig is om jou betaling te verwerk. Gaan asseblief voort op die betaling bladsy deur te kliek op die knoppie hieronder.", + "Full name": "Volle naam", + "Go back": "Gaan terug", + "Jane Doe": "Jane Doe", + "Pay :amount": "Betaal :amount", + "Payment Cancelled": "Betaling Gekanselleer", + "Payment Confirmation": "Betaling Bevestiging", + "Payment Successful": "Betaling Suksesvol", + "Please provide your name.": "Verskaf asseblief jou naam.", + "The payment was successful.": "Die betaling suksesvol was.", + "This payment was already successfully confirmed.": "Hierdie betaling is reeds suksesvol te bevestig.", + "This payment was cancelled.": "Hierdie betaling is gekanselleer." +} diff --git a/locales/af/packages/fortify.json b/locales/af/packages/fortify.json new file mode 100644 index 00000000000..c0921625bad --- /dev/null +++ b/locales/af/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": "Die :attribute moet ten :length lengte karakters bevat en ten minste een nommer bevat.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "Die :attribute moet ten minste :length karakters en bevat ten minste een spesiale karakter en een nommer.", + "The :attribute must be at least :length characters and contain at least one special character.": "Die :attribute moet ten :length lengte karakters bevat en ten minste een spesiale karakter bevat.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Die :attribute moet ten minste :length karakters bevat en ten minste een hoofletter en een nommer bevat.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Die :attribute moet ten minste :length karakters bevat en ten minste een hoofletter en een spesiale karakter bevat.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Die :attribute moet ten minste :length karakters bevat en ten minste een hoofletter, een nommer en een spesiale karakter bevat.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Die :attribute moet ten minste :length karakters bevat en ten minste een hoofletter bevat.", + "The :attribute must be at least :length characters.": "Die :attribute moet ten minste :length karakters bevat.", + "The provided password does not match your current password.": "Die wagwoord wat verskaf word, stem nie ooreen met u huidige wagwoord nie.", + "The provided password was incorrect.": "Die verskafde wagwoord was verkeerd.", + "The provided two factor authentication code was invalid.": "Die verstrekte tweefaktor-verifikasiekode was ongeldig." +} diff --git a/locales/af/packages/jetstream.json b/locales/af/packages/jetstream.json new file mode 100644 index 00000000000..eecb8c81f22 --- /dev/null +++ b/locales/af/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "'N Nuwe verifikasieskakel is gestuur na die e-posadres wat u tydens registrasie voorsien het.", + "Accept Invitation": "Aanvaar uitnodiging", + "Add": "Voeg by", + "Add a new team member to your team, allowing them to collaborate with you.": "Voeg 'n nuwe spanlid by u span, sodat hulle met u kan saamwerk.", + "Add additional security to your account using two factor authentication.": "Voeg ekstra sekuriteit by u rekening met tweefaktor-verifikasie.", + "Add Team Member": "Voeg spanlid by", + "Added.": "Bygevoeg.", + "Administrator": "Administrateur", + "Administrator users can perform any action.": "Administrateurgebruikers kan enige aksie uitvoer.", + "All of the people that are part of this team.": "Al die mense wat deel uitmaak van hierdie span.", + "Already registered?": "Reeds geregistreer?", + "API Token": "API Token", + "API Token Permissions": "API Token Toestemmings", + "API Tokens": "API Tekens", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API tokens laat dienste van derdepartye namens u toe om met ons aansoek te verifieer.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Is jy seker jy wil hierdie span uitvee? Sodra 'n span verwyder is, sal al sy bronne en data permanent uitgevee word.", + "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.": "Is u seker dat u u rekening wil verwyder? Sodra u rekening verwyder is, sal al sy bronne en data permanent uitgevee word. Voer asseblief u wagwoord in om te bevestig dat u u rekening permanent wil verwyder.", + "Are you sure you would like to delete this API token?": "Is u seker dat u hierdie API token wil verwyder?", + "Are you sure you would like to leave this team?": "Is u seker dat u hierdie span wil verlaat?", + "Are you sure you would like to remove this person from the team?": "Is u seker dat u hierdie persoon uit die span wil verwyder?", + "Browser Sessions": "Blaaier-sessies", + "Cancel": "Kanselleer", + "Close": "Maak toe", + "Code": "Kode", + "Confirm": "Bevestig", + "Confirm Password": "Bevestig Wagwoord", + "Create": "Skep", + "Create a new team to collaborate with others on projects.": "Skep 'n nuwe span om met ander saam te werk aan projekte..", + "Create Account": "Skep rekening", + "Create API Token": "Skep API-token", + "Create New Team": "Skep nuwe span", + "Create Team": "Skep span", + "Created.": "Geskep.", + "Current Password": "Huidige Wagwoord", + "Dashboard": "Paneelbord", + "Delete": "Vee uit", + "Delete Account": "Verwyder rekening", + "Delete API Token": "Vee API-token uit", + "Delete Team": "Vee span uit", + "Disable": "Deaktiveer", + "Done.": "Klaar.", + "Editor": "Redakteur", + "Editor users have the ability to read, create, and update.": "Editor-gebruikers het die vermoë om te lees, te skep en op te dateer.", + "Email": "E-pos", + "Email Password Reset Link": "E-pos wagwoord herstel skakel", + "Enable": "Aktiveer", + "Ensure your account is using a long, random password to stay secure.": "Maak seker dat u rekening 'n lang, ewekansige wagwoord gebruik om veilig te bly.", + "For your security, please confirm your password to continue.": "Bevestig u wagwoord vir u veiligheid om voort te gaan.", + "Forgot your password?": "Het jy jou wagwoord vergeet?", + "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.": "Het jy jou wagwoord vergeet? Geen probleem. Laat weet u net u e-posadres en ons sal u 'n skakel vir die herstel van wagwoorde per e-pos stuur waarmee u 'n nuwe een kan kies.", + "Great! You have accepted the invitation to join the :team team.": "U het die uitnodiging aanvaar om by die :team span aan te sluit.", + "I agree to the :terms_of_service and :privacy_policy": "Ek stem in tot die :terms_of_service en :privacy_policy", + "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, kan jy die log van al jou ander leser sessies oor al jou toestelle. Sommige van jou onlangse sessies word hieronder gelys; egter, hierdie lys kan nie volledig nie. As jy voel dat jou rekening is in die gedrang is, moet jy ook verander jou wagwoord.", + "If you already have an account, you may accept this invitation by clicking the button below:": "As u reeds 'n rekening het, kan u hierdie uitnodiging aanvaar deur op die onderstaande knoppie te klik:", + "If you did not expect to receive an invitation to this team, you may discard this email.": "As u nie verwag het om 'n uitnodiging aan hierdie span te ontvang nie, kan u hierdie e-pos weggooi.", + "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:": "As u nie 'n rekening het nie, kan u een skep deur op die knoppie hieronder te klik. Nadat u 'n rekening geskep het, kan u die uitnodigingsknoppie in hierdie e-pos klik om die spanuitnodiging te aanvaar:", + "Last active": "Laaste aktief", + "Last used": "Laaste gebruik", + "Leave": "Verlaat", + "Leave Team": "Verlaat die span", + "Log in": "Teken in", + "Log Out": "Teken Uit", + "Log Out Other Browser Sessions": "Teken Uit Ander Leser Sessies", + "Manage Account": "Bestuur rekening", + "Manage and log out your active sessions on other browsers and devices.": "Bestuur en teken jou aktiewe sessies op ander blaaiers en toestelle.", + "Manage API Tokens": "Bestuur API tokens", + "Manage Role": "Bestuur rol", + "Manage Team": "Bestuur span", + "Name": "Naam", + "New Password": "Nuwe Wagwoord", + "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.": "Sodra 'n span verwyder is, sal al sy hulpbronne en data permanent uitgevee word. Voordat u hierdie span verwyder, moet u enige data of inligting oor hierdie span wat u wil behou, aflaai.", + "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.": "Sodra u rekening verwyder is, sal al sy bronne en data permanent uitgevee word. Voordat u u rekening verwyder, laai asseblief enige data of inligting af wat u wil behou.", + "Password": "Wagwoord", + "Pending Team Invitations": "Hangende spanuitnodigings", + "Permanently delete this team.": "Vee hierdie span permanent uit.", + "Permanently delete your account.": "Vee u rekening permanent uit.", + "Permissions": "Toestemmings", + "Photo": "Foto", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Bevestig asseblief toegang tot u rekening deur een van u noodherstelkodes in te voer.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Bevestig asseblief toegang tot u rekening deur die verifikasiekode in te voer wat deur u verifikasie-toepassing verskaf word.", + "Please copy your new API token. For your security, it won't be shown again.": "Kopieer asseblief u nuwe API-token. Vir u veiligheid sal dit nie weer gewys word nie.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Tik jou wagwoord te bevestig wat jy wil om aan te meld uit jou ander leser sessies oor al jou toestelle.", + "Please provide the email address of the person you would like to add to this team.": "Verskaf asseblief die e-posadres van die persoon wat u by hierdie span wil voeg.", + "Privacy Policy": "Privaatheidsbeleid", + "Profile": "Profiel", + "Profile Information": "Profielinligting", + "Recovery Code": "Herstelkode", + "Regenerate Recovery Codes": "Herstel herstelkodes", + "Register": "Registreer", + "Remember me": "Onthou my", + "Remove": "Verwyder", + "Remove Photo": "Verwyder foto", + "Remove Team Member": "Verwyder spanlid", + "Resend Verification Email": "Herstuur verifikasie e-pos", + "Reset Password": "Herstel wagwoord", + "Role": "Rol", + "Save": "Stoor", + "Saved.": "Gestoor.", + "Select A New Photo": "Kies 'n nuwe foto", + "Show Recovery Codes": "Wys herstelkodes", + "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.": "Stoor hierdie herstelkodes in 'n veilige wagwoordbestuurder. Dit kan gebruik word om toegang tot u rekening te herstel as u tweefaktor-verifikasietoestel verlore gaan.", + "Switch Teams": "Wissel span", + "Team Details": "Spanbesonderhede", + "Team Invitation": "Uitnodiging Span", + "Team Members": "Spanlede", + "Team Name": "Span naam", + "Team Owner": "Span eienaar", + "Team Settings": "Spaninstellings", + "Terms of Service": "Diensvoorwaardes", + "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.": "Dankie vir die aanmelding! Kan u, voordat u begin het, u e-posadres verifieer deur op die skakel te klik wat ons so pas aan u gestuur het? As u nie die e-pos ontvang het nie, stuur ons u graag nog een.", + "The :attribute must be a valid role.": "Die :attribute moet 'n geldige rol wees.", + "The :attribute must be at least :length characters and contain at least one number.": "Die :attribute moet ten :length lengte karakters bevat en ten minste een nommer bevat.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "Die :attribute moet ten minste :length karakters en bevat ten minste een spesiale karakter en een nommer.", + "The :attribute must be at least :length characters and contain at least one special character.": "Die :attribute moet ten :length lengte karakters bevat en ten minste een spesiale karakter bevat.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Die :attribute moet ten minste :length karakters bevat en ten minste een hoofletter en een nommer bevat.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Die :attribute moet ten minste :length karakters bevat en ten minste een hoofletter en een spesiale karakter bevat.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Die :attribute moet ten minste :length karakters bevat en ten minste een hoofletter, een nommer en een spesiale karakter bevat.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Die :attribute moet ten minste :length karakters bevat en ten minste een hoofletter bevat.", + "The :attribute must be at least :length characters.": "Die :attribute moet ten minste :length karakters bevat.", + "The provided password does not match your current password.": "Die wagwoord wat verskaf word, stem nie ooreen met u huidige wagwoord nie.", + "The provided password was incorrect.": "Die verskafde wagwoord was verkeerd.", + "The provided two factor authentication code was invalid.": "Die verstrekte tweefaktor-verifikasiekode was ongeldig.", + "The team's name and owner information.": "Die span se naam en eienaarinligting.", + "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.": "Hierdie mense is na u span genooi en 'n uitnodiging-e-pos gestuur. Hulle kan by die span aansluit deur die e-posuitnodiging te aanvaar", + "This device": "Hierdie toestel", + "This is a secure area of the application. Please confirm your password before continuing.": "Dit is 'n veilige deel van die aansoek. Bevestig u wagwoord voordat u verder gaan.", + "This password does not match our records.": "Hierdie wagwoord stem nie ooreen met ons rekords nie.", + "This user already belongs to the team.": "Hierdie gebruiker behoort reeds aan die span.", + "This user has already been invited to the team.": "Hierdie gebruiker is reeds na die span genooi.", + "Token Name": "Naam van teken", + "Two Factor Authentication": "Tweefaktor-verifikasie", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Tweefaktor-verifikasie is nou geaktiveer. Skandeer die volgende QR-kode met behulp van die verifikasie-toepassing van u telefoon.", + "Update Password": "Wagwoord op te dateer", + "Update your account's profile information and email address.": "Dateer u rekening se profielinligting en e-posadres op.", + "Use a recovery code": "Gebruik 'n herstelkode", + "Use an authentication code": "Gebruik 'n verifikasiekode", + "We were unable to find a registered user with this email address.": "Ons kon nie 'n geregistreerde gebruiker met hierdie e-posadres vind nie.", + "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.": "As tweefaktor-verifikasie geaktiveer is, word u gevra om 'n veilige, ewekansige teken tydens verifikasie. U kan hierdie token ophaal in die Google Authenticator-toepassing op u foon.", + "Whoops! Something went wrong.": "Iets het verkeerd geloop.", + "You have been invited to join the :team team!": "U is uitgenooi om by die: team span aan te sluit!", + "You have enabled two factor authentication.": "U het tweefaktorautifikasie geaktiveer.", + "You have not enabled two factor authentication.": "U het nie tweefaktor-verifikasie geaktiveer nie.", + "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.": "U mag enige van u bestaande tekens verwyder as dit nie meer nodig is nie.", + "You may not delete your personal team.": "U mag nie u persoonlike span verwyder nie.", + "You may not leave a team that you created.": "U mag nie 'n span wat u geskep het, verlaat nie." +} diff --git a/locales/af/packages/nova.json b/locales/af/packages/nova.json new file mode 100644 index 00000000000..191bbe8f283 --- /dev/null +++ b/locales/af/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Dae", + "60 Days": "60 Dae", + "90 Days": "90 Dae", + ":amount Total": ":amount Totale", + ":resource Details": ":resource Besonderhede", + ":resource Details: :title": ":resource Besonderhede: :title", + "Action": "Aksie", + "Action Happened At": "Wat Gebeur By Die", + "Action Initiated By": "Geïnisieer Deur", + "Action Name": "Naam", + "Action Status": "Status", + "Action Target": "Teiken", + "Actions": "Aksies", + "Add row": "Voeg ry", + "Afghanistan": "Afghanistan", + "Aland Islands": "Åland-Eilande", + "Albania": "Albanië", + "Algeria": "Algerië", + "All resources loaded.": "Al die bronne gelaai.", + "American Samoa": "Amerikaanse Samoa", + "An error occured while uploading the file.": "'n fout het voorgekom met die oplaai van die lêer.", + "Andorra": "Andorrese", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "'n ander gebruiker is opgedateer om hierdie hulpbron, aangesien hierdie bladsy gelaai was. Asseblief herlaai die bladsy en probeer weer.", + "Antarctica": "Antarktika", + "Antigua And Barbuda": "Antigua en Barbuda", + "April": "April", + "Are you sure you want to delete the selected resources?": "Is jy seker jy wil verwyder die geselekteerde hulpbronne?", + "Are you sure you want to delete this file?": "Is jy seker jy wil verwyder hierdie lêer?", + "Are you sure you want to delete this resource?": "Is jy seker jy wil verwyder hierdie hulpbron?", + "Are you sure you want to detach the selected resources?": "Is jy seker jy wil los te maak van die geselekteerde hulpbronne?", + "Are you sure you want to detach this resource?": "Is jy seker jy wil om te maak hierdie hulpbron?", + "Are you sure you want to force delete the selected resources?": "Is jy seker jy wil te dwing verwyder die geselekteerde hulpbronne?", + "Are you sure you want to force delete this resource?": "Is jy seker jy wil te dwing om te verwyder hierdie hulpbron?", + "Are you sure you want to restore the selected resources?": "Is jy seker jy wil om te herstel van die geselekteerde hulpbronne?", + "Are you sure you want to restore this resource?": "Is jy seker jy wil om te herstel van hierdie hulpbron?", + "Are you sure you want to run this action?": "Is jy seker jy wil uit te voer hierdie aksie?", + "Argentina": "Argentinië", + "Armenia": "Armenië", + "Aruba": "Aruba", + "Attach": "Heg", + "Attach & Attach Another": "Heg & Heg'n Ander", + "Attach :resource": "Heg :resource", + "August": "Augustus", + "Australia": "Australië", + "Austria": "Oostenryk", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesj", + "Barbados": "Barbados", + "Belarus": "Wit-rusland", + "Belgium": "België", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhoetan", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius en Saterdag", + "Bosnia And Herzegovina": "Bosnië en Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brasilië", + "British Indian Ocean Territory": "Britse Indiese Oseaan Gebied", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgarye", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodja", + "Cameroon": "Kameroen", + "Canada": "Kanada", + "Cancel": "Kanselleer", + "Cape Verde": "Kaap Verde", + "Cayman Islands": "Kaaimanseilande", + "Central African Republic": "Sentraal-Afrikaanse Republiek", + "Chad": "Chad", + "Changes": "Veranderinge", + "Chile": "Chili", + "China": "China", + "Choose": "Kies", + "Choose :field": "Kies :field", + "Choose :resource": "Kies :resource", + "Choose an option": "Kies'n opsie", + "Choose date": "Kies datum", + "Choose File": "Kies Die Lêer", + "Choose Type": "Kies Die Tipe", + "Christmas Island": "Christmas Island", + "Click to choose": "Klik om te kies", + "Cocos (Keeling) Islands": "Cocos (Keeling) Eilande", + "Colombia": "Colombia", + "Comoros": "Comore-eilande", + "Confirm Password": "Bevestig Wagwoord", + "Congo": "Die kongo", + "Congo, Democratic Republic": "Kongo, Demokratiese Republiek", + "Constant": "Konstante", + "Cook Islands": "Cook Eilande", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "kon nie gevind word nie.", + "Create": "Skep", + "Create & Add Another": "Skep En Voeg'n Ander", + "Create :resource": "Skep :resource", + "Croatia": "Kroasië", + "Cuba": "Kuba", + "Curaçao": "Curacao", + "Customize": "Pas", + "Cyprus": "Ciprus", + "Czech Republic": "Tsjeggiese republiek", + "Dashboard": "Paneelbord", + "December": "Desember", + "Decrease": "Afname", + "Delete": "Vee uit", + "Delete File": "Verwyder Lêer", + "Delete Resource": "Verwyder Hulpbron", + "Delete Selected": "Verwyder Geselekteerde", + "Denmark": "Denemarke", + "Detach": "Los", + "Detach Resource": "Los Hulpbron", + "Detach Selected": "Los Gekies", + "Details": "Besonderhede", + "Djibouti": "Djiboeti", + "Do you really want to leave? You have unsaved changes.": "Wil jy regtig om te verlaat? Jy het ongeredde veranderinge.", + "Dominica": "Sondag", + "Dominican Republic": "Dominikaanse Republiek", + "Download": "Aflaai", + "Ecuador": "Ecuador", + "Edit": "Wysig", + "Edit :resource": "Wysig :resource", + "Edit Attached": "Wysig Aangeheg", + "Egypt": "Egipte", + "El Salvador": "Salvador", + "Email Address": "E-Pos Adres", + "Equatorial Guinea": "Ekwatoriaal-Guinee", + "Eritrea": "Eritrea", + "Estonia": "Estland", + "Ethiopia": "Ethiopië", + "Falkland Islands (Malvinas)": "Falkland Eilande (Malvinas)", + "Faroe Islands": "Faroëreilande", + "February": "Februarie", + "Fiji": "Fidji", + "Finland": "Finland", + "Force Delete": "Force Verwyder", + "Force Delete Resource": "Force Verwyder Hulpbron", + "Force Delete Selected": "Force Verwyder Geselekteerde", + "Forgot Your Password?": "Het jy jou wagwoord vergeet?", + "Forgot your password?": "Het jy jou wagwoord vergeet?", + "France": "Frankryk", + "French Guiana": "Franse Guiana", + "French Polynesia": "Frans-Polinesië", + "French Southern Territories": "Franse Suidelike Gebiede", + "Gabon": "Gaboen", + "Gambia": "Gambië", + "Georgia": "Georgië", + "Germany": "Duitsland", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "Gaan huis toe", + "Greece": "Griekeland", + "Greenland": "Groenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinee", + "Guinea-Bissau": "Guinee-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Gehoor Eiland en McDonald Eilande", + "Hide Content": "Steek Inhoud", + "Hold Up!": "Hou!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hongarye", + "Iceland": "Ysland", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "As u nie 'n wagwoordregstelling gevra het nie, is geen verdere optrede nodig nie.", + "Increase": "Verhoog", + "India": "Indië", + "Indonesia": "Indonesië", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Irak", + "Ireland": "Ierland", + "Isle Of Man": "Eiland Man", + "Israel": "Israel", + "Italy": "Italië", + "Jamaica": "Jamaica", + "January": "Januarie", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordaan", + "July": "Julie", + "June": "Junie", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenia", + "Key": "Sleutel", + "Kiribati": "Kiribati", + "Korea": "Suid-Korea", + "Korea, Democratic People's Republic of": "Noord-Korea", + "Kosovo": "Kosovo", + "Kuwait": "Koeweit", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Letland", + "Lebanon": "Libanon", + "Lens": "Lens", + "Lesotho": "Lesotho", + "Liberia": "Liberië", + "Libyan Arab Jamahiriya": "Libië", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litaue", + "Load :perPage More": "Laai :perPage Meer", + "Login": "Teken aan", + "Logout": "Teken uit", + "Luxembourg": "Luxemburg", + "Macao": "Macao", + "Macedonia": "Noord-Macedonië", + "Madagascar": "Madagaskar", + "Malawi": "Malawi", + "Malaysia": "Maleisië", + "Maldives": "Maldives", + "Mali": "Klein", + "Malta": "Malta", + "March": "Maart", + "Marshall Islands": "Marshall Eilande", + "Martinique": "Martinique", + "Mauritania": "Mauritanië", + "Mauritius": "Mauritius", + "May": "Mag", + "Mayotte": "Mayotte", + "Mexico": "Mexiko", + "Micronesia, Federated States Of": "Mikronesië", + "Moldova": "Moldawië", + "Monaco": "Monaco", + "Mongolia": "Mongolië", + "Montenegro": "Montenegro", + "Month To Date": "Maand Tot Op Datum", + "Montserrat": "Montserrat", + "Morocco": "Marokko", + "Mozambique": "Mosambiek", + "Myanmar": "Myanmar", + "Namibia": "Namibië", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Nederland", + "New": "Nuwe", + "New :resource": "Nuwe :resource", + "New Caledonia": "New Caledonia", + "New Zealand": "Nieu-Seeland", + "Next": "Volgende", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigerië", + "Niue": "Niue", + "No": "Geen", + "No :resource matched the given criteria.": "Geen :resource ooreenstem met die gegewe kriteria.", + "No additional information...": "Geen bykomende inligting...", + "No Current Data": "Geen Huidige Data", + "No Data": "Geen Data", + "no file selected": "geen lêer gekies", + "No Increase": "Geen Verhoog", + "No Prior Data": "Geen Vorige Data", + "No Results Found.": "Geen Resultate Gevind.", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Noord Mariana Eilande", + "Norway": "Noorweë", + "Nova User": "Nova Gebruiker", + "November": "November", + "October": "Oktober", + "of": "van", + "Oman": "Oman", + "Only Trashed": "Net Asblik", + "Original": "Oorspronklike", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestynse Gebiede", + "Panama": "Panama", + "Papua New Guinea": "Papoea-Nieu-Guinee", + "Paraguay": "Paraguay", + "Password": "Wagwoord", + "Per Page": "Per Bladsy", + "Peru": "Peru", + "Philippines": "Filippyne", + "Pitcairn": "Pitcairn Eilande", + "Poland": "Pole", + "Portugal": "Portugal", + "Press \/ to search": "Pers \/ om te soek", + "Preview": "Voorskou", + "Previous": "Vorige", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Kwartaal Tot Op Datum", + "Reload": "Herlaai", + "Remember Me": "Onthou my", + "Reset Filters": "Herstel Filters", + "Reset Password": "Herstel wagwoord", + "Reset Password Notification": "Herstel wagwoord", + "resource": "hulpbron", + "Resources": "Hulpbronne", + "resources": "hulpbronne", + "Restore": "Herstel", + "Restore Resource": "Herstel Hulpbron", + "Restore Selected": "Die Herstel Van Geselekteerde", + "Reunion": "Vergadering", + "Romania": "Roemenië", + "Run Action": "Hardloop Aksie", + "Russian Federation": "Russiese Federasie", + "Rwanda": "Rwanda", + "Saint Barthelemy": "St Barthélemy", + "Saint Helena": "St Helena", + "Saint Kitts And Nevis": "St Kitts en Nevis", + "Saint Lucia": "St Lucia", + "Saint Martin": "St Martin", + "Saint Pierre And Miquelon": "St. Pierre en Miquelon", + "Saint Vincent And Grenadines": "St. Vincent en die Grenadine", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "São Tomé en Príncipe", + "Saudi Arabia": "Saoedi-Arabië", + "Search": "Soek", + "Select Action": "Kies'n Aksie", + "Select All": "Kies Al", + "Select All Matching": "Kies Al Die Passende", + "Send Password Reset Link": "Stuur skakel vir wagwoordherstel", + "Senegal": "Senegal", + "September": "September", + "Serbia": "Serwië", + "Seychelles": "Seychelle", + "Show All Fields": "Wys Al Die Velde", + "Show Content": "Wys Inhoud", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapoer", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slowakye", + "Slovenia": "Slowenië", + "Solomon Islands": "Solomon Eilande", + "Somalia": "Somalië", + "Something went wrong.": "Iets het verkeerd gegaan.", + "Sorry! You are not authorized to perform this action.": "Jammer! Jy is nie gemagtig om uit te voer hierdie aksie.", + "Sorry, your session has expired.": "Jammer, jou sessie het verstryk.", + "South Africa": "Suid-Afrika", + "South Georgia And Sandwich Isl.": "Suid-Georgië en die Suid-Sandwich Eilande", + "South Sudan": "Suid-Soedan", + "Spain": "Spanje", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Begin Stemdag", + "Stop Polling": "Stop Stemdag", + "Sudan": "Soedan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard en Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Swede", + "Switzerland": "Switserland", + "Syrian Arab Republic": "Sirië", + "Taiwan": "Taiwan", + "Tajikistan": "Tajikistan", + "Tanzania": "Tanzanië", + "Thailand": "Thailand", + "The :resource was created!": "Die :resource is geskep!", + "The :resource was deleted!": "Die :resource is verwyder!", + "The :resource was restored!": "Die :resource is herstel!", + "The :resource was updated!": "Die :resource is opgedateer!", + "The action ran successfully!": "Die aksie het suksesvol!", + "The file was deleted!": "Die lêer is verwyder!", + "The government won't let us show you what's behind these doors": "Die regering sal nie toelaat dat ons jou wys wat is agter hierdie deure", + "The HasOne relationship has already been filled.": "Die HasOne verhouding is reeds gevul.", + "The resource was updated!": "Die hulpbron is opgedateer!", + "There are no available options for this resource.": "Daar is geen beskikbare opsies vir hierdie hulpbron.", + "There was a problem executing the action.": "Daar was'n probleem met die uitvoering van die aksie.", + "There was a problem submitting the form.": "Daar was'n probleem met die indiening van die vorm.", + "This file field is read-only.": "Hierdie lêer veld is lees-alleen.", + "This image": "Hierdie beeld", + "This resource no longer exists": "Hierdie bron bestaan nie meer nie", + "Timor-Leste": "Oos-Timor", + "Today": "Vandag", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Kom", + "total": "totale", + "Trashed": "Asblik", + "Trinidad And Tobago": "Trinidad en Tobago", + "Tunisia": "Tunisië", + "Turkey": "Turkye", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Turks en Caicos Eilande", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Oekraïne", + "United Arab Emirates": "Verenigde Arabiese Emirate", + "United Kingdom": "Verenigde Koninkryk", + "United States": "Verenigde State Van Amerika", + "United States Outlying Islands": "VSA Afgeleë Eilande", + "Update": "Update", + "Update & Continue Editing": "Update & Voortgaan Redigering", + "Update :resource": "Update :resource", + "Update :resource: :title": "Update :resource: :title", + "Update attached :resource: :title": "Update aangeheg :resource: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Oesbekistan", + "Value": "Waarde", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Kyk", + "Virgin Islands, British": "Britse Virgin Eilande", + "Virgin Islands, U.S.": "Die VSA Virgin Eilande", + "Wallis And Futuna": "Wallis en Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Ons is verlore in die ruimte. Die bladsy wat jy probeer om te kyk nie bestaan nie.", + "Welcome Back!": "Welkom Terug!", + "Western Sahara": "Wes-Sahara", + "Whoops": "Oeps", + "Whoops!": "Oeps!!", + "With Trashed": "Met Die Asblik", + "Write": "Skryf", + "Year To Date": "Jaar Tot Op Datum", + "Yemen": "Jemeense", + "Yes": "Ja", + "You are receiving this email because we received a password reset request for your account.": "U ontvang hierdie e-pos omdat ons 'n versoek vir die herstel van wagwoord vir u rekening ontvang het.", + "Zambia": "Zambië", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/af/packages/spark-paddle.json b/locales/af/packages/spark-paddle.json new file mode 100644 index 00000000000..7fae2a81601 --- /dev/null +++ b/locales/af/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Diensvoorwaardes", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Iets het verkeerd geloop.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/af/packages/spark-stripe.json b/locales/af/packages/spark-stripe.json new file mode 100644 index 00000000000..8224308b498 --- /dev/null +++ b/locales/af/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afghanistan", + "Albania": "Albanië", + "Algeria": "Algerië", + "American Samoa": "Amerikaanse Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorrese", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarktika", + "Antigua and Barbuda": "Antigua en Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentinië", + "Armenia": "Armenië", + "Aruba": "Aruba", + "Australia": "Australië", + "Austria": "Oostenryk", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesj", + "Barbados": "Barbados", + "Belarus": "Wit-rusland", + "Belgium": "België", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhoetan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia", + "Bosnia and Herzegovina": "Bosnië en Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brasilië", + "British Indian Ocean Territory": "Britse Indiese Oseaan Gebied", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgarye", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodja", + "Cameroon": "Kameroen", + "Canada": "Kanada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Kaap Verde", + "Card": "Kaart", + "Cayman Islands": "Kaaimanseilande", + "Central African Republic": "Sentraal-Afrikaanse Republiek", + "Chad": "Chad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Chili", + "China": "China", + "Christmas Island": "Christmas Island", + "City": "City", + "Cocos (Keeling) Islands": "Cocos (Keeling) Eilande", + "Colombia": "Colombia", + "Comoros": "Comore-eilande", + "Confirm Payment": "Bevestig Die Betaling", + "Confirm your :amount payment": "Bevestig jou betaling :amount", + "Congo": "Die kongo", + "Congo, the Democratic Republic of the": "Kongo, Demokratiese Republiek", + "Cook Islands": "Cook Eilande", + "Costa Rica": "Costa Rica", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Kroasië", + "Cuba": "Kuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Ciprus", + "Czech Republic": "Tsjeggiese republiek", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Denemarke", + "Djibouti": "Djiboeti", + "Dominica": "Sondag", + "Dominican Republic": "Dominikaanse Republiek", + "Download Receipt": "Download Receipt", + "Ecuador": "Ecuador", + "Egypt": "Egipte", + "El Salvador": "Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Ekwatoriaal-Guinee", + "Eritrea": "Eritrea", + "Estonia": "Estland", + "Ethiopia": "Ethiopië", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Ekstra bevestiging nodig is om jou betaling te verwerk. Gaan asseblief voort op die betaling bladsy deur te kliek op die knoppie hieronder.", + "Falkland Islands (Malvinas)": "Falkland Eilande (Malvinas)", + "Faroe Islands": "Faroëreilande", + "Fiji": "Fidji", + "Finland": "Finland", + "France": "Frankryk", + "French Guiana": "Franse Guiana", + "French Polynesia": "Frans-Polinesië", + "French Southern Territories": "Franse Suidelike Gebiede", + "Gabon": "Gaboen", + "Gambia": "Gambië", + "Georgia": "Georgië", + "Germany": "Duitsland", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Griekeland", + "Greenland": "Groenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinee", + "Guinea-Bissau": "Guinee-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Gehoor Eiland en McDonald Eilande", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hongarye", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Ysland", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Indië", + "Indonesia": "Indonesië", + "Iran, Islamic Republic of": "Iran", + "Iraq": "Irak", + "Ireland": "Ierland", + "Isle of Man": "Eiland Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italië", + "Jamaica": "Jamaica", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordaan", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenia", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Noord-Korea", + "Korea, Republic of": "Suid-Korea", + "Kuwait": "Koeweit", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Letland", + "Lebanon": "Libanon", + "Lesotho": "Lesotho", + "Liberia": "Liberië", + "Libyan Arab Jamahiriya": "Libië", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litaue", + "Luxembourg": "Luxemburg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Noord-Macedonië", + "Madagascar": "Madagaskar", + "Malawi": "Malawi", + "Malaysia": "Maleisië", + "Maldives": "Maldives", + "Mali": "Klein", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marshall Eilande", + "Martinique": "Martinique", + "Mauritania": "Mauritanië", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mexiko", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldawië", + "Monaco": "Monaco", + "Mongolia": "Mongolië", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Marokko", + "Mozambique": "Mosambiek", + "Myanmar": "Myanmar", + "Namibia": "Namibië", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Nederland", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "New Caledonia", + "New Zealand": "Nieu-Seeland", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigerië", + "Niue": "Niue", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Noord Mariana Eilande", + "Norway": "Noorweë", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestynse Gebiede", + "Panama": "Panama", + "Papua New Guinea": "Papoea-Nieu-Guinee", + "Paraguay": "Paraguay", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Filippyne", + "Pitcairn": "Pitcairn Eilande", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Pole", + "Portugal": "Portugal", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Roemenië", + "Russian Federation": "Russiese Federasie", + "Rwanda": "Rwanda", + "Réunion": "Vergadering", + "Saint Barthélemy": "St Barthélemy", + "Saint Helena": "St Helena", + "Saint Kitts and Nevis": "St Kitts en Nevis", + "Saint Lucia": "St Lucia", + "Saint Martin (French part)": "St Martin", + "Saint Pierre and Miquelon": "St. Pierre en Miquelon", + "Saint Vincent and the Grenadines": "St. Vincent en die Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "São Tomé en Príncipe", + "Saudi Arabia": "Saoedi-Arabië", + "Save": "Stoor", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serwië", + "Seychelles": "Seychelle", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapoer", + "Slovakia": "Slowakye", + "Slovenia": "Slowenië", + "Solomon Islands": "Solomon Eilande", + "Somalia": "Somalië", + "South Africa": "Suid-Afrika", + "South Georgia and the South Sandwich Islands": "Suid-Georgië en die Suid-Sandwich Eilande", + "Spain": "Spanje", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Soedan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Swede", + "Switzerland": "Switserland", + "Syrian Arab Republic": "Sirië", + "Taiwan, Province of China": "Taiwan", + "Tajikistan": "Tajikistan", + "Tanzania, United Republic of": "Tanzanië", + "Terms of Service": "Diensvoorwaardes", + "Thailand": "Thailand", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Oos-Timor", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Kom", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisië", + "Turkey": "Turkye", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks en Caicos Eilande", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Oekraïne", + "United Arab Emirates": "Verenigde Arabiese Emirate", + "United Kingdom": "Verenigde Koninkryk", + "United States": "Verenigde State Van Amerika", + "United States Minor Outlying Islands": "VSA Afgeleë Eilande", + "Update": "Update", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Oesbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Britse Virgin Eilande", + "Virgin Islands, U.S.": "Die VSA Virgin Eilande", + "Wallis and Futuna": "Wallis en Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Wes-Sahara", + "Whoops! Something went wrong.": "Iets het verkeerd geloop.", + "Yearly": "Yearly", + "Yemen": "Jemeense", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambië", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/ar/ar.json b/locales/ar/ar.json index 714b4e40c5b..7478fbd178e 100644 --- a/locales/ar/ar.json +++ b/locales/ar/ar.json @@ -1,710 +1,48 @@ { - "30 Days": "30 يوم", - "60 Days": "60 يوم", - "90 Days": "90 يوم", - ":amount Total": ":amount إجمالا", - ":days day trial": ":days يوم تجريبي", - ":resource Details": "تفاصيل :resource", - ":resource Details: :title": "تفاصيل :resource: :title", "A fresh verification link has been sent to your email address.": "تم إرسال رابط تحقق جديد إلى عنوان بريدك الإلكتروني.", - "A new verification link has been sent to the email address you provided during registration.": "تم إرسال رابط تحقق جديد إلى عنوان البريد الإلكتروني الذي قمت بالتسجيل به.", - "Accept Invitation": "قبول الدعوة", - "Action": "الإجراء", - "Action Happened At": "تم الإجراء في", - "Action Initiated By": "تم الإجراء من طرف", - "Action Name": "الاسم", - "Action Status": "الحالة", - "Action Target": "الهدف", - "Actions": "الإجراءات", - "Add": "إضافة", - "Add a new team member to your team, allowing them to collaborate with you.": "أضف عضوًا جديدًا إلى فريقك، مما يتيح لهم التعاون معك.", - "Add additional security to your account using two factor authentication.": "أضف أمانًا إضافيًا إلى حسابك باستخدام المصادقة الثنائية.", - "Add row": "إضافة صف", - "Add Team Member": "إضافة عضو للفريق", - "Add VAT Number": "أضف رقم ضريبة القيمة المضافة", - "Added.": "تمت الإضافة.", - "Address": "العنوان", - "Address Line 2": "العنوان 2", - "Administrator": "المدير", - "Administrator users can perform any action.": "المدراء بإمكانهم تنفيذ أي إجراء.", - "Afghanistan": "أفغانستان", - "Aland Islands": "جزر آلاند", - "Albania": "ألبانيا", - "Algeria": "الجزائر", - "All of the people that are part of this team.": "جميع الأشخاص الذين هم جزء من هذا الفريق.", - "All resources loaded.": "تم تحميل كافة المصادر.", - "All rights reserved.": "جميع الحقوق محفوظة.", - "Already registered?": "لديك حساب مسبقا؟", - "American Samoa": "ساموا الأمريكية", - "An error occured while uploading the file.": "حدث خطأ أثناء تحميل الملف.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "حدث خطأ غير متوقع وتم إبلاغ الدعم الفني. الرجاء المحاولة مرة أخرى في وقت لاحق.", - "Andorra": "أندورا", - "Angola": "أنغولا", - "Anguilla": "أنغويلا", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "قام مستخدم آخر بتحديث هذا المصدر من أن تم تحميل هذه الصفحة. يرجى تحديث الصفحة والمحاولة مرة أخرى.", - "Antarctica": "أنتاركتيكا", - "Antigua and Barbuda": "أنتيغوا وبربودا", - "Antigua And Barbuda": "أنتيغوا وبربودا", - "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 لخدمات الطرف الثالث بالمصادقة مع تطبيقنا نيابة عنك.", - "April": "أبريل", - "Are you sure you want to delete the selected resources?": "هل أنت متأكد من رغبتك بحذف هذه المصادر؟", - "Are you sure you want to delete this file?": "هل أنت متأكد من رغبتك بحذف هذا الملف؟", - "Are you sure you want to delete this resource?": "هل أنت متأكد من رغبتك بحذف هذا المصدر؟", - "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 detach the selected resources?": "هل أنت متأكد من رغبتك بإلغاء إرفاق المصادر المختارة؟", - "Are you sure you want to detach this resource?": "هل أنت متأكد من رغبتك بإلغاء إرفاق هذا المصدر؟", - "Are you sure you want to force delete the selected resources?": "هل أنت متأكد من رغبتك بإلزامية حذف المصادر المحددة؟", - "Are you sure you want to force delete this resource?": "هل أنت متأكد من رغبتك بإلزامية حذف هذا المصدر؟", - "Are you sure you want to restore the selected resources?": "هل أنت متأكد من رغبتك باسترجاع المصادر المحددة؟", - "Are you sure you want to restore this resource?": "هل أنت متأكد من رغبتك باسترجاع هذا المصدر؟", - "Are you sure you want to run this action?": "هل أنت متأكد من رغبتك بتنفيذ هذا الإجراء؟", - "Are you sure you would like to delete this API token?": "هل أنت متأكد أنك تريد حذف رمز API المميز؟", - "Are you sure you would like to leave this team?": "هل أنت متأكد أنك تريد مغادرة هذا الفريق؟", - "Are you sure you would like to remove this person from the team?": "هل أنت متأكد أنك تريد إزالة هذا الشخص من الفريق؟", - "Argentina": "الأرجنتين", - "Armenia": "أرمينيا", - "Aruba": "أروبا", - "Attach": "إرفاق", - "Attach & Attach Another": "إرفاق وإضافة مرفق آخر", - "Attach :resource": "إرفاق :resource", - "August": "أغسطس", - "Australia": "أستراليا", - "Austria": "النمسا", - "Azerbaijan": "أذربيجان", - "Bahamas": "جزر البهاما", - "Bahrain": "البحرين", - "Bangladesh": "بنغلاديش", - "Barbados": "بربادوس", "Before proceeding, please check your email for a verification link.": "قبل المتابعة، يرجى التحقق من بريدك الإلكتروني عن رابط التحقق.", - "Belarus": "بيلاروس", - "Belgium": "بلجيكا", - "Belize": "بليز", - "Benin": "بنين", - "Bermuda": "برمودا", - "Bhutan": "بوتان", - "Billing Information": "معلومات الفوترة", - "Billing Management": "إدارة الفواتير", - "Bolivia": "بوليفيا", - "Bolivia, Plurinational State of": "بوليفيا", - "Bonaire, Sint Eustatius and Saba": "بونير، سانت يوستاتيوس وسابا", - "Bosnia And Herzegovina": "البوسنة والهرسك", - "Bosnia and Herzegovina": "البوسنة والهرسك", - "Botswana": "بوتسوانا", - "Bouvet Island": "جزيرة بوفيه", - "Brazil": "البرازيل", - "British Indian Ocean Territory": "الإقليم البريطاني في المحيط الهندي", - "Browser Sessions": "جلسات المتصفح", - "Brunei Darussalam": "بروناي", - "Bulgaria": "بلغاريا", - "Burkina Faso": "بوركينا فاسو", - "Burundi": "بروندي", - "Cambodia": "كمبوديا", - "Cameroon": "الكاميرون", - "Canada": "كندا", - "Cancel": "إلغاء", - "Cancel Subscription": "إلغاء الاشتراك", - "Cape Verde": "الرأس الأخضر", - "Card": "البطاقة الإئتمانية", - "Cayman Islands": "جزر كايمان", - "Central African Republic": "جمهورية أفريقيا الوسطى", - "Chad": "تشاد", - "Change Subscription Plan": "تغيير خطة الاشتراك", - "Changes": "تغييرات", - "Chile": "تشيلي", - "China": "الصين", - "Choose": "اختر", - "Choose :field": "اختر :field", - "Choose :resource": "اختر :resource", - "Choose an option": "اختر من القائمة", - "Choose date": "اختر تاريخ", - "Choose File": "اختر ملف", - "Choose Type": "اختر نوع", - "Christmas Island": "جزيرة كريسماس", - "City": "المدينة", "click here to request another": "انقر هنا لطلب آخر", - "Click to choose": "اضغط للاختيار", - "Close": "إغلاق", - "Cocos (Keeling) Islands": "جزر كوكوس (كيلينغ)", - "Code": "الرمز", - "Colombia": "كولومبيا", - "Comoros": "جزر القمر", - "Confirm": "تأكيد", - "Confirm Password": "تأكيد كلمة المرور", - "Confirm Payment": "تأكيد عملية الدفع", - "Confirm your :amount payment": "قم بتأكيد :amount دفعة\/دفعيات", - "Congo": "الكونغو", - "Congo, Democratic Republic": "جمهورية الكونغو الديمقراطية", - "Congo, the Democratic Republic of the": "جمهورية الكونغو الديمقراطية", - "Constant": "ثابت", - "Cook Islands": "جزر كوك", - "Costa Rica": "كوستا ريكا", - "Cote D'Ivoire": "ساحل العاج", - "could not be found.": "لا يمكن العثور عليه.", - "Country": "الدولة", - "Coupon": "الكوبون", - "Create": "إنشاء", - "Create & Add Another": "إنشاء وإضافة آخر", - "Create :resource": "إنشاء :resource", - "Create a new team to collaborate with others on projects.": "أنشئ فريقًا جديدًا للتعاون مع الآخرين في المشاريع.", - "Create Account": "إنشاء حساب", - "Create API Token": "إنشاء رمز API", - "Create New Team": "إنشاء فريق جديد", - "Create Team": "إنشاء فريق", - "Created.": "تم الإنشاء.", - "Croatia": "كرواتيا", - "Cuba": "كوبا", - "Curaçao": "كوراساو", - "Current Password": "كلمة المرور الحالية", - "Current Subscription Plan": "خطة الاشتراك الحالية", - "Currently Subscribed": "مشترك حاليا", - "Customize": "تخصيص", - "Cyprus": "قبرص", - "Czech Republic": "التشيك", - "Côte d'Ivoire": "ساحل العاج", - "Dashboard": "لوحة التحكم", - "December": "ديسمبر", - "Decrease": "نقصان", - "Delete": "حذف", - "Delete Account": "حذف الحساب", - "Delete API Token": "حذف رمز API", - "Delete File": "حذف الملف", - "Delete Resource": "حذف المصدر", - "Delete Selected": "حذف المحدد", - "Delete Team": "حذف الفريق", - "Denmark": "الدانمارك", - "Detach": "إلغاء الإرفاق", - "Detach Resource": "إلغاء إرفاق المصدر", - "Detach Selected": "إلغاء إرفاق المحدد", - "Details": "التفاصيل", - "Disable": "تعطيل", - "Djibouti": "جيبوتي", - "Do you really want to leave? You have unsaved changes.": "هل تريد المغادرة حقا؟ لم تقم بحفظ التغييرات.", - "Dominica": "دومينيكا", - "Dominican Republic": "جمهورية الدومينيكان", - "Done.": "تم.", - "Download": "تحميل", - "Download Receipt": "تنزيل الإيصال", "E-Mail Address": "البريد الإلكتروني", - "Ecuador": "الإكوادور", - "Edit": "تعديل", - "Edit :resource": "تعديل :resource", - "Edit Attached": "تعديل المرفق", - "Editor": "المحرر", - "Editor users have the ability to read, create, and update.": "المحررون لديهم القدرة على القراءة والإنشاء والتحديث.", - "Egypt": "مصر", - "El Salvador": "السلفادور", - "Email": "البريد الإلكتروني", - "Email Address": "البريد الإلكتروني", - "Email Addresses": "عناوين البريد الإلكتروني", - "Email Password Reset Link": "رابط إعادة تعيين كلمة مرور عبر البريد الإلكتروني", - "Enable": "تفعيل", - "Ensure your account is using a long, random password to stay secure.": "تأكد من أن حسابك يستخدم كلمة مرور طويلة وعشوائية للبقاء آمنًا.", - "Equatorial Guinea": "غينيا الاستوائية", - "Eritrea": "إريتريا", - "Estonia": "إستونيا", - "Ethiopia": "إثيوبيا", - "ex VAT": "ضريبة القيمة المضافة السابقة", - "Extra Billing Information": "معلومات الفوترة الإضافية", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "هناك حاجة إلى تأكيد إضافي لإكمال عملية الدفع الخاصة بك. يرجى تأكيد الدفع الخاص بك عن طريق ملء تفاصيل الدفع الخاصة بك أدناه.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "هناك حاجة إلى تأكيد إضافي لمعالجة عملية الدفع الخاصة بك. الرجاء المتابعة إلى صفحة الدفع بالضغط على الزر أدناه.", - "Falkland Islands (Malvinas)": "جزر فوكلاند", - "Faroe Islands": "جزر فارو", - "February": "فبراير", - "Fiji": "فيجي", - "Finland": "فنلندا", - "For your security, please confirm your password to continue.": "لحمايتك، يرجى تأكيد كلمة المرور الخاصة بك للمتابعة.", "Forbidden": "محظور", - "Force Delete": "حذف إلزامي", - "Force Delete Resource": "حذف إلزامي للمصدر", - "Force Delete Selected": "حذف إلزامي للمحدد", - "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.": "نسيت كلمة المرور؟ لا توجد مشكلة. ما عليك سوى إخبارنا بعنوان بريدك الإلكتروني وسنرسل لك عبره رابط إعادة تعيين كلمة المرور الذي سيسمح لك باختيار عنوان جديد.", - "France": "فرنسا", - "French Guiana": "غويانا الفرنسية", - "French Polynesia": "بولينيزيا الفرنسية", - "French Southern Territories": "الأقاليم الجنوبية الفرنسية", - "Full name": "الإسم بالكامل", - "Gabon": "الغابون", - "Gambia": "غامبيا", - "Georgia": "جورجيا", - "Germany": "ألمانيا", - "Ghana": "غانا", - "Gibraltar": "جبل طارق", - "Go back": "عودة", - "Go Home": "الرئيسية", "Go to page :page": "الإنتقال إلى الصفحة :page", - "Great! You have accepted the invitation to join the :team team.": "رائع! لقد قبلت الدعوة للإنضمام إلى فريق :team.", - "Greece": "اليونان", - "Greenland": "غرينلاند", - "Grenada": "غرينادا", - "Guadeloupe": "غوادلوب", - "Guam": "غوام", - "Guatemala": "غواتيمالا", - "Guernsey": "غيرنزي", - "Guinea": "غينيا", - "Guinea-Bissau": "غينيا بيساو", - "Guyana": "غيانا", - "Haiti": "هايتي", - "Have a coupon code?": "لديك رمز الكوبون؟", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "هل لديك أفكار أخرى حول إلغاء اشتراكك؟ يمكنك إعادة تنشيط اشتراكك فورا في أي وقت حتى نهاية دورة الفوترة الحالية. بعد انتهاء دورة الفوترة الحالية، يمكنك اختيار خطة اشتراك جديدة تماما.", - "Heard Island & Mcdonald Islands": "جزيرة هيرد وجزر ماكدونالد", - "Heard Island and McDonald Islands": "جزيرة هيرد وجزر ماكدونالد", "Hello!": "أهلاً بك!", - "Hide Content": "إخفاء المحتوى", - "Hold Up!": "انتظر!", - "Holy See (Vatican City State)": "مدينة الفاتيكان", - "Honduras": "هندوراس", - "Hong Kong": "هونغ كونغ", - "Hungary": "هنغاريا", - "I agree to the :terms_of_service and :privacy_policy": "أوافق على :terms_of_service و :privacy_policy", - "Iceland": "آيسلندا", - "ID": "المعرّف", - "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 logout 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 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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "إذا كنت بحاجة إلى إضافة معلومات اتصال أو معلومات ضريبية محددة إلى إيصالاتك، مثل اسم العمل بالكامل، رقم تعريف ضريبة القيمة المضافة، أو عنوان السجل، فيمكنك إضافته هنا.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "إذا كنت تواجه مشكلة في النقر على الزر \":actionText \"، يمكنك نسخ عنوان URL أدناه\n وألصقه في متصفح الويب:", - "Increase": "زيادة", - "India": "الهند", - "Indonesia": "إندونيسيا", "Invalid signature.": "التوقيع غير سليم.", - "Iran, Islamic Republic of": "إيران", - "Iran, Islamic Republic Of": "إيران", - "Iraq": "العراق", - "Ireland": "إيرلندا", - "Isle of Man": "جزيرة مان", - "Isle Of Man": "جزيرة مان", - "Israel": "إسرائيل", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "يبدو أنه ليس لديك اشتراك نشط. يمكنك اختيار إحدى خطط الاشتراك أدناه للبدء. يمكنك تغيير خطط الاشتراك أو إلغاؤها في أي وقت.", - "Italy": "إيطاليا", - "Jamaica": "جامايكا", - "January": "يناير", - "Japan": "اليابان", - "Jersey": "جيرسي", - "Jordan": "الأردن", - "July": "يوليو", - "June": "يونيو", - "Kazakhstan": "كازاخستان", - "Kenya": "كينيا", - "Key": "المفتاح", - "Kiribati": "كيريباتي", - "Korea": "كوريا الجنوبية", - "Korea, Democratic People's Republic of": "كوريا الشمالية", - "Korea, Republic of": "كوريا الجنوبية", - "Kosovo": "كوسوفو", - "Kuwait": "الكويت", - "Kyrgyzstan": "قيرغيزستان", - "Lao People's Democratic Republic": "ﻻوس", - "Last active": "آخر نشاط", - "Last used": "آخر استخدام", - "Latvia": "ﻻتفيا", - "Leave": "مغادرة", - "Leave Team": "مغادرة الفريق", - "Lebanon": "لبنان", - "Lens": "عدسات", - "Lesotho": "ليسوتو", - "Liberia": "ليبيريا", - "Libyan Arab Jamahiriya": "ليبيا", - "Liechtenstein": "ليختنشتاين", - "Lithuania": "ليتوانيا", - "Load :perPage More": "عرض :perPage إضافية", - "Log in": "تسجيل الدخول", "Log out": "تسجيل الخروج", - "Log Out": "تسجيل الخروج", - "Log Out Other Browser Sessions": "تسجيل الخروج من جلساتك على المتصفحات الأخرى", - "Login": "تسجيل الدخول", - "Logout": "تسجيل الخروج", "Logout Other Browser Sessions": "تسجيل الخروج من حسابي على المتصفحات الأخرى", - "Luxembourg": "لوكسمبورغ", - "Macao": "ماكاو", - "Macedonia": "مقدونيا الشمالية", - "Macedonia, the former Yugoslav Republic of": "مقدونيا الشمالية", - "Madagascar": "مدغشقر", - "Malawi": "ملاوي", - "Malaysia": "ماليزيا", - "Maldives": "جزر المالديف", - "Mali": "مالي", - "Malta": "مالطا", - "Manage Account": "إدارة الحساب", - "Manage and log out your active sessions on other browsers and devices.": "إدارة جلساتك النشطة والخروج منها على المتصفحات والأجهزة الأخرى.", "Manage and logout your active sessions on other browsers and devices.": "إدارة جلساتك النشطة وتسجيل الخروج منها على المتصفحات والأجهزة الأخرى.", - "Manage API Tokens": "إدارة رموز API", - "Manage Role": "إدارة الصلاحيات", - "Manage Team": "إدارة الفريق", - "Managing billing for :billableName": "إدارة الفواتير لـ :billableName", - "March": "مارس", - "Marshall Islands": "جزر مارشال", - "Martinique": "جزر المارتينيك", - "Mauritania": "موريتانيا", - "Mauritius": "موريشيوس", - "May": "مايو", - "Mayotte": "مايوت", - "Mexico": "المكسيك", - "Micronesia, Federated States Of": "ميكرونيزيا", - "Moldova": "مولدوفا", - "Moldova, Republic of": "مولدوفا", - "Monaco": "موناكو", - "Mongolia": "منغوليا", - "Montenegro": "الجبل الأسود", - "Month To Date": "شهر حتى تاريخه", - "Monthly": "شهري", - "monthly": "شهري", - "Montserrat": "مونتسرات", - "Morocco": "المغرب", - "Mozambique": "موزمبيق", - "Myanmar": "ميانمار", - "Name": "الاسم", - "Namibia": "ناميبيا", - "Nauru": "ناورو", - "Nepal": "نيبال", - "Netherlands": "هولندا", - "Netherlands Antilles": "جزر الأنتيل الهولندية", "Nevermind": "إلغاء", - "Nevermind, I'll keep my old plan": "لا يهم، سأحتفظ بخطتي القديمة", - "New": "جديد", - "New :resource": ":resource جديد", - "New Caledonia": "كاليدونيا الجديدة", - "New Password": "كلمة مرور جديدة", - "New Zealand": "نيوزلندا", - "Next": "التالي", - "Nicaragua": "نيكاراغوا", - "Niger": "النجير", - "Nigeria": "نيجيريا", - "Niue": "نيوي", - "No": "ﻻ", - "No :resource matched the given criteria.": ":resource لا يطابق المعايير المحددة.", - "No additional information...": "لا توجد معلومات إضافية...", - "No Current Data": "لا توجد بيانات حاليا", - "No Data": "ﻻ توجد بيانات", - "no file selected": "لم يتم اختيار ملف", - "No Increase": "لا توجد زيادة", - "No Prior Data": "لا توجد بيانات سابقة", - "No Results Found.": "لم يتم العثور على نتائج.", - "Norfolk Island": "جزيرة نورفولك", - "Northern Mariana Islands": "جزر ماريانا الشمالية", - "Norway": "النرويج", "Not Found": "غير متوفر", - "Nova User": "مستخدم نوفا", - "November": "نوفمبر", - "October": "أكتوبر", - "of": "من", "Oh no": "انتبه", - "Oman": "عمان", - "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 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 Trashed": "المحذوفات فقط", - "Original": "أصلي", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "تتيح لك بوابة إدارة الفواتير الخاصة بنا إمكانية إدارة خطة اشتراكك وطريقة الدفع وتنزيل أحدث فواتيرك بسهولة.", "Page Expired": "الصفحة منتهية الصلاحية", "Pagination Navigation": "التنقل بين الصفحات", - "Pakistan": "باكستان", - "Palau": "بالاو", - "Palestinian Territory, Occupied": "الأراضي الفلسطينية", - "Panama": "بنما", - "Papua New Guinea": "بابوا غينيا الجديدة", - "Paraguay": "باراغواي", - "Password": "كلمة المرور", - "Pay :amount": "ادفع :amount", - "Payment Cancelled": "تم إلغاء عملية الدفع", - "Payment Confirmation": "تأكيد عملية الدفع", - "Payment Information": "معلومات الدفع", - "Payment Successful": "تم الدفع بنجاح", - "Pending Team Invitations": "دعوات معلقة للإنضمام لفريق", - "Per Page": "في الصفحة", - "Permanently delete this team.": "احذف هذا الفريق بشكل دائم.", - "Permanently delete your account.": "احذف حسابك بشكل دائم.", - "Permissions": "الأذونات", - "Peru": "بيرو", - "Philippines": "الفلبين", - "Photo": "صورة", - "Pitcairn": "جزر بيتكيرن", "Please click the button below to verify your email address.": "يرجى النقر على الزر أدناه للتحقق من عنوان بريدك الإلكتروني.", - "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 your password before continuing.": "يرجى تأكيد كلمة مرورك قبل المتابعة.", - "Please copy your new API token. For your security, it won't be shown again.": "يرجى نسخ رمز API الجديد الخاص بك. من أجل أمانك، لن يتم عرضه مرة أخرى.", - "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 logout of your other browser sessions across all of your devices.": "الرجاء إدخال كلمة المرور الخاصة بك لتأكيد رغبتك في تسجيل الخروج من جلسات المتصفح الأخرى عبر جميع أجهزتك.", - "Please provide a maximum of three receipt emails addresses.": "يرجى كتابة ثلاثة عناوين بريد إلكتروني كحد أقصى للاستلام.", - "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. The email address must be associated with an existing account.": "يرجى كتابة عنوان البريد الإلكتروني للشخص الذي ترغب في إضافته إلى هذا الفريق. يجب أن يكون عنوان البريد الإلكتروني مرتبطًا بحساب موجود.", - "Please provide your name.": "يرجى تزويدنا بإسمك.", - "Poland": "بولندا", - "Portugal": "البرتغال", - "Press \/ to search": "اضغط \/ للبحث", - "Preview": "معاينة", - "Previous": "السابق", - "Privacy Policy": "سياسة الخصوصية", - "Profile": "الملف الشخصي", - "Profile Information": "معلومات الملف الشخصي", - "Puerto Rico": "بورتوريكو", - "Qatar": "قطر", - "Quarter To Date": "ربع سنة حتى تاريخه", - "Receipt Email Addresses": "عناوين البريد الإلكتروني للاستلام", - "Receipts": "الإيصالات", - "Recovery Code": "رمز الاسترداد", "Regards": "مع التحية", - "Regenerate Recovery Codes": "إعادة إنشاء رموز الاسترداد", - "Register": "تسجيل", - "Reload": "إعادة تحميل", - "Remember me": "تذكرني", - "Remember Me": "تذكرني", - "Remove": "حذف", - "Remove Photo": "حذف الصورة", - "Remove Team Member": "حذف عضو الفريق", - "Resend Verification Email": "إعادة ارسال بريد التحقق", - "Reset Filters": "إعادة تعيين الفلترة", - "Reset Password": "استعادة كلمة المرور", - "Reset Password Notification": "تنبيه استعادة كلمة المرور", - "resource": "المصدر", - "Resources": "المصادر", - "resources": "المصادر", - "Restore": "استعادة", - "Restore Resource": "استعادة المصدر", - "Restore Selected": "استعادة المحدد", "results": "نتيجة", - "Resume Subscription": "استئناف الاشتراك", - "Return to :appName": "العودة إلى :appName", - "Reunion": "روينيون", - "Role": "صلاحية", - "Romania": "رومانيا", - "Run Action": "تنفيذ الإجراء", - "Russian Federation": "روسيا", - "Rwanda": "رواندا", - "Réunion": "روينيون", - "Saint Barthelemy": "سانت بارتيليمي", - "Saint Barthélemy": "سانت بارتيليمي", - "Saint Helena": "سانت هيليناؤ", - "Saint Kitts and Nevis": "سانت كيتس ونيفيس", - "Saint Kitts And Nevis": "سانت كيتس ونيفيس", - "Saint Lucia": "سانت لوسيا", - "Saint Martin": "سانت مارتن", - "Saint Martin (French part)": "سانت مارتن", - "Saint Pierre and Miquelon": "سانت بيار وميكلون", - "Saint Pierre And Miquelon": "سانت بيار وميكلون", - "Saint Vincent And Grenadines": "سانت فنسنت والجرينادينز", - "Saint Vincent and the Grenadines": "سانت فنسنت والجرينادينز", - "Samoa": "ساموا", - "San Marino": "سان مارينو", - "Sao Tome and Principe": "ساو تومي وبرينسيبي", - "Sao Tome And Principe": "ساو تومي وبرينسيبي", - "Saudi Arabia": "المملكة العربية السعودية", - "Save": "حفظ", - "Saved.": "تم الحفظ.", - "Search": "بحث", - "Select": "اختر", - "Select a different plan": "اختر خطة مختلفة", - "Select A New Photo": "اختيار صورة جديدة", - "Select Action": "اختيار إجراء", - "Select All": "تحديد الكل", - "Select All Matching": "تحديد كل المتطابقات", - "Send Password Reset Link": "أرسل رابط استعادة كلمة المرور", - "Senegal": "السنغال", - "September": "سبتمبر", - "Serbia": "صربيا", "Server Error": "خطأ في الإستضافة", "Service Unavailable": "الخدمة غير متوفرة", - "Seychelles": "سيشل", - "Show All Fields": "عرض جميع الحقول", - "Show Content": "عرض المحتوى", - "Show Recovery Codes": "إظهار رموز الاسترداد", "Showing": "عرض", - "Sierra Leone": "سيراليون", - "Signed in as": "تم الدخول كـ", - "Singapore": "سنغافورة", - "Sint Maarten (Dutch part)": "سينت مارتن", - "Slovakia": "سلوفاكيا", - "Slovenia": "سلوفينيا", - "Solomon Islands": "جزر سليمان", - "Somalia": "الصومال", - "Something went wrong.": "هناك خطأ ما.", - "Sorry! You are not authorized to perform this action.": "عذراً! ليست لديك الصلاحية لتنفيذ هذا الإجراء.", - "Sorry, your session has expired.": "عذراً، مدة جلستك قد انتهت.", - "South Africa": "جنوب أفريقيا", - "South Georgia And Sandwich Isl.": "جورجيا الجنوبية وجزر ساندويتش الجنوبية", - "South Georgia and the South Sandwich Islands": "جورجيا الجنوبية وجزر ساندويتش الجنوبية", - "South Sudan": "جنوب السودان", - "Spain": "إسبانيا", - "Sri Lanka": "سريلانكا", - "Start Polling": "بدء التصويت", - "State \/ County": "الولاية \/ الدولة", - "Stop Polling": "إيقاف التصويت", - "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.": "قم بالاحتفاظ برموز الاسترداد هذه في مكان آمن. يمكن استخدامها لاستعادة الوصول إلى حسابك في حالة فقدان جهاز المصادقة الثنائية الخاص بك.", - "Subscribe": "اشتراك", - "Subscription Information": "معلومات الاشتراك", - "Sudan": "السودان", - "Suriname": "سورينام", - "Svalbard And Jan Mayen": "سفالبارد وجان ماين", - "Swaziland": "إسواتيني", - "Sweden": "السويد", - "Switch Teams": "تبديل الفرق", - "Switzerland": "سويسرا", - "Syrian Arab Republic": "سوريا", - "Taiwan": "تايوان", - "Taiwan, Province of China": "تايوان", - "Tajikistan": "طاجيكستان", - "Tanzania": "تنزانيا", - "Tanzania, United Republic of": "تنزانيا", - "Team Details": "تفاصيل الفريق", - "Team Invitation": "دعوة الفريق", - "Team Members": "أعضاء الفريق", - "Team Name": "اسم الفريق", - "Team Owner": "مالك الفريق", - "Team Settings": "إعدادات الفريق", - "Terms of Service": "شروط الاستخدام", - "Thailand": "تايلاند", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "شكرا لدعمكم المتواصل. لقد أرفقنا نسخة من فاتورتك. يجرى إعلامنا إذا كان لديك أي أسئلة أو مخاوف.", - "Thanks,": "شكرا،", - "The :attribute must be a valid role.": ":attribute يجب أن تكون صلاحية فاعلة.", - "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 and 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 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 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.": ":attribute يجب أن يتألف على الأقل من :length خانة.", "The :attribute must contain at least one letter.": ":attribute يجب أن يحتوي على الأقل حرف واحد.", "The :attribute must contain at least one number.": ":attribute يجب أن يحتوي على الأقل رقم واحد.", "The :attribute must contain at least one symbol.": ":attribute يجب أن يحتوي على الأقل رمز واحد.", "The :attribute must contain at least one uppercase and one lowercase letter.": ":attribute يجب أن يحتوي على الأقل حرف كبير واحد وحرف صغير واحد.", - "The :resource was created!": "تم إنشاء :resource!", - "The :resource was deleted!": "تم حذف :resource!", - "The :resource was restored!": "تم استعادة :resource!", - "The :resource was updated!": "تم تحديث :resource!", - "The action ran successfully!": "تم تنفيذ الإجراء بنجاح!", - "The file was deleted!": "تم حذف الملف!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": ":attribute المستخدم ضمن قائمة البيانات المسربة. الرجاء اختيار :attribute مختلف.", - "The government won't let us show you what's behind these doors": "الحكومة لن تسمح لنا بأن نعرض لك ما وراء هذه الأبواب", - "The HasOne relationship has already been filled.": "تم بالفعل ملء العلاقة HasOne.", - "The payment was successful.": "تمت عملية الدفع بنجاح.", - "The provided coupon code is 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 VAT number is invalid.": "رقم ضريبة القيمة المضافة الذي قمت بإدخاله غير صالح.", - "The receipt emails must be valid email addresses.": "يجب أن تكون صيغة عناوين البريد الإلكتروني صالحة .", - "The resource was updated!": "تم تحديث المصدر!", - "The selected country is invalid.": "الدولة المختارة غير صالحة.", - "The selected plan is invalid.": "الخطة المختارة غير صالحة.", - "The team's name and owner information.": "اسم الفريق ومعلومات المالك.", - "There are no available options for this resource.": "لا توجد خيارات متاحة لهذا المصدر.", - "There was a problem executing the action.": "توجد مشكلة في تنفيذ الإجراء.", - "There was a problem submitting the form.": "توجد مشكلة في اعتماد النموذج.", - "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.": "تمت دعوة هؤلاء الأشخاص إلى فريقك وتم إرسال دعوة عبر البريد الإليكتروني إليهم. يمكنهم الإنضمام إلى الفريق عن طريق قبول دعوة البريد الإليكتروني.", - "This account does not have an active subscription.": "هذا الحساب لا يملك اشتراك نشط.", "This action is unauthorized.": "عملية غير مصرّح بها.", - "This device": "هذا الجهاز", - "This file field is read-only.": "حقل الملف هذا للقراءة فقط.", - "This image": "هذه الصورة", - "This is a secure area of the application. Please confirm your password before continuing.": "هذه منطقة آمنة للتطبيق. يرجى تأكيد كلمة المرور الخاصة بك قبل المتابعة.", - "This password does not match our records.": "كلمة المرور لا تتطابق مع سجلاتنا.", "This password reset link will expire in :count minutes.": "ستنتهي صلاحية رابط استعادة كلمة المرور خلال :count دقيقة.", - "This payment was already successfully confirmed.": "تم تأكيد عملية الدفع هذه بنجاح مسبقا.", - "This payment was cancelled.": "تم إلغاء عملية الدفع هذه.", - "This resource no longer exists": "لم يعد هذا المصدر متوفرا", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "انتهت صلاحية الاشتراك ولا يمكن استئنافه. يرجى إنشاء اشتراك جديد.", - "This user already belongs to the team.": "هذا المستخدم ينتمي بالفعل إلى الفريق.", - "This user has already been invited to the team.": "تمت دعوة هذا المستخدم بالفعل إلى الفريق.", - "Timor-Leste": "تيمور - ليشتي", "to": "إلى", - "Today": "اليوم", "Toggle navigation": "إظهار\/إخفاء القائمة", - "Togo": "توغو", - "Tokelau": "توكيلو", - "Token Name": "اسم الرمز", - "Tonga": "تونغا", "Too Many Attempts.": "عدد كبير من المحاولات.", "Too Many Requests": "طلبات كثيرة جدًا", - "total": "الإجمالي", - "Total:": "الإجمالي:", - "Trashed": "محذوف", - "Trinidad And Tobago": "ترينيداد وتوباغو", - "Tunisia": "تونس", - "Turkey": "تركيا", - "Turkmenistan": "تركمانستان", - "Turks and Caicos Islands": "جزر توركس وكايكو", - "Turks And Caicos Islands": "جزر توركس وكايكوس", - "Tuvalu": "توفالو", - "Two Factor Authentication": "المصادقة الثنائية", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "تم تمكين المصادقة الثنائية الآن. امسح رمز الاستجابة السريعة التالي ضوئيًا باستخدام تطبيق المصادقة على هاتفك.", - "Uganda": "أوغندا", - "Ukraine": "أوكرانيا", "Unauthorized": "غير مصرّح", - "United Arab Emirates": "الإمارات العربية المتحدة", - "United Kingdom": "المملكة المتحدة", - "United States": "الولايات المتحدة", - "United States Minor Outlying Islands": "جزر الولايات المتحدة النائية", - "United States Outlying Islands": "جزر الولايات المتحدة النائية", - "Update": "تحديث", - "Update & Continue Editing": "تحديث ومتابعة التعديل", - "Update :resource": "تحديث :resource", - "Update :resource: :title": "تحديث :resource: :title", - "Update attached :resource: :title": "تحديث المرفق :resource: :title", - "Update Password": "تحديث كلمة المرور", - "Update Payment Information": "تحديث معلومات الدفع", - "Update your account's profile information and email address.": "قم بتحديث معلومات ملفك الشخصي وبريدك الإلكتروني.", - "Uruguay": "أورغواي", - "Use a recovery code": "استخدم رمز الاسترداد", - "Use an authentication code": "استخدم رمز المصادقة", - "Uzbekistan": "أوزبكستان", - "Value": "القيمة", - "Vanuatu": "فانواتو", - "VAT Number": "رقم ضريبة القيمة المضافة", - "Venezuela": "فنزويلا", - "Venezuela, Bolivarian Republic of": "فنزويلا", "Verify Email Address": "التحقق من عنوان البريد الإلكتروني", "Verify Your Email Address": "تحقق من عنوان البريد الإلكتروني الخاص بك", - "Viet Nam": "فيتنام", - "View": "عرض", - "Virgin Islands, British": "جزر فيرجن البريطانية", - "Virgin Islands, U.S.": "جزر فيرجن التابعة للولايات المتحدة", - "Wallis and Futuna": "جزر والس وفوتونا", - "Wallis And Futuna": "جزر والس وفوتونا", - "We are unable to process your payment. Please contact customer support.": "لم نتمكن من معالجة عملية الدفع الخاصة بك. يرجى الاتصال بدعم العملاء.", - "We were unable to find a registered user with this email address.": "لم نتمكن من العثور على مستخدم مسجل بهذا البريد الإلكتروني.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "سنقوم بإرسال رابط تنزيل الإيصال لعناوين البريد الإلكتروني التي تحددها أدناه. يمكنك الفصل بين عناوين البريد الإلكتروني باستخدام الفواصل.", "We won't ask for your password again for a few hours.": "لن نطلب كلمة المرور مرة أخرى لبضع ساعات.", - "We're lost in space. The page you were trying to view does not exist.": "لقد ضعنا في الفضاء. الصفحة التي كنت تحاول عرضها غير موجودة.", - "Welcome Back!": "مرحبا بعودتك!", - "Western Sahara": "الصحراء الغربية", - "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 بهاتفك.", - "Whoops": "عذراً", - "Whoops!": "عذراً!", - "Whoops! Something went wrong.": "عذرًا! هناك خطأ ما.", - "With Trashed": "مع المحذوفات", - "Write": "كتابة", - "Year To Date": "سنة حتى تاريخه", - "Yearly": "سنوي", - "Yemen": "اليمن", - "Yes": "نعم", - "You are currently within your free trial period. Your trial will expire on :date.": "أنت الآن ضمن الفترة التجريبية المجانية. ستنتهي الفترة التجريبية الخاصة بك في :date.", "You are logged in!": "لقد قمت بتسجيل الدخول!", - "You are receiving this email because we received a password reset request for your account.": "لقد استلمت هذا الإيميل لأننا استقبلنا طلباً لاستعادة كلمة مرور حسابك.", - "You have been invited to join the :team team!": "لقد تمت دعوتك للإنضمام إلى فريق :team!", - "You have enabled two factor authentication.": "لقد قمت بتمكين المصادقة الثنائية.", - "You have not enabled two factor authentication.": "لم تقم بتمكين المصادقة الثنائية.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "يمكنك إلغاء اشتراكك في أي وقت. إذا قمت بإلغاء اشتراكك، سيكون لديك خيار استئناف الاشتراك حتى نهاية دورة الفوترة الحالية.", - "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.": "لا يمكنك مغادرة الفريق الذي أنشأته.", - "Your :invoiceName invoice is now available!": "فاتورتك :invoiceName متاحة حاليا!", - "Your card was declined. Please contact your card issuer for more information.": "تم رفض بطاقتك. يرجى التواصل مع جهة إصدار بطاقتك لمزيد من المعلومات.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "طريقك الدفع الخاصة بك حاليا هي بطاقة ائتمانية آخرهاـ :lastFour وتنتهي فترة صلاحيتها في :expiration.", - "Your email address is not verified.": "بريدك الإلكتروني غير موثّق.", - "Your registered VAT Number is :vatNumber.": "رقم ضريبة القيمة المضافة الخاص بك هو :vatNumber.", - "Zambia": "زامبيا", - "Zimbabwe": "زيمبابوي", - "Zip \/ Postal Code": "الرمز البريدي" + "Your email address is not verified.": "بريدك الإلكتروني غير موثّق." } diff --git a/locales/ar/packages/cashier.json b/locales/ar/packages/cashier.json new file mode 100644 index 00000000000..91c1898e66a --- /dev/null +++ b/locales/ar/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "جميع الحقوق محفوظة.", + "Card": "البطاقة الإئتمانية", + "Confirm Payment": "تأكيد عملية الدفع", + "Confirm your :amount payment": "قم بتأكيد :amount دفعة\/دفعيات", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "هناك حاجة إلى تأكيد إضافي لإكمال عملية الدفع الخاصة بك. يرجى تأكيد الدفع الخاص بك عن طريق ملء تفاصيل الدفع الخاصة بك أدناه.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "هناك حاجة إلى تأكيد إضافي لمعالجة عملية الدفع الخاصة بك. الرجاء المتابعة إلى صفحة الدفع بالضغط على الزر أدناه.", + "Full name": "الإسم بالكامل", + "Go back": "عودة", + "Jane Doe": "Jane Doe", + "Pay :amount": "ادفع :amount", + "Payment Cancelled": "تم إلغاء عملية الدفع", + "Payment Confirmation": "تأكيد عملية الدفع", + "Payment Successful": "تم الدفع بنجاح", + "Please provide your name.": "يرجى تزويدنا بإسمك.", + "The payment was successful.": "تمت عملية الدفع بنجاح.", + "This payment was already successfully confirmed.": "تم تأكيد عملية الدفع هذه بنجاح مسبقا.", + "This payment was cancelled.": "تم إلغاء عملية الدفع هذه." +} diff --git a/locales/ar/packages/fortify.json b/locales/ar/packages/fortify.json new file mode 100644 index 00000000000..898c55dfe17 --- /dev/null +++ b/locales/ar/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 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 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.": ":attribute يجب أن يتألف على الأقل من :length خانة.", + "The provided password does not match your current password.": "كلمة المرور التي قمت بإدخالها لا تطابق كلمة المرور الحالية.", + "The provided password was incorrect.": "كلمة المرور التي قمت بإدخالها غير صحيحة.", + "The provided two factor authentication code was invalid.": "كود المصادقة الثنائية الذي قمت بإدخاله غير صحيح." +} diff --git a/locales/ar/packages/jetstream.json b/locales/ar/packages/jetstream.json new file mode 100644 index 00000000000..d93750fc48f --- /dev/null +++ b/locales/ar/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "تم إرسال رابط تحقق جديد إلى عنوان البريد الإلكتروني الذي قمت بالتسجيل به.", + "Accept Invitation": "قبول الدعوة", + "Add": "إضافة", + "Add a new team member to your team, allowing them to collaborate with you.": "أضف عضوًا جديدًا إلى فريقك، مما يتيح لهم التعاون معك.", + "Add additional security to your account using two factor authentication.": "أضف أمانًا إضافيًا إلى حسابك باستخدام المصادقة الثنائية.", + "Add Team Member": "إضافة عضو للفريق", + "Added.": "تمت الإضافة.", + "Administrator": "المدير", + "Administrator users can perform any action.": "المدراء بإمكانهم تنفيذ أي إجراء.", + "All of the people that are part of this team.": "جميع الأشخاص الذين هم جزء من هذا الفريق.", + "Already registered?": "لديك حساب مسبقا؟", + "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 لخدمات الطرف الثالث بالمصادقة مع تطبيقنا نيابة عنك.", + "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 delete this API token?": "هل أنت متأكد أنك تريد حذف رمز API المميز؟", + "Are you sure you would like to leave this team?": "هل أنت متأكد أنك تريد مغادرة هذا الفريق؟", + "Are you sure you would like to remove this person from the team?": "هل أنت متأكد أنك تريد إزالة هذا الشخص من الفريق؟", + "Browser Sessions": "جلسات المتصفح", + "Cancel": "إلغاء", + "Close": "إغلاق", + "Code": "الرمز", + "Confirm": "تأكيد", + "Confirm Password": "تأكيد كلمة المرور", + "Create": "إنشاء", + "Create a new team to collaborate with others on projects.": "أنشئ فريقًا جديدًا للتعاون مع الآخرين في المشاريع.", + "Create Account": "إنشاء حساب", + "Create API Token": "إنشاء رمز API", + "Create New Team": "إنشاء فريق جديد", + "Create Team": "إنشاء فريق", + "Created.": "تم الإنشاء.", + "Current Password": "كلمة المرور الحالية", + "Dashboard": "لوحة التحكم", + "Delete": "حذف", + "Delete Account": "حذف الحساب", + "Delete API Token": "حذف رمز API", + "Delete Team": "حذف الفريق", + "Disable": "تعطيل", + "Done.": "تم.", + "Editor": "المحرر", + "Editor users have the ability to read, create, and update.": "المحررون لديهم القدرة على القراءة والإنشاء والتحديث.", + "Email": "البريد الإلكتروني", + "Email Password Reset Link": "رابط إعادة تعيين كلمة مرور عبر البريد الإلكتروني", + "Enable": "تفعيل", + "Ensure your account is using a long, random password to stay secure.": "تأكد من أن حسابك يستخدم كلمة مرور طويلة وعشوائية للبقاء آمنًا.", + "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.": "نسيت كلمة المرور؟ لا توجد مشكلة. ما عليك سوى إخبارنا بعنوان بريدك الإلكتروني وسنرسل لك عبره رابط إعادة تعيين كلمة المرور الذي سيسمح لك باختيار عنوان جديد.", + "Great! You have accepted the invitation to join the :team team.": "رائع! لقد قبلت الدعوة للإنضمام إلى فريق :team.", + "I agree to the :terms_of_service and :privacy_policy": "أوافق على :terms_of_service و :privacy_policy", + "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 you already have an account, you may accept this invitation by clicking the button below:": "إذا كان لديك حساب بالفعل، فيمكنك قبول هذه الدعوة بالضغط على الزر أدناه:", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "إذا لم يكن لديك حساب، يمكنك إنشاء حساب بالضغط على الزر أدناه. بعد إنشاء حساب، يمكنك الضغط على زر قبول الدعوة في هذا البريد الإليكتروني لقبول دعوة الفريق:", + "Last active": "آخر نشاط", + "Last used": "آخر استخدام", + "Leave": "مغادرة", + "Leave Team": "مغادرة الفريق", + "Log in": "تسجيل الدخول", + "Log Out": "تسجيل الخروج", + "Log Out Other Browser Sessions": "تسجيل الخروج من جلساتك على المتصفحات الأخرى", + "Manage Account": "إدارة الحساب", + "Manage and log out your active sessions on other browsers and devices.": "إدارة جلساتك النشطة والخروج منها على المتصفحات والأجهزة الأخرى.", + "Manage API Tokens": "إدارة رموز API", + "Manage Role": "إدارة الصلاحيات", + "Manage Team": "إدارة الفريق", + "Name": "الاسم", + "New Password": "كلمة مرور جديدة", + "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 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.": "بمجرد حذف حسابك، سيتم حذف جميع مصادره وبياناته نهائياً. قبل حذف حسابك، يرجى تنزيل أي بيانات أو معلومات ترغب في الاحتفاظ بها.", + "Password": "كلمة المرور", + "Pending Team Invitations": "دعوات معلقة للإنضمام لفريق", + "Permanently delete this team.": "احذف هذا الفريق بشكل دائم.", + "Permanently delete your account.": "احذف حسابك بشكل دائم.", + "Permissions": "الأذونات", + "Photo": "صورة", + "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 copy your new API token. For your security, it won't be shown again.": "يرجى نسخ رمز API الجديد الخاص بك. من أجل أمانك، لن يتم عرضه مرة أخرى.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "الرجاء إدخال كلمة المرور الخاصة بك لتأكيد رغبتك في تسجيل الخروج من جلسات المتصفح الأخرى عبر جميع أجهزتك.", + "Please provide the email address of the person you would like to add to this team.": "يرجى كتابة عنوان البريد الإليكتروني للشخص الذي ترغب بإضافته إلى هذا الفريق.", + "Privacy Policy": "سياسة الخصوصية", + "Profile": "الملف الشخصي", + "Profile Information": "معلومات الملف الشخصي", + "Recovery Code": "رمز الاسترداد", + "Regenerate Recovery Codes": "إعادة إنشاء رموز الاسترداد", + "Register": "تسجيل", + "Remember me": "تذكرني", + "Remove": "حذف", + "Remove Photo": "حذف الصورة", + "Remove Team Member": "حذف عضو الفريق", + "Resend Verification Email": "إعادة ارسال بريد التحقق", + "Reset Password": "استعادة كلمة المرور", + "Role": "صلاحية", + "Save": "حفظ", + "Saved.": "تم الحفظ.", + "Select A New Photo": "اختيار صورة جديدة", + "Show Recovery Codes": "إظهار رموز الاسترداد", + "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.": "قم بالاحتفاظ برموز الاسترداد هذه في مكان آمن. يمكن استخدامها لاستعادة الوصول إلى حسابك في حالة فقدان جهاز المصادقة الثنائية الخاص بك.", + "Switch Teams": "تبديل الفرق", + "Team Details": "تفاصيل الفريق", + "Team Invitation": "دعوة الفريق", + "Team Members": "أعضاء الفريق", + "Team Name": "اسم الفريق", + "Team Owner": "مالك الفريق", + "Team Settings": "إعدادات الفريق", + "Terms of Service": "شروط الاستخدام", + "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 a valid role.": ":attribute يجب أن تكون صلاحية فاعلة.", + "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 and 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 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 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.": ":attribute يجب أن يتألف على الأقل من :length خانة.", + "The provided password does not match your current password.": "كلمة المرور التي قمت بإدخالها لا تطابق كلمة المرور الحالية.", + "The provided password was incorrect.": "كلمة المرور التي قمت بإدخالها غير صحيحة.", + "The provided two factor authentication code was invalid.": "كود المصادقة الثنائية الذي قمت بإدخاله غير صحيح.", + "The team's name and owner information.": "اسم الفريق ومعلومات المالك.", + "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.": "تمت دعوة هؤلاء الأشخاص إلى فريقك وتم إرسال دعوة عبر البريد الإليكتروني إليهم. يمكنهم الإنضمام إلى الفريق عن طريق قبول دعوة البريد الإليكتروني.", + "This device": "هذا الجهاز", + "This is a secure area of the application. Please confirm your password before continuing.": "هذه منطقة آمنة للتطبيق. يرجى تأكيد كلمة المرور الخاصة بك قبل المتابعة.", + "This password does not match our records.": "كلمة المرور لا تتطابق مع سجلاتنا.", + "This user already belongs to the team.": "هذا المستخدم ينتمي بالفعل إلى الفريق.", + "This user has already been invited to the team.": "تمت دعوة هذا المستخدم بالفعل إلى الفريق.", + "Token Name": "اسم الرمز", + "Two Factor Authentication": "المصادقة الثنائية", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "تم تمكين المصادقة الثنائية الآن. امسح رمز الاستجابة السريعة التالي ضوئيًا باستخدام تطبيق المصادقة على هاتفك.", + "Update Password": "تحديث كلمة المرور", + "Update your account's profile information and email address.": "قم بتحديث معلومات ملفك الشخصي وبريدك الإلكتروني.", + "Use a recovery code": "استخدم رمز الاسترداد", + "Use an authentication code": "استخدم رمز المصادقة", + "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.": "عند تمكين المصادقة الثنائية، ستتم مطالبتك برمز آمن وعشوائي أثناء المصادقة. يمكنك الحصول على هذا الرمز من تطبيق Google Authenticator بهاتفك.", + "Whoops! Something went wrong.": "عذرًا! هناك خطأ ما.", + "You have been invited to join the :team team!": "لقد تمت دعوتك للإنضمام إلى فريق :team!", + "You have enabled two factor authentication.": "لقد قمت بتمكين المصادقة الثنائية.", + "You have not enabled two factor authentication.": "لم تقم بتمكين المصادقة الثنائية.", + "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.": "لا يمكنك مغادرة الفريق الذي أنشأته." +} diff --git a/locales/ar/packages/nova.json b/locales/ar/packages/nova.json new file mode 100644 index 00000000000..206e1ed56c4 --- /dev/null +++ b/locales/ar/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 يوم", + "60 Days": "60 يوم", + "90 Days": "90 يوم", + ":amount Total": ":amount إجمالا", + ":resource Details": "تفاصيل :resource", + ":resource Details: :title": "تفاصيل :resource: :title", + "Action": "الإجراء", + "Action Happened At": "تم الإجراء في", + "Action Initiated By": "تم الإجراء من طرف", + "Action Name": "الاسم", + "Action Status": "الحالة", + "Action Target": "الهدف", + "Actions": "الإجراءات", + "Add row": "إضافة صف", + "Afghanistan": "أفغانستان", + "Aland Islands": "جزر آلاند", + "Albania": "ألبانيا", + "Algeria": "الجزائر", + "All resources loaded.": "تم تحميل كافة المصادر.", + "American Samoa": "ساموا الأمريكية", + "An error occured while uploading the file.": "حدث خطأ أثناء تحميل الملف.", + "Andorra": "أندورا", + "Angola": "أنغولا", + "Anguilla": "أنغويلا", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "قام مستخدم آخر بتحديث هذا المصدر من أن تم تحميل هذه الصفحة. يرجى تحديث الصفحة والمحاولة مرة أخرى.", + "Antarctica": "أنتاركتيكا", + "Antigua And Barbuda": "أنتيغوا وبربودا", + "April": "أبريل", + "Are you sure you want to delete the selected resources?": "هل أنت متأكد من رغبتك بحذف هذه المصادر؟", + "Are you sure you want to delete this file?": "هل أنت متأكد من رغبتك بحذف هذا الملف؟", + "Are you sure you want to delete this resource?": "هل أنت متأكد من رغبتك بحذف هذا المصدر؟", + "Are you sure you want to detach the selected resources?": "هل أنت متأكد من رغبتك بإلغاء إرفاق المصادر المختارة؟", + "Are you sure you want to detach this resource?": "هل أنت متأكد من رغبتك بإلغاء إرفاق هذا المصدر؟", + "Are you sure you want to force delete the selected resources?": "هل أنت متأكد من رغبتك بإلزامية حذف المصادر المحددة؟", + "Are you sure you want to force delete this resource?": "هل أنت متأكد من رغبتك بإلزامية حذف هذا المصدر؟", + "Are you sure you want to restore the selected resources?": "هل أنت متأكد من رغبتك باسترجاع المصادر المحددة؟", + "Are you sure you want to restore this resource?": "هل أنت متأكد من رغبتك باسترجاع هذا المصدر؟", + "Are you sure you want to run this action?": "هل أنت متأكد من رغبتك بتنفيذ هذا الإجراء؟", + "Argentina": "الأرجنتين", + "Armenia": "أرمينيا", + "Aruba": "أروبا", + "Attach": "إرفاق", + "Attach & Attach Another": "إرفاق وإضافة مرفق آخر", + "Attach :resource": "إرفاق :resource", + "August": "أغسطس", + "Australia": "أستراليا", + "Austria": "النمسا", + "Azerbaijan": "أذربيجان", + "Bahamas": "جزر البهاما", + "Bahrain": "البحرين", + "Bangladesh": "بنغلاديش", + "Barbados": "بربادوس", + "Belarus": "بيلاروس", + "Belgium": "بلجيكا", + "Belize": "بليز", + "Benin": "بنين", + "Bermuda": "برمودا", + "Bhutan": "بوتان", + "Bolivia": "بوليفيا", + "Bonaire, Sint Eustatius and Saba": "بونير، سانت يوستاتيوس وسابا", + "Bosnia And Herzegovina": "البوسنة والهرسك", + "Botswana": "بوتسوانا", + "Bouvet Island": "جزيرة بوفيه", + "Brazil": "البرازيل", + "British Indian Ocean Territory": "الإقليم البريطاني في المحيط الهندي", + "Brunei Darussalam": "بروناي", + "Bulgaria": "بلغاريا", + "Burkina Faso": "بوركينا فاسو", + "Burundi": "بروندي", + "Cambodia": "كمبوديا", + "Cameroon": "الكاميرون", + "Canada": "كندا", + "Cancel": "إلغاء", + "Cape Verde": "الرأس الأخضر", + "Cayman Islands": "جزر كايمان", + "Central African Republic": "جمهورية أفريقيا الوسطى", + "Chad": "تشاد", + "Changes": "تغييرات", + "Chile": "تشيلي", + "China": "الصين", + "Choose": "اختر", + "Choose :field": "اختر :field", + "Choose :resource": "اختر :resource", + "Choose an option": "اختر من القائمة", + "Choose date": "اختر تاريخ", + "Choose File": "اختر ملف", + "Choose Type": "اختر نوع", + "Christmas Island": "جزيرة كريسماس", + "Click to choose": "اضغط للاختيار", + "Cocos (Keeling) Islands": "جزر كوكوس (كيلينغ)", + "Colombia": "كولومبيا", + "Comoros": "جزر القمر", + "Confirm Password": "تأكيد كلمة المرور", + "Congo": "الكونغو", + "Congo, Democratic Republic": "جمهورية الكونغو الديمقراطية", + "Constant": "ثابت", + "Cook Islands": "جزر كوك", + "Costa Rica": "كوستا ريكا", + "Cote D'Ivoire": "ساحل العاج", + "could not be found.": "لا يمكن العثور عليه.", + "Create": "إنشاء", + "Create & Add Another": "إنشاء وإضافة آخر", + "Create :resource": "إنشاء :resource", + "Croatia": "كرواتيا", + "Cuba": "كوبا", + "Curaçao": "كوراساو", + "Customize": "تخصيص", + "Cyprus": "قبرص", + "Czech Republic": "التشيك", + "Dashboard": "لوحة التحكم", + "December": "ديسمبر", + "Decrease": "نقصان", + "Delete": "حذف", + "Delete File": "حذف الملف", + "Delete Resource": "حذف المصدر", + "Delete Selected": "حذف المحدد", + "Denmark": "الدانمارك", + "Detach": "إلغاء الإرفاق", + "Detach Resource": "إلغاء إرفاق المصدر", + "Detach Selected": "إلغاء إرفاق المحدد", + "Details": "التفاصيل", + "Djibouti": "جيبوتي", + "Do you really want to leave? You have unsaved changes.": "هل تريد المغادرة حقا؟ لم تقم بحفظ التغييرات.", + "Dominica": "دومينيكا", + "Dominican Republic": "جمهورية الدومينيكان", + "Download": "تحميل", + "Ecuador": "الإكوادور", + "Edit": "تعديل", + "Edit :resource": "تعديل :resource", + "Edit Attached": "تعديل المرفق", + "Egypt": "مصر", + "El Salvador": "السلفادور", + "Email Address": "البريد الإلكتروني", + "Equatorial Guinea": "غينيا الاستوائية", + "Eritrea": "إريتريا", + "Estonia": "إستونيا", + "Ethiopia": "إثيوبيا", + "Falkland Islands (Malvinas)": "جزر فوكلاند", + "Faroe Islands": "جزر فارو", + "February": "فبراير", + "Fiji": "فيجي", + "Finland": "فنلندا", + "Force Delete": "حذف إلزامي", + "Force Delete Resource": "حذف إلزامي للمصدر", + "Force Delete Selected": "حذف إلزامي للمحدد", + "Forgot Your Password?": "نسيت كلمة المرور؟", + "Forgot your password?": "نسيت كلمة المرور؟", + "France": "فرنسا", + "French Guiana": "غويانا الفرنسية", + "French Polynesia": "بولينيزيا الفرنسية", + "French Southern Territories": "الأقاليم الجنوبية الفرنسية", + "Gabon": "الغابون", + "Gambia": "غامبيا", + "Georgia": "جورجيا", + "Germany": "ألمانيا", + "Ghana": "غانا", + "Gibraltar": "جبل طارق", + "Go Home": "الرئيسية", + "Greece": "اليونان", + "Greenland": "غرينلاند", + "Grenada": "غرينادا", + "Guadeloupe": "غوادلوب", + "Guam": "غوام", + "Guatemala": "غواتيمالا", + "Guernsey": "غيرنزي", + "Guinea": "غينيا", + "Guinea-Bissau": "غينيا بيساو", + "Guyana": "غيانا", + "Haiti": "هايتي", + "Heard Island & Mcdonald Islands": "جزيرة هيرد وجزر ماكدونالد", + "Hide Content": "إخفاء المحتوى", + "Hold Up!": "انتظر!", + "Holy See (Vatican City State)": "مدينة الفاتيكان", + "Honduras": "هندوراس", + "Hong Kong": "هونغ كونغ", + "Hungary": "هنغاريا", + "Iceland": "آيسلندا", + "ID": "المعرّف", + "If you did not request a password reset, no further action is required.": "إذا لم تقم بطلب استعادة كلمة المرور، لا تحتاج القيام بأي إجراء.", + "Increase": "زيادة", + "India": "الهند", + "Indonesia": "إندونيسيا", + "Iran, Islamic Republic Of": "إيران", + "Iraq": "العراق", + "Ireland": "إيرلندا", + "Isle Of Man": "جزيرة مان", + "Israel": "إسرائيل", + "Italy": "إيطاليا", + "Jamaica": "جامايكا", + "January": "يناير", + "Japan": "اليابان", + "Jersey": "جيرسي", + "Jordan": "الأردن", + "July": "يوليو", + "June": "يونيو", + "Kazakhstan": "كازاخستان", + "Kenya": "كينيا", + "Key": "المفتاح", + "Kiribati": "كيريباتي", + "Korea": "كوريا الجنوبية", + "Korea, Democratic People's Republic of": "كوريا الشمالية", + "Kosovo": "كوسوفو", + "Kuwait": "الكويت", + "Kyrgyzstan": "قيرغيزستان", + "Lao People's Democratic Republic": "ﻻوس", + "Latvia": "ﻻتفيا", + "Lebanon": "لبنان", + "Lens": "عدسات", + "Lesotho": "ليسوتو", + "Liberia": "ليبيريا", + "Libyan Arab Jamahiriya": "ليبيا", + "Liechtenstein": "ليختنشتاين", + "Lithuania": "ليتوانيا", + "Load :perPage More": "عرض :perPage إضافية", + "Login": "تسجيل الدخول", + "Logout": "تسجيل الخروج", + "Luxembourg": "لوكسمبورغ", + "Macao": "ماكاو", + "Macedonia": "مقدونيا الشمالية", + "Madagascar": "مدغشقر", + "Malawi": "ملاوي", + "Malaysia": "ماليزيا", + "Maldives": "جزر المالديف", + "Mali": "مالي", + "Malta": "مالطا", + "March": "مارس", + "Marshall Islands": "جزر مارشال", + "Martinique": "جزر المارتينيك", + "Mauritania": "موريتانيا", + "Mauritius": "موريشيوس", + "May": "مايو", + "Mayotte": "مايوت", + "Mexico": "المكسيك", + "Micronesia, Federated States Of": "ميكرونيزيا", + "Moldova": "مولدوفا", + "Monaco": "موناكو", + "Mongolia": "منغوليا", + "Montenegro": "الجبل الأسود", + "Month To Date": "شهر حتى تاريخه", + "Montserrat": "مونتسرات", + "Morocco": "المغرب", + "Mozambique": "موزمبيق", + "Myanmar": "ميانمار", + "Namibia": "ناميبيا", + "Nauru": "ناورو", + "Nepal": "نيبال", + "Netherlands": "هولندا", + "New": "جديد", + "New :resource": ":resource جديد", + "New Caledonia": "كاليدونيا الجديدة", + "New Zealand": "نيوزلندا", + "Next": "التالي", + "Nicaragua": "نيكاراغوا", + "Niger": "النجير", + "Nigeria": "نيجيريا", + "Niue": "نيوي", + "No": "ﻻ", + "No :resource matched the given criteria.": ":resource لا يطابق المعايير المحددة.", + "No additional information...": "لا توجد معلومات إضافية...", + "No Current Data": "لا توجد بيانات حاليا", + "No Data": "ﻻ توجد بيانات", + "no file selected": "لم يتم اختيار ملف", + "No Increase": "لا توجد زيادة", + "No Prior Data": "لا توجد بيانات سابقة", + "No Results Found.": "لم يتم العثور على نتائج.", + "Norfolk Island": "جزيرة نورفولك", + "Northern Mariana Islands": "جزر ماريانا الشمالية", + "Norway": "النرويج", + "Nova User": "مستخدم نوفا", + "November": "نوفمبر", + "October": "أكتوبر", + "of": "من", + "Oman": "عمان", + "Only Trashed": "المحذوفات فقط", + "Original": "أصلي", + "Pakistan": "باكستان", + "Palau": "بالاو", + "Palestinian Territory, Occupied": "الأراضي الفلسطينية", + "Panama": "بنما", + "Papua New Guinea": "بابوا غينيا الجديدة", + "Paraguay": "باراغواي", + "Password": "كلمة المرور", + "Per Page": "في الصفحة", + "Peru": "بيرو", + "Philippines": "الفلبين", + "Pitcairn": "جزر بيتكيرن", + "Poland": "بولندا", + "Portugal": "البرتغال", + "Press \/ to search": "اضغط \/ للبحث", + "Preview": "معاينة", + "Previous": "السابق", + "Puerto Rico": "بورتوريكو", + "Qatar": "قطر", + "Quarter To Date": "ربع سنة حتى تاريخه", + "Reload": "إعادة تحميل", + "Remember Me": "تذكرني", + "Reset Filters": "إعادة تعيين الفلترة", + "Reset Password": "استعادة كلمة المرور", + "Reset Password Notification": "تنبيه استعادة كلمة المرور", + "resource": "المصدر", + "Resources": "المصادر", + "resources": "المصادر", + "Restore": "استعادة", + "Restore Resource": "استعادة المصدر", + "Restore Selected": "استعادة المحدد", + "Reunion": "روينيون", + "Romania": "رومانيا", + "Run Action": "تنفيذ الإجراء", + "Russian Federation": "روسيا", + "Rwanda": "رواندا", + "Saint Barthelemy": "سانت بارتيليمي", + "Saint Helena": "سانت هيليناؤ", + "Saint Kitts And Nevis": "سانت كيتس ونيفيس", + "Saint Lucia": "سانت لوسيا", + "Saint Martin": "سانت مارتن", + "Saint Pierre And Miquelon": "سانت بيار وميكلون", + "Saint Vincent And Grenadines": "سانت فنسنت والجرينادينز", + "Samoa": "ساموا", + "San Marino": "سان مارينو", + "Sao Tome And Principe": "ساو تومي وبرينسيبي", + "Saudi Arabia": "المملكة العربية السعودية", + "Search": "بحث", + "Select Action": "اختيار إجراء", + "Select All": "تحديد الكل", + "Select All Matching": "تحديد كل المتطابقات", + "Send Password Reset Link": "أرسل رابط استعادة كلمة المرور", + "Senegal": "السنغال", + "September": "سبتمبر", + "Serbia": "صربيا", + "Seychelles": "سيشل", + "Show All Fields": "عرض جميع الحقول", + "Show Content": "عرض المحتوى", + "Sierra Leone": "سيراليون", + "Singapore": "سنغافورة", + "Sint Maarten (Dutch part)": "سينت مارتن", + "Slovakia": "سلوفاكيا", + "Slovenia": "سلوفينيا", + "Solomon Islands": "جزر سليمان", + "Somalia": "الصومال", + "Something went wrong.": "هناك خطأ ما.", + "Sorry! You are not authorized to perform this action.": "عذراً! ليست لديك الصلاحية لتنفيذ هذا الإجراء.", + "Sorry, your session has expired.": "عذراً، مدة جلستك قد انتهت.", + "South Africa": "جنوب أفريقيا", + "South Georgia And Sandwich Isl.": "جورجيا الجنوبية وجزر ساندويتش الجنوبية", + "South Sudan": "جنوب السودان", + "Spain": "إسبانيا", + "Sri Lanka": "سريلانكا", + "Start Polling": "بدء التصويت", + "Stop Polling": "إيقاف التصويت", + "Sudan": "السودان", + "Suriname": "سورينام", + "Svalbard And Jan Mayen": "سفالبارد وجان ماين", + "Swaziland": "إسواتيني", + "Sweden": "السويد", + "Switzerland": "سويسرا", + "Syrian Arab Republic": "سوريا", + "Taiwan": "تايوان", + "Tajikistan": "طاجيكستان", + "Tanzania": "تنزانيا", + "Thailand": "تايلاند", + "The :resource was created!": "تم إنشاء :resource!", + "The :resource was deleted!": "تم حذف :resource!", + "The :resource was restored!": "تم استعادة :resource!", + "The :resource was updated!": "تم تحديث :resource!", + "The action ran successfully!": "تم تنفيذ الإجراء بنجاح!", + "The file was deleted!": "تم حذف الملف!", + "The government won't let us show you what's behind these doors": "الحكومة لن تسمح لنا بأن نعرض لك ما وراء هذه الأبواب", + "The HasOne relationship has already been filled.": "تم بالفعل ملء العلاقة HasOne.", + "The resource was updated!": "تم تحديث المصدر!", + "There are no available options for this resource.": "لا توجد خيارات متاحة لهذا المصدر.", + "There was a problem executing the action.": "توجد مشكلة في تنفيذ الإجراء.", + "There was a problem submitting the form.": "توجد مشكلة في اعتماد النموذج.", + "This file field is read-only.": "حقل الملف هذا للقراءة فقط.", + "This image": "هذه الصورة", + "This resource no longer exists": "لم يعد هذا المصدر متوفرا", + "Timor-Leste": "تيمور - ليشتي", + "Today": "اليوم", + "Togo": "توغو", + "Tokelau": "توكيلو", + "Tonga": "تونغا", + "total": "الإجمالي", + "Trashed": "محذوف", + "Trinidad And Tobago": "ترينيداد وتوباغو", + "Tunisia": "تونس", + "Turkey": "تركيا", + "Turkmenistan": "تركمانستان", + "Turks And Caicos Islands": "جزر توركس وكايكوس", + "Tuvalu": "توفالو", + "Uganda": "أوغندا", + "Ukraine": "أوكرانيا", + "United Arab Emirates": "الإمارات العربية المتحدة", + "United Kingdom": "المملكة المتحدة", + "United States": "الولايات المتحدة", + "United States Outlying Islands": "جزر الولايات المتحدة النائية", + "Update": "تحديث", + "Update & Continue Editing": "تحديث ومتابعة التعديل", + "Update :resource": "تحديث :resource", + "Update :resource: :title": "تحديث :resource: :title", + "Update attached :resource: :title": "تحديث المرفق :resource: :title", + "Uruguay": "أورغواي", + "Uzbekistan": "أوزبكستان", + "Value": "القيمة", + "Vanuatu": "فانواتو", + "Venezuela": "فنزويلا", + "Viet Nam": "فيتنام", + "View": "عرض", + "Virgin Islands, British": "جزر فيرجن البريطانية", + "Virgin Islands, U.S.": "جزر فيرجن التابعة للولايات المتحدة", + "Wallis And Futuna": "جزر والس وفوتونا", + "We're lost in space. The page you were trying to view does not exist.": "لقد ضعنا في الفضاء. الصفحة التي كنت تحاول عرضها غير موجودة.", + "Welcome Back!": "مرحبا بعودتك!", + "Western Sahara": "الصحراء الغربية", + "Whoops": "عذراً", + "Whoops!": "عذراً!", + "With Trashed": "مع المحذوفات", + "Write": "كتابة", + "Year To Date": "سنة حتى تاريخه", + "Yemen": "اليمن", + "Yes": "نعم", + "You are receiving this email because we received a password reset request for your account.": "لقد استلمت هذا الإيميل لأننا استقبلنا طلباً لاستعادة كلمة مرور حسابك.", + "Zambia": "زامبيا", + "Zimbabwe": "زيمبابوي" +} diff --git a/locales/ar/packages/spark-paddle.json b/locales/ar/packages/spark-paddle.json new file mode 100644 index 00000000000..ff572534c50 --- /dev/null +++ b/locales/ar/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "حدث خطأ غير متوقع وتم إبلاغ الدعم الفني. الرجاء المحاولة مرة أخرى في وقت لاحق.", + "Billing Management": "إدارة الفواتير", + "Cancel Subscription": "إلغاء الاشتراك", + "Change Subscription Plan": "تغيير خطة الاشتراك", + "Current Subscription Plan": "خطة الاشتراك الحالية", + "Currently Subscribed": "مشترك حاليا", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "هل لديك أفكار أخرى حول إلغاء اشتراكك؟ يمكنك إعادة تنشيط اشتراكك فورا في أي وقت حتى نهاية دورة الفوترة الحالية. بعد انتهاء دورة الفوترة الحالية، يمكنك اختيار خطة اشتراك جديدة تماما.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "يبدو أنه ليس لديك اشتراك نشط. يمكنك اختيار إحدى خطط الاشتراك أدناه للبدء. يمكنك تغيير خطط الاشتراك أو إلغاؤها في أي وقت.", + "Managing billing for :billableName": "إدارة الفواتير لـ :billableName", + "Monthly": "شهري", + "Nevermind, I'll keep my old plan": "لا يهم، سأحتفظ بخطتي القديمة", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "تتيح لك بوابة إدارة الفواتير الخاصة بنا إمكانية إدارة خطة اشتراكك وطريقة الدفع وتنزيل أحدث فواتيرك بسهولة.", + "Payment Method": "Payment Method", + "Receipts": "الإيصالات", + "Resume Subscription": "استئناف الاشتراك", + "Return to :appName": "العودة إلى :appName", + "Signed in as": "تم الدخول كـ", + "Subscribe": "اشتراك", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "شروط الاستخدام", + "The selected plan is invalid.": "الخطة المختارة غير صالحة.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "هذا الحساب لا يملك اشتراك نشط.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "عذرًا! هناك خطأ ما.", + "Yearly": "سنوي", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "يمكنك إلغاء اشتراكك في أي وقت. إذا قمت بإلغاء اشتراكك، سيكون لديك خيار استئناف الاشتراك حتى نهاية دورة الفوترة الحالية.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "طريقك الدفع الخاصة بك حاليا هي بطاقة ائتمانية آخرهاـ :lastFour وتنتهي فترة صلاحيتها في :expiration." +} diff --git a/locales/ar/packages/spark-stripe.json b/locales/ar/packages/spark-stripe.json new file mode 100644 index 00000000000..43e9c54d128 --- /dev/null +++ b/locales/ar/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days يوم تجريبي", + "Add VAT Number": "أضف رقم ضريبة القيمة المضافة", + "Address": "العنوان", + "Address Line 2": "العنوان 2", + "Afghanistan": "أفغانستان", + "Albania": "ألبانيا", + "Algeria": "الجزائر", + "American Samoa": "ساموا الأمريكية", + "An unexpected error occurred and we have notified our support team. Please try again later.": "حدث خطأ غير متوقع وتم إبلاغ الدعم الفني. الرجاء المحاولة مرة أخرى في وقت لاحق.", + "Andorra": "أندورا", + "Angola": "أنغولا", + "Anguilla": "أنغويلا", + "Antarctica": "أنتاركتيكا", + "Antigua and Barbuda": "أنتيغوا وبربودا", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "الأرجنتين", + "Armenia": "أرمينيا", + "Aruba": "أروبا", + "Australia": "أستراليا", + "Austria": "النمسا", + "Azerbaijan": "أذربيجان", + "Bahamas": "جزر البهاما", + "Bahrain": "البحرين", + "Bangladesh": "بنغلاديش", + "Barbados": "بربادوس", + "Belarus": "بيلاروس", + "Belgium": "بلجيكا", + "Belize": "بليز", + "Benin": "بنين", + "Bermuda": "برمودا", + "Bhutan": "بوتان", + "Billing Information": "معلومات الفوترة", + "Billing Management": "إدارة الفواتير", + "Bolivia, Plurinational State of": "بوليفيا", + "Bosnia and Herzegovina": "البوسنة والهرسك", + "Botswana": "بوتسوانا", + "Bouvet Island": "جزيرة بوفيه", + "Brazil": "البرازيل", + "British Indian Ocean Territory": "الإقليم البريطاني في المحيط الهندي", + "Brunei Darussalam": "بروناي", + "Bulgaria": "بلغاريا", + "Burkina Faso": "بوركينا فاسو", + "Burundi": "بروندي", + "Cambodia": "كمبوديا", + "Cameroon": "الكاميرون", + "Canada": "كندا", + "Cancel Subscription": "إلغاء الاشتراك", + "Cape Verde": "الرأس الأخضر", + "Card": "البطاقة الإئتمانية", + "Cayman Islands": "جزر كايمان", + "Central African Republic": "جمهورية أفريقيا الوسطى", + "Chad": "تشاد", + "Change Subscription Plan": "تغيير خطة الاشتراك", + "Chile": "تشيلي", + "China": "الصين", + "Christmas Island": "جزيرة كريسماس", + "City": "المدينة", + "Cocos (Keeling) Islands": "جزر كوكوس (كيلينغ)", + "Colombia": "كولومبيا", + "Comoros": "جزر القمر", + "Confirm Payment": "تأكيد عملية الدفع", + "Confirm your :amount payment": "قم بتأكيد :amount دفعة\/دفعيات", + "Congo": "الكونغو", + "Congo, the Democratic Republic of the": "جمهورية الكونغو الديمقراطية", + "Cook Islands": "جزر كوك", + "Costa Rica": "كوستا ريكا", + "Country": "الدولة", + "Coupon": "الكوبون", + "Croatia": "كرواتيا", + "Cuba": "كوبا", + "Current Subscription Plan": "خطة الاشتراك الحالية", + "Currently Subscribed": "مشترك حاليا", + "Cyprus": "قبرص", + "Czech Republic": "التشيك", + "Côte d'Ivoire": "ساحل العاج", + "Denmark": "الدانمارك", + "Djibouti": "جيبوتي", + "Dominica": "دومينيكا", + "Dominican Republic": "جمهورية الدومينيكان", + "Download Receipt": "تنزيل الإيصال", + "Ecuador": "الإكوادور", + "Egypt": "مصر", + "El Salvador": "السلفادور", + "Email Addresses": "عناوين البريد الإلكتروني", + "Equatorial Guinea": "غينيا الاستوائية", + "Eritrea": "إريتريا", + "Estonia": "إستونيا", + "Ethiopia": "إثيوبيا", + "ex VAT": "ضريبة القيمة المضافة السابقة", + "Extra Billing Information": "معلومات الفوترة الإضافية", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "هناك حاجة إلى تأكيد إضافي لمعالجة عملية الدفع الخاصة بك. الرجاء المتابعة إلى صفحة الدفع بالضغط على الزر أدناه.", + "Falkland Islands (Malvinas)": "جزر فوكلاند", + "Faroe Islands": "جزر فارو", + "Fiji": "فيجي", + "Finland": "فنلندا", + "France": "فرنسا", + "French Guiana": "غويانا الفرنسية", + "French Polynesia": "بولينيزيا الفرنسية", + "French Southern Territories": "الأقاليم الجنوبية الفرنسية", + "Gabon": "الغابون", + "Gambia": "غامبيا", + "Georgia": "جورجيا", + "Germany": "ألمانيا", + "Ghana": "غانا", + "Gibraltar": "جبل طارق", + "Greece": "اليونان", + "Greenland": "غرينلاند", + "Grenada": "غرينادا", + "Guadeloupe": "غوادلوب", + "Guam": "غوام", + "Guatemala": "غواتيمالا", + "Guernsey": "غيرنزي", + "Guinea": "غينيا", + "Guinea-Bissau": "غينيا بيساو", + "Guyana": "غيانا", + "Haiti": "هايتي", + "Have a coupon code?": "لديك رمز الكوبون؟", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "هل لديك أفكار أخرى حول إلغاء اشتراكك؟ يمكنك إعادة تنشيط اشتراكك فورا في أي وقت حتى نهاية دورة الفوترة الحالية. بعد انتهاء دورة الفوترة الحالية، يمكنك اختيار خطة اشتراك جديدة تماما.", + "Heard Island and McDonald Islands": "جزيرة هيرد وجزر ماكدونالد", + "Holy See (Vatican City State)": "مدينة الفاتيكان", + "Honduras": "هندوراس", + "Hong Kong": "هونغ كونغ", + "Hungary": "هنغاريا", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "آيسلندا", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "إذا كنت بحاجة إلى إضافة معلومات اتصال أو معلومات ضريبية محددة إلى إيصالاتك، مثل اسم العمل بالكامل، رقم تعريف ضريبة القيمة المضافة، أو عنوان السجل، فيمكنك إضافته هنا.", + "India": "الهند", + "Indonesia": "إندونيسيا", + "Iran, Islamic Republic of": "إيران", + "Iraq": "العراق", + "Ireland": "إيرلندا", + "Isle of Man": "جزيرة مان", + "Israel": "إسرائيل", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "يبدو أنه ليس لديك اشتراك نشط. يمكنك اختيار إحدى خطط الاشتراك أدناه للبدء. يمكنك تغيير خطط الاشتراك أو إلغاؤها في أي وقت.", + "Italy": "إيطاليا", + "Jamaica": "جامايكا", + "Japan": "اليابان", + "Jersey": "جيرسي", + "Jordan": "الأردن", + "Kazakhstan": "كازاخستان", + "Kenya": "كينيا", + "Kiribati": "كيريباتي", + "Korea, Democratic People's Republic of": "كوريا الشمالية", + "Korea, Republic of": "كوريا الجنوبية", + "Kuwait": "الكويت", + "Kyrgyzstan": "قيرغيزستان", + "Lao People's Democratic Republic": "ﻻوس", + "Latvia": "ﻻتفيا", + "Lebanon": "لبنان", + "Lesotho": "ليسوتو", + "Liberia": "ليبيريا", + "Libyan Arab Jamahiriya": "ليبيا", + "Liechtenstein": "ليختنشتاين", + "Lithuania": "ليتوانيا", + "Luxembourg": "لوكسمبورغ", + "Macao": "ماكاو", + "Macedonia, the former Yugoslav Republic of": "مقدونيا الشمالية", + "Madagascar": "مدغشقر", + "Malawi": "ملاوي", + "Malaysia": "ماليزيا", + "Maldives": "جزر المالديف", + "Mali": "مالي", + "Malta": "مالطا", + "Managing billing for :billableName": "إدارة الفواتير لـ :billableName", + "Marshall Islands": "جزر مارشال", + "Martinique": "جزر المارتينيك", + "Mauritania": "موريتانيا", + "Mauritius": "موريشيوس", + "Mayotte": "مايوت", + "Mexico": "المكسيك", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "مولدوفا", + "Monaco": "موناكو", + "Mongolia": "منغوليا", + "Montenegro": "الجبل الأسود", + "Monthly": "شهري", + "monthly": "شهري", + "Montserrat": "مونتسرات", + "Morocco": "المغرب", + "Mozambique": "موزمبيق", + "Myanmar": "ميانمار", + "Namibia": "ناميبيا", + "Nauru": "ناورو", + "Nepal": "نيبال", + "Netherlands": "هولندا", + "Netherlands Antilles": "جزر الأنتيل الهولندية", + "Nevermind, I'll keep my old plan": "لا يهم، سأحتفظ بخطتي القديمة", + "New Caledonia": "كاليدونيا الجديدة", + "New Zealand": "نيوزلندا", + "Nicaragua": "نيكاراغوا", + "Niger": "النجير", + "Nigeria": "نيجيريا", + "Niue": "نيوي", + "Norfolk Island": "جزيرة نورفولك", + "Northern Mariana Islands": "جزر ماريانا الشمالية", + "Norway": "النرويج", + "Oman": "عمان", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "تتيح لك بوابة إدارة الفواتير الخاصة بنا إمكانية إدارة خطة اشتراكك وطريقة الدفع وتنزيل أحدث فواتيرك بسهولة.", + "Pakistan": "باكستان", + "Palau": "بالاو", + "Palestinian Territory, Occupied": "الأراضي الفلسطينية", + "Panama": "بنما", + "Papua New Guinea": "بابوا غينيا الجديدة", + "Paraguay": "باراغواي", + "Payment Information": "معلومات الدفع", + "Peru": "بيرو", + "Philippines": "الفلبين", + "Pitcairn": "جزر بيتكيرن", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "يرجى كتابة ثلاثة عناوين بريد إلكتروني كحد أقصى للاستلام.", + "Poland": "بولندا", + "Portugal": "البرتغال", + "Puerto Rico": "بورتوريكو", + "Qatar": "قطر", + "Receipt Email Addresses": "عناوين البريد الإلكتروني للاستلام", + "Receipts": "الإيصالات", + "Resume Subscription": "استئناف الاشتراك", + "Return to :appName": "العودة إلى :appName", + "Romania": "رومانيا", + "Russian Federation": "روسيا", + "Rwanda": "رواندا", + "Réunion": "روينيون", + "Saint Barthélemy": "سانت بارتيليمي", + "Saint Helena": "سانت هيليناؤ", + "Saint Kitts and Nevis": "سانت كيتس ونيفيس", + "Saint Lucia": "سانت لوسيا", + "Saint Martin (French part)": "سانت مارتن", + "Saint Pierre and Miquelon": "سانت بيار وميكلون", + "Saint Vincent and the Grenadines": "سانت فنسنت والجرينادينز", + "Samoa": "ساموا", + "San Marino": "سان مارينو", + "Sao Tome and Principe": "ساو تومي وبرينسيبي", + "Saudi Arabia": "المملكة العربية السعودية", + "Save": "حفظ", + "Select": "اختر", + "Select a different plan": "اختر خطة مختلفة", + "Senegal": "السنغال", + "Serbia": "صربيا", + "Seychelles": "سيشل", + "Sierra Leone": "سيراليون", + "Signed in as": "تم الدخول كـ", + "Singapore": "سنغافورة", + "Slovakia": "سلوفاكيا", + "Slovenia": "سلوفينيا", + "Solomon Islands": "جزر سليمان", + "Somalia": "الصومال", + "South Africa": "جنوب أفريقيا", + "South Georgia and the South Sandwich Islands": "جورجيا الجنوبية وجزر ساندويتش الجنوبية", + "Spain": "إسبانيا", + "Sri Lanka": "سريلانكا", + "State \/ County": "الولاية \/ الدولة", + "Subscribe": "اشتراك", + "Subscription Information": "معلومات الاشتراك", + "Sudan": "السودان", + "Suriname": "سورينام", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "إسواتيني", + "Sweden": "السويد", + "Switzerland": "سويسرا", + "Syrian Arab Republic": "سوريا", + "Taiwan, Province of China": "تايوان", + "Tajikistan": "طاجيكستان", + "Tanzania, United Republic of": "تنزانيا", + "Terms of Service": "شروط الاستخدام", + "Thailand": "تايلاند", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "شكرا لدعمكم المتواصل. لقد أرفقنا نسخة من فاتورتك. يجرى إعلامنا إذا كان لديك أي أسئلة أو مخاوف.", + "Thanks,": "شكرا،", + "The provided coupon code is invalid.": "رمز الكوبون المستخدم غير صالح.", + "The provided VAT number is invalid.": "رقم ضريبة القيمة المضافة الذي قمت بإدخاله غير صالح.", + "The receipt emails must be valid email addresses.": "يجب أن تكون صيغة عناوين البريد الإلكتروني صالحة .", + "The selected country is invalid.": "الدولة المختارة غير صالحة.", + "The selected plan is invalid.": "الخطة المختارة غير صالحة.", + "This account does not have an active subscription.": "هذا الحساب لا يملك اشتراك نشط.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "انتهت صلاحية الاشتراك ولا يمكن استئنافه. يرجى إنشاء اشتراك جديد.", + "Timor-Leste": "تيمور - ليشتي", + "Togo": "توغو", + "Tokelau": "توكيلو", + "Tonga": "تونغا", + "Total:": "الإجمالي:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "تونس", + "Turkey": "تركيا", + "Turkmenistan": "تركمانستان", + "Turks and Caicos Islands": "جزر توركس وكايكو", + "Tuvalu": "توفالو", + "Uganda": "أوغندا", + "Ukraine": "أوكرانيا", + "United Arab Emirates": "الإمارات العربية المتحدة", + "United Kingdom": "المملكة المتحدة", + "United States": "الولايات المتحدة", + "United States Minor Outlying Islands": "جزر الولايات المتحدة النائية", + "Update": "تحديث", + "Update Payment Information": "تحديث معلومات الدفع", + "Uruguay": "أورغواي", + "Uzbekistan": "أوزبكستان", + "Vanuatu": "فانواتو", + "VAT Number": "رقم ضريبة القيمة المضافة", + "Venezuela, Bolivarian Republic of": "فنزويلا", + "Viet Nam": "فيتنام", + "Virgin Islands, British": "جزر فيرجن البريطانية", + "Virgin Islands, U.S.": "جزر فيرجن التابعة للولايات المتحدة", + "Wallis and Futuna": "جزر والس وفوتونا", + "We are unable to process your payment. Please contact customer support.": "لم نتمكن من معالجة عملية الدفع الخاصة بك. يرجى الاتصال بدعم العملاء.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "سنقوم بإرسال رابط تنزيل الإيصال لعناوين البريد الإلكتروني التي تحددها أدناه. يمكنك الفصل بين عناوين البريد الإلكتروني باستخدام الفواصل.", + "Western Sahara": "الصحراء الغربية", + "Whoops! Something went wrong.": "عذرًا! هناك خطأ ما.", + "Yearly": "سنوي", + "Yemen": "اليمن", + "You are currently within your free trial period. Your trial will expire on :date.": "أنت الآن ضمن الفترة التجريبية المجانية. ستنتهي الفترة التجريبية الخاصة بك في :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "يمكنك إلغاء اشتراكك في أي وقت. إذا قمت بإلغاء اشتراكك، سيكون لديك خيار استئناف الاشتراك حتى نهاية دورة الفوترة الحالية.", + "Your :invoiceName invoice is now available!": "فاتورتك :invoiceName متاحة حاليا!", + "Your card was declined. Please contact your card issuer for more information.": "تم رفض بطاقتك. يرجى التواصل مع جهة إصدار بطاقتك لمزيد من المعلومات.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "طريقك الدفع الخاصة بك حاليا هي بطاقة ائتمانية آخرهاـ :lastFour وتنتهي فترة صلاحيتها في :expiration.", + "Your registered VAT Number is :vatNumber.": "رقم ضريبة القيمة المضافة الخاص بك هو :vatNumber.", + "Zambia": "زامبيا", + "Zimbabwe": "زيمبابوي", + "Zip \/ Postal Code": "الرمز البريدي", + "Åland Islands": "Åland Islands" +} diff --git a/locales/az/az.json b/locales/az/az.json index 4fb983da6a0..4f6a073edd5 100644 --- a/locales/az/az.json +++ b/locales/az/az.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Gün", - "60 Days": "60 Gün", - "90 Days": "90 Gün", - ":amount Total": "Cəmi :amount", - ":days day trial": ":days day trial", - ":resource Details": ":resource Ətraflı", - ":resource Details: :title": ":resource ətraflı: :title", "A fresh verification link has been sent to your email address.": "E-poçt ünvanınıza təzə yoxlama linki göndərildi.", - "A new verification link has been sent to the email address you provided during registration.": "Yeni yoxlama linki qeydiyyatdan keçərkən göstərdiyiniz e-poçt ünvanına göndərildi.", - "Accept Invitation": "Dəvəti Qəbul", - "Action": "Hərəkət", - "Action Happened At": "Baş Verib", - "Action Initiated By": "Başlanılmışdır", - "Action Name": "Ad", - "Action Status": "Status", - "Action Target": "Məqsəd", - "Actions": "Fəaliyyət", - "Add": "Əlavə et", - "Add a new team member to your team, allowing them to collaborate with you.": "Komandanıza yeni komanda üzvünü əlavə edin, belə ki, sizinlə əməkdaşlıq edə bilər.", - "Add additional security to your account using two factor authentication.": "İki faktorlu identifikasiyası istifadə edərək hesabınıza əlavə təhlükəsizlik əlavə edin.", - "Add row": "Simli əlavə et", - "Add Team Member": "Əlavə Komanda Üzvü", - "Add VAT Number": "Add VAT Number", - "Added.": "Əlavə edildi.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Admin", - "Administrator users can perform any action.": "Admin istifadəçilər hər hansı bir hərəkət edə bilər.", - "Afghanistan": "Əfqanıstan", - "Aland Islands": "Aland adaları", - "Albania": "Albaniya", - "Algeria": "Əlcəzair", - "All of the people that are part of this team.": "Bu komandanın bir hissəsi olan bütün insanlar.", - "All resources loaded.": "Bütün resursları daşıyanlar olunur.", - "All rights reserved.": "Bütün hüquqlar qorunur.", - "Already registered?": "Artıq yoxlanılır?", - "American Samoa": "Amerika Samoası", - "An error occured while uploading the file.": "Faylın yüklənməsi zamanı səhv baş verdi.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Asian anasini", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Digər bir istifadəçi bu səhifəni yüklədikdən sonra bu resursu yeniləyib. Səhifəni yeniləyin və yenidən cəhd edin.", - "Antarctica": "Antarktida", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antiqua və Barbuda", - "API Token": "Token API", - "API Token Permissions": "Marker API üçün permissions", - "API Tokens": "API Tokens", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API tokensləri üçüncü tərəf xidmətlərinə sizin adınızdan tətbiqimizdə autentifikasiya etməyə imkan verir.", - "April": "Aprel", - "Are you sure you want to delete the selected resources?": "Siz seçilmiş resursları aradan qaldırılması üçün əminsinizmi?", - "Are you sure you want to delete this file?": "Bu faylı silmək istədiyinizə əminsinizmi?", - "Are you sure you want to delete this resource?": "Bu resurs aradan qaldırılması üçün əminsinizmi?", - "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 funksiyanı silmək istədiyinizə əminsinizmi? Komanda çıxarıldıqdan sonra bütün resursları və məlumatları əbədi olaraq silinəcəkdir.", - "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ı silmək istədiyinizə əminsinizmi? Hesabınız silindikdən sonra bütün resursları və məlumatları geri qaytarılmadan silinəcəkdir. Xahiş edirik hesabınızı daimi olaraq silmək istədiyinizi təsdiqləmək üçün şifrənizi daxil edin.", - "Are you sure you want to detach the selected resources?": "Seçdiyiniz resursları ayırmaq istədiyinizə əminsinizmi?", - "Are you sure you want to detach this resource?": "Bu resurs ayırmaq istədiyiniz əminsinizmi?", - "Are you sure you want to force delete the selected resources?": "Siz məcburi seçilmiş resursları silmək istədiyiniz əminsinizmi?", - "Are you sure you want to force delete this resource?": "Siz məcburi bu resurs aradan qaldırılması üçün istədiyiniz əminsinizmi?", - "Are you sure you want to restore the selected resources?": "Seçdiyiniz resursları bərpa etmək istədiyinizə əminsinizmi?", - "Are you sure you want to restore this resource?": "Siz əmin bu resurs bərpa etmək istəyirsiniz?", - "Are you sure you want to run this action?": "Bu hərəkətə başlamaq istədiyinizə əminsinizmi?", - "Are you sure you would like to delete this API token?": "Bu token API ' sini silmək istədiyinizə əminsinizmi?", - "Are you sure you would like to leave this team?": "Bu komandanı tərk etmək istədiyinizə əminsinizmi?", - "Are you sure you would like to remove this person from the team?": "Siz komanda bu şəxs aradan qaldırılması üçün əminsinizmi?", - "Argentina": "Argentina", - "Armenia": "Bacisini", - "Aruba": "Aruba", - "Attach": "Əlavə", - "Attach & Attach Another": "Əlavə və Əlavə Daha Bir", - "Attach :resource": ":resource əlavə edin", - "August": "Avqust", - "Australia": "Avstraliya", - "Austria": "Avstriya", - "Azerbaijan": "Azərbaycan", - "Bahamas": "Baham adaları", - "Bahrain": "Bəhreyn", - "Bangladesh": "Banqladeş", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Davam etməzdən əvvəl, xahiş edirik e-poçtunuzu yoxlama bağlantınız üçün yoxlayın.", - "Belarus": "Belarus", - "Belgium": "Belçika", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Aglayan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Boliviya", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sabbath", - "Bosnia And Herzegovina": "Bosniya və Herseqovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botsvana", - "Bouvet Island": "Buve Adası", - "Brazil": "Braziliya", - "British Indian Ocean Territory": "Britaniya ərazisi Hind okeanında", - "Browser Sessions": "Brauzer seansları", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bolqarıstan", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Kamboca", - "Cameroon": "Kamerun", - "Canada": "Kanada", - "Cancel": "Ləğv et", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Cape Verde", - "Card": "Kart", - "Cayman Islands": "Kayman Adaları", - "Central African Republic": "Mərkəzi Afrika Respublikası", - "Chad": "Çad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Dəyişikliklər", - "Chile": "Çili", - "China": "Çin", - "Choose": "Seçmək", - "Choose :field": ":field seçin", - "Choose :resource": "Seçin :resource", - "Choose an option": "Seçim seçin", - "Choose date": "Tarixi seçin", - "Choose File": "Faylı Seçin", - "Choose Type": "Növü Seçin", - "Christmas Island": "Milad Adası", - "City": "City", "click here to request another": "başqa bir tələb etmək üçün buraya basın", - "Click to choose": "Seçmək üçün basın", - "Close": "Bağlamaq", - "Cocos (Keeling) Islands": "Kokos (Keeling) Adaları", - "Code": "Kod", - "Colombia": "Kolumbiya", - "Comoros": "Komor adaları", - "Confirm": "Təsdiq", - "Confirm Password": "Təsdiq Parol", - "Confirm Payment": "Ödəniş Təsdiq", - "Confirm your :amount payment": ":amount ödənişinizi təsdiqləyin", - "Congo": "Konqo", - "Congo, Democratic Republic": "Konqo Demokratik Respublikası", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Daimi", - "Cook Islands": "Cook Islands", - "Costa Rica": "Kosta-Rika", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "onu tapmaq mümkün olmayıb.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Yaratmaq", - "Create & Add Another": "Yaradın və başqa bir əlavə et", - "Create :resource": ":resource yaradın", - "Create a new team to collaborate with others on projects.": "Layihələr üzərində əməkdaşlıq etmək üçün yeni bir komanda yaradın.", - "Create Account": "hesab yarat", - "Create API Token": "API Token yaradılması", - "Create New Team": "Yeni Komanda Yaratmaq", - "Create Team": "Komanda qurmaq", - "Created.": "Yaradılmış.", - "Croatia": "Xorvatiya", - "Cuba": "Quba", - "Curaçao": "Curacao", - "Current Password": "cari parol", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Qurmaq", - "Cyprus": "Kipr", - "Czech Republic": "Çexiya", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Tablosuna", - "December": "Dekabr", - "Decrease": "Azaltmaq", - "Delete": "Sil", - "Delete Account": "Hesabı sil", - "Delete API Token": "API mö ' cüzə sil", - "Delete File": "Faylı sil", - "Delete Resource": "Resurs sil", - "Delete Selected": "Seçilmiş Sil", - "Delete Team": "Funksiyanı sil", - "Denmark": "Danimarka", - "Detach": "Ayırmaq", - "Detach Resource": "Resurs ayırmaq", - "Detach Selected": "Ayırmaq Seçilmiş", - "Details": "Ətraflı", - "Disable": "Ayırmaq", - "Djibouti": "Cibuti", - "Do you really want to leave? You have unsaved changes.": "Həqiqətən getmək istəyirsiniz? Siz Kaydedilmemiş dəyişikliklər var.", - "Dominica": "Bazar günü", - "Dominican Republic": "Dominikan Respublikası", - "Done.": "Made.", - "Download": "Yüklə", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-poçt", - "Ecuador": "Ekvador", - "Edit": "Redaktə", - "Edit :resource": "Redaktə :resource", - "Edit Attached": "Redaktə Əlavə", - "Editor": "Redaktor", - "Editor users have the ability to read, create, and update.": "Redaktorun istifadəçiləri oxumaq, yaratmaq və yeniləmək imkanına malikdirlər.", - "Egypt": "Bacisini", - "El Salvador": "Xilaskar", - "Email": "E-poçt", - "Email Address": "e-poçt", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "E-poçt parol sıfırlama link", - "Enable": "Enable", - "Ensure your account is using a long, random password to stay secure.": "Hesabınızın təhlükəsiz qalmaq üçün uzun bir təsadüfi parol istifadə etdiyinə əmin olun.", - "Equatorial Guinea": "Ekvatorial Qvineya", - "Eritrea": "Eritreya", - "Estonia": "Estoniya", - "Ethiopia": "Efiopiya", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Ödənişinizi emal etmək üçün əlavə Təsdiq tələb olunur. Aşağıdakı ödəniş məlumatlarını dolduraraq ödənişinizi təsdiq edin.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Ödənişinizi emal etmək üçün əlavə Təsdiq tələb olunur. Aşağıdakı ' düyməsinə tıklayarak ödəniş səhifəsinə gedin.", - "Falkland Islands (Malvinas)": "Falkland (Islas Malvınas) adaları)", - "Faroe Islands": "Farer adaları", - "February": "Fevral", - "Fiji": "Fiji", - "Finland": "Finlandiya", - "For your security, please confirm your password to continue.": "Təhlükəsizlik üçün davam etmək üçün parol təsdiq edin.", "Forbidden": "Qadağan", - "Force Delete": "Məcburi çıxarılması", - "Force Delete Resource": "Məcburi resurs aradan qaldırılması", - "Force Delete Selected": "Seçilmiş Məcburi Silinməsi", - "Forgot Your Password?": "Şifrənizi Unutmusunuz?", - "Forgot your password?": "Şifrənizi unutmusunuz?", - "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.": "Şifrənizi unutmusunuz? Problemsiz. Yalnız bizə e-poçt ünvanınızı bildirin və biz sizə yeni birini seçməyə imkan verəcək Parolu sıfırlamak üçün bir link göndərəcəyik.", - "France": "Fransa", - "French Guiana": "Fransız Quyanası", - "French Polynesia": "Fransız Polinezyası", - "French Southern Territories": "Fransız Cənub əraziləri", - "Full name": "Tam adı", - "Gabon": "Qabon", - "Gambia": "Qambiya", - "Georgia": "Gürcüstan", - "Germany": "Almaniya", - "Ghana": "Qana", - "Gibraltar": "Gibraltar", - "Go back": "Qayıtmaq", - "Go Home": "evə getmək", "Go to page :page": ":page səhifəsinə keçin", - "Great! You have accepted the invitation to join the :team team.": "Əla! :team komandasına qoşulmaq dəvətini qəbul etdiniz.", - "Greece": "Yunanıstan", - "Greenland": "Greenland", - "Grenada": "Qrenada", - "Guadeloupe": "Qizin Acilmasi", - "Guam": "Quam", - "Guatemala": "Qvatemala", - "Guernsey": "Guernsey", - "Guinea": "Qvineya", - "Guinea-Bissau": "Qvineya-Bisau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Hörd və Makdonald adaları", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Salam!", - "Hide Content": "Məzmunu gizlət", - "Hold Up!": "- Dayan!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Macarıstan", - "I agree to the :terms_of_service and :privacy_policy": ":terms_of_service və :privacy_policy ilə razıyam", - "Iceland": "İslandiya", - "ID": "İdentifikator", - "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.": "Lazım gələrsə, bütün cihazlarınızdakı bütün digər brauzer seanslarından çıxa bilərsiniz. Son seanslarınızdan bəziləri aşağıda verilmişdir; lakin bu siyahı tam olmaya bilər. Hesabınızın təhlükəyə məruz qaldığını hiss edirsinizsə, şifrənizi də yeniləməlisiniz.", "If necessary, you may logout 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.": "Lazım gələrsə, bütün cihazlarınızdakı bütün digər brauzer seanslarından çıxa bilərsiniz. Son seanslarınızdan bəziləri aşağıda verilmişdir; lakin bu siyahı tam olmaya bilər. Hesabınızın təhlükəyə məruz qaldığını hiss edirsinizsə, şifrənizi də yeniləməlisiniz.", - "If you already have an account, you may accept this invitation by clicking the button below:": "Əgər siz artıq bir hesabınız varsa, aşağıdakı ' düyməsinə tıklayarak bu dəvəti qəbul edə bilərsiniz:", "If you did not create an account, no further action is required.": "Bir haqq-hesab yaratmadıysanız, heç bir əlavə fəaliyyət tələb olunur.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Əgər Siz bu komandaya dəvət almamısınızsa, bu məktubdan imtina edə bilərsiniz.", "If you did not receive the email": "Əgər siz məktubu almışlar e-poçt", - "If you did not request a password reset, no further action is required.": "Siz parol sıfırlama tələb halda, heç bir daha tədbirlər tələb olunur.", - "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 yoxdursa, aşağıdakı düyməni basaraq onu yarada bilərsiniz. Bir haqq-hesab yaratmaq sonra siz dəvət qəbul etmək üçün bu e-poçt dəvət qəbul düyməsini basın bilərsiniz:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Siz \":actionText\" düyməsinə basaraq sorun qarşılaşdıqda, surəti və aşağıdakı URL yapışdırıb\nveb brauzerinizdə:", - "Increase": "Artım", - "India": "Hindistan", - "Indonesia": "Hamamda", "Invalid signature.": "Yanlış imza.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Agladan", - "Iraq": "İraq", - "Ireland": "İrlandiya", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Man Adası", - "Israel": "İsrail", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "İtaliya", - "Jamaica": "Jamaica", - "January": "Yanvar", - "Japan": "Yaponiya", - "Jersey": "Jersey", - "Jordan": "İordaniya", - "July": "İyul", - "June": "İyun", - "Kazakhstan": "Qazaxstan", - "Kenya": "Keniya", - "Key": "Açar", - "Kiribati": "Kiribati", - "Korea": "Cənubi Koreya", - "Korea, Democratic People's Republic of": "Şimali Koreya", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Küveyt", - "Kyrgyzstan": "Qırğızıstan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Son aktiv", - "Last used": "Son dəfə istifadə edilib", - "Latvia": "Latviya", - "Leave": "Tərk", - "Leave Team": "Tərk komanda", - "Lebanon": "Livan", - "Lens": "Obyektiv", - "Lesotho": "Lesotho", - "Liberia": "Liberiya", - "Libyan Arab Jamahiriya": "Liviya", - "Liechtenstein": "Lixtenşteyn", - "Lithuania": "Anasini", - "Load :perPage More": "Daha :per səhifə Yüklə", - "Log in": "Giriş", "Log out": "Çıxın", - "Log Out": "çıxın", - "Log Out Other Browser Sessions": "Digər Brauzer Sessiyalarından Çıxın", - "Login": "Giriş", - "Logout": "Sistemdən çıxış", "Logout Other Browser Sessions": "Digər Brauzer Sessiyalarından Çıxın", - "Luxembourg": "Luxembourg", - "Macao": "Makao", - "Macedonia": "Şimali Makedoniya", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madaqaskar", - "Malawi": "Malavi", - "Malaysia": "Malayziya", - "Maldives": "Maldiv", - "Mali": "Kiçik", - "Malta": "Malta", - "Manage Account": "Hesabın idarə edilməsi", - "Manage and log out your active sessions on other browsers and devices.": "Aktiv sessiyalarınızı idarə edin və digər brauzerlərdə və cihazlarda onlardan çıxın.", "Manage and logout your active sessions on other browsers and devices.": "Aktiv sessiyalarınızı idarə edin və digər brauzerlərdə və cihazlarda onlardan çıxın.", - "Manage API Tokens": "API göstəricilərini idarə et", - "Manage Role": "İdarə rolu", - "Manage Team": "İdarə komanda", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Mart", - "Marshall Islands": "Marşal adaları", - "Martinique": "Martinik", - "Mauritania": "Mavritaniya", - "Mauritius": "Mauritius", - "May": "May", - "Mayotte": "Mayott", - "Mexico": "Meksika", - "Micronesia, Federated States Of": "Micronesia, Federated States Of", - "Moldova": "Moldova", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monako", - "Mongolia": "Monqolustan", - "Montenegro": "Çernoqoriya", - "Month To Date": "Ayda Bu Günə Qədər", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Mərakeş", - "Mozambique": "Mozambik", - "Myanmar": "Myanma", - "Name": "Ad", - "Namibia": "Namibiya", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Hollandiya", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Ağla etməyin", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Yeni", - "New :resource": "Yeni :resource", - "New Caledonia": "Yeni Kaledoniya", - "New Password": "Yeni parol", - "New Zealand": "Yeni Zelandiya", - "Next": "Növbəti", - "Nicaragua": "Nikaraqua", - "Niger": "Niger", - "Nigeria": "Nigeriya", - "Niue": "Niue", - "No": "Xeyr", - "No :resource matched the given criteria.": "Heç bir :resource il verilən meyarlara uyğun gəlmirdi.", - "No additional information...": "Əlavə məlumat yoxdur...", - "No Current Data": "Cari Məlumatlar Yoxdur", - "No Data": "Məlumat Yoxdur", - "no file selected": "fayl seçilmiş deyil", - "No Increase": "Heç Bir Artırılması", - "No Prior Data": "Heç Bir İlkin Məlumat", - "No Results Found.": "Heç Bir Nəticə Tapılmadı.", - "Norfolk Island": "Norfolk Adası", - "Northern Mariana Islands": "Şimali Marian adaları", - "Norway": "Norveç", "Not Found": "tapılmadı", - "Nova User": "Nova İstifadəçisi", - "November": "Noyabr", - "October": "Oktyabr", - "of": "dan", "Oh no": "Xeyr", - "Oman": "Oman", - "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.": "Komanda çıxarıldıqdan sonra bütün resursları və məlumatları əbədi olaraq silinəcəkdir. Bu funksiyanı silməkdən əvvəl, saxlamaq istədiyiniz bu komanda haqqında hər hansı bir məlumatı və ya məlumatı endirin.", - "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 silindikdən sonra bütün resursları və məlumatları geri qaytarılmadan silinəcəkdir. Hesabınızı silməzdən əvvəl, saxlamaq istədiyiniz hər hansı bir məlumat və ya məlumat bərpa edin.", - "Only Trashed": "Yalnız Talan", - "Original": "Orijinal", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Səhifə Gecikdirildi", "Pagination Navigation": "Pages naviqasiya", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Fələstin əraziləri", - "Panama": "Panama", - "Papua New Guinea": "Papua-Yeni Qvineya", - "Paraguay": "Paraqvay", - "Password": "Şifrə", - "Pay :amount": ":amount ödə", - "Payment Cancelled": "Ödəniş Ləğv", - "Payment Confirmation": "Ödəniş təsdiq", - "Payment Information": "Payment Information", - "Payment Successful": "Ödəniş Uğurla Keçdi", - "Pending Team Invitations": "Gözləyən Komanda Dəvətnamələri", - "Per Page": "Səhifə", - "Permanently delete this team.": "Daimi bu komanda aradan qaldırılması.", - "Permanently delete your account.": "Hesabınızı daimi olaraq silin.", - "Permissions": "Permissions", - "Peru": "Peru", - "Philippines": "Filippin", - "Photo": "Şəkil", - "Pitcairn": "Pitcairn Adaları", "Please click the button below to verify your email address.": "Xahiş edirik e-poçt ünvanınızı təsdiqləmək üçün aşağıdakı düyməni basın.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Sizin təcili bərpa kodları bir girerek hesabınıza daxil təsdiq edin.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Xahiş edirik təsdiqləyin ki, autentifikasiya kodunu daxil edərək hesabınıza daxil olun-autentifikator proqramınız tərəfindən verilən identifikasiyası kodunu daxil edin.", "Please confirm your password before continuing.": "Davam etməzdən əvvəl şifrənizi təsdiq edin.", - "Please copy your new API token. For your security, it won't be shown again.": "Yeni API Token surəti edin. Təhlükəsizliyiniz üçün artıq göstərilməyəcək.", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Bütün cihazlarınızdakı digər brauzer sessiyalarından çıxmaq istədiyinizi təsdiq etmək üçün şifrənizi daxil edin.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Bütün cihazlarınızdakı digər brauzer sessiyalarından çıxmaq istədiyinizi təsdiq etmək üçün şifrənizi daxil edin.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "Please provide the email address of the person you would like to add to this team.": "Bu komanda əlavə etmək istədiyiniz şəxsin e-poçt ünvanınızı daxil edin.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Bu komanda əlavə etmək istədiyiniz şəxsin e-poçt ünvanınızı daxil edin. Elektron poçt ünvanı mövcud hesabınızla əlaqəli olmalıdır.", - "Please provide your name.": "Xahiş edirik adınızı verin.", - "Poland": "Polşa", - "Portugal": "Portuqaliya", - "Press \/ to search": "Basın \/ axtarmaq üçün", - "Preview": "İlkin baxış", - "Previous": "Əvvəlki", - "Privacy Policy": "məxfilik siyasəti", - "Profile": "Profil", - "Profile Information": "Profil haqqında məlumat", - "Puerto Rico": "Puerto-Riko", - "Qatar": "Qatar", - "Quarter To Date": "Məhəllə Bu Günə Qədər", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Bərpa kodu", "Regards": "Hörmətlə", - "Regenerate Recovery Codes": "Bərpa kodlarının bərpası", - "Register": "Qeydiyyat", - "Reload": "Yenidən başladın", - "Remember me": "Məni yadda saxla", - "Remember Me": "Məni Yadda Saxla", - "Remove": "Silmək", - "Remove Photo": "Sil Şəkil", - "Remove Team Member": "Komanda Üzvünü Çıxarın", - "Resend Verification Email": "Yoxlama Məktubunun Yenidən Göndərilməsi", - "Reset Filters": "Filtreler yenidən", - "Reset Password": "parol sıfırlama", - "Reset Password Notification": "Parol sıfırlama bildirişi", - "resource": "resurs", - "Resources": "Resurslar", - "resources": "resurslar", - "Restore": "Bərpa", - "Restore Resource": "Resursun bərpası", - "Restore Selected": "Bərpa Seçilmiş", "results": "nəticələr", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Reyunyon", - "Role": "Rolu", - "Romania": "Rumıniya", - "Run Action": "Fəaliyyət icra", - "Russian Federation": "Rusiya Federasiyası", - "Rwanda": "Rwanda", - "Réunion": "Réunion", - "Saint Barthelemy": "Müqəddəs Varfolomey", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Müqəddəs Yelena Adası", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "Sent-Kits və Nevis", - "Saint Lucia": "Sent-Lüsiya", - "Saint Martin": "Müqəddəs Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "Sankt-Pierre və Miquelon", - "Saint Vincent And Grenadines": "Sent-Vinsent və Qrenada", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San-Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "Sao tome və Principe", - "Saudi Arabia": "Səudiyyə Ərəbistanı", - "Save": "Saxlamaq", - "Saved.": "Saxlanılan.", - "Search": "Axtarış", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Yeni Şəkil Seçin", - "Select Action": "Seçin Fəaliyyət", - "Select All": "bütün seçin", - "Select All Matching": "Bütün Uyğun Seçin", - "Send Password Reset Link": "Parolu Sıfırlamak Üçün Link Göndər", - "Senegal": "Seneqal", - "September": "Sentyabr", - "Serbia": "Serbiya", "Server Error": "Server error", "Service Unavailable": "Xidməti Mövcud Deyil", - "Seychelles": "Seyşel adaları", - "Show All Fields": "Bütün Sahələri Göstər", - "Show Content": "Məzmunu göstər", - "Show Recovery Codes": "Bərpa Kodlarını Göstər", "Showing": "Anasini", - "Sierra Leone": "Sierra-Leone", - "Signed in as": "Signed in as", - "Singapore": "Sinqapur", - "Sint Maarten (Dutch part)": "Sint Martin", - "Slovakia": "Slovakiya", - "Slovenia": "Sloveniya", - "Solomon Islands": "Solomon adaları", - "Somalia": "Somali", - "Something went wrong.": "Bir şey yanlış getdi.", - "Sorry! You are not authorized to perform this action.": "Bağışla! Bu hərəkəti yerinə yetirmək üçün səlahiyyətiniz yoxdur.", - "Sorry, your session has expired.": "Bağışlayın, sizin sessiya başa çatmışdır.", - "South Africa": "Cənubi Afrika", - "South Georgia And Sandwich Isl.": "Cənubi Corciya və Cənubi Sendviç adaları", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Cənubi Sudan", - "Spain": "İspaniya", - "Sri Lanka": "Şri-Lanka", - "Start Polling": "Sorğu başlamaq", - "State \/ County": "State \/ County", - "Stop Polling": "Sorğu stop", - "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.": "Təhlükəsiz parol meneceri bu bərpa kodları saxlamaq. Sizin cihaz iki amil identifikasiyası itirilmiş əgər onlar hesabınıza daxil bərpa etmək üçün istifadə edilə bilər.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Spitsbergen və Yan Mayen", - "Swaziland": "Eswatini", - "Sweden": "İsveç", - "Switch Teams": "Keçid əmrləri", - "Switzerland": "İsveçrə", - "Syrian Arab Republic": "Suriya", - "Taiwan": "Tayvan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tacikistan", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Komanda detalları", - "Team Invitation": "Komandaya dəvət", - "Team Members": "Komanda üzvləri", - "Team Name": "Komandanın adı", - "Team Owner": "Sahibi komanda", - "Team Settings": "Komanda parametrləri", - "Terms of Service": "Xidmət Şərtləri", - "Thailand": "Tayland", - "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.": "Qeydiyyatdan keçdiyiniz üçün təşəkkür edirik! Siz başlamaq əvvəl, Biz yalnız e-poçt vasitəsilə göndərilir linki tıklayarak e-poçt ünvanınızı təsdiq edə bilər? Bir məktub almadıysanız, biz məmnuniyyətlə Başqa bir şey göndərəcəyik.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute etibarlı rol olmalıdır.", - "The :attribute must be at least :length characters and contain at least one number.": ":attribute ən azı :length simvoldan ibarət olmalıdır və ən azı bir ədəd olmalıdır.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute ən az :length simvoldan ibarət olmalıdır və ən azı bir xüsusi xarakter və bir ədəddən ibarət olmalıdır.", - "The :attribute must be at least :length characters and contain at least one special character.": ":attribute ən azı :length simvol olmalıdır və ən azı bir xüsusi xarakter ehtiva edir.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute ən azı :length simvoldan ibarət olmalıdır və ən azı bir böyük xarakter və bir ədəddən ibarət olmalıdır.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute ən azı :length simvol olmalıdır və ən azı bir böyük xarakter və bir xüsusi xarakter ehtiva edir.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute ən azı :length simvol olmalıdır və ən azı bir böyük xarakter, bir sayı və bir xüsusi xarakter ehtiva edir.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute ən azı :length simvoldan ibarət olmalıdır və ən azı bir böyük simvolu ehtiva etməlidir.", - "The :attribute must be at least :length characters.": ":attribute ən azı :length simvol olmalıdır.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource ildə yaradılmışdır!", - "The :resource was deleted!": ":resource qaldırıldı!", - "The :resource was restored!": ":resource bərpa edilib!", - "The :resource was updated!": ":resource yeniləndi!", - "The action ran successfully!": "Aksiya uğurla keçdi!", - "The file was deleted!": "Fayl silindi!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Hökumət bizə bu qapı arxasında nə göstərmək üçün imkan verməyəcək", - "The HasOne relationship has already been filled.": "Hasone əlaqələr artıq doldurulur.", - "The payment was successful.": "Ödəniş uğurla keçdi.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Verilmiş parol uyğun gəlmir sizin cari password.", - "The provided password was incorrect.": "Verilən parol səhv idi.", - "The provided two factor authentication code was invalid.": "Verilmiş iki faktorlu autentifikasiya Kodu etibarsızdır.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Resurs yeniləndi!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Komanda adı və sahibi məlumat.", - "There are no available options for this resource.": "Bu resurs üçün mövcud variantlar yoxdur.", - "There was a problem executing the action.": "Hərəkətin yerinə yetirilməsi ilə bağlı bir problem var idi.", - "There was a problem submitting the form.": "Forma vermə problemi yarandı.", - "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 insanlar sizin komandanıza dəvət edilmiş və dəvətnaməni elektron poçtla əldə etmişlər. Onlar e-poçt dəvəti qəbul edərək komandaya qoşula bilərlər.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Bu fəaliyyət icazəsiz deyil.", - "This device": "Bu cihaz", - "This file field is read-only.": "Bu fayl sahəsində oxumaq üçün yalnız mövcuddur.", - "This image": "Bu şəkil", - "This is a secure area of the application. Please confirm your password before continuing.": "Bu təhlükəsiz app sahəsi var. Davam etməzdən əvvəl şifrənizi təsdiq edin.", - "This password does not match our records.": "Bu parol bizim qeydlərimizlə üst-üstə düşmür.", "This password reset link will expire in :count minutes.": "Bu parol sıfırlama link :count dəqiqə sonra başa çatır.", - "This payment was already successfully confirmed.": "Bu ödəniş artıq uğurla təsdiq edilmişdir.", - "This payment was cancelled.": "Bu ödəniş ləğv edilib.", - "This resource no longer exists": "Bu resurs artıq mövcud deyil", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Bu istifadəçi artıq komandaya məxsusdur.", - "This user has already been invited to the team.": "Bu istifadəçi artıq komandaya dəvət olunur.", - "Timor-Leste": "Timor-Leste", "to": "k", - "Today": "Bu gün", "Toggle navigation": "Keçid naviqasiya", - "Togo": "O", - "Tokelau": "Tokelau", - "Token Name": "Token adı", - "Tonga": "Gəlin", "Too Many Attempts.": "Çox Çalışır.", "Too Many Requests": "Çox Sorğu", - "total": "bütün", - "Total:": "Total:", - "Trashed": "Darmadağın", - "Trinidad And Tobago": "Trinidad və Tobaqo", - "Tunisia": "Tunis", - "Turkey": "Turkiye", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Türk və Kaykos Adaları", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "İki faktorlu autentifikasiya", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "İndi iki faktorlu identifikasiyası daxildir. Telefonunuzun authenticator app ilə aşağıdakı QR kodunu tarayın.", - "Uganda": "Uqanda", - "Ukraine": "Ukrayna", "Unauthorized": "İcazəsiz", - "United Arab Emirates": "Birləşmiş Ərəb Əmirlikləri", - "United Kingdom": "Birləşmiş Krallıq", - "United States": "Amerika Birləşmiş Ştatları", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "Uzaq ada, ABŞ", - "Update": "Yeniləmə", - "Update & Continue Editing": "Update və sonradan redaktə", - "Update :resource": ":resource yeniləmə", - "Update :resource: :title": ":resource yeniləmə: :title", - "Update attached :resource: :title": ":resource: :title əlavə yeniləmə", - "Update Password": "Şifrəni yeniləyin", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Hesabınızın profil məlumatlarını və e-poçt ünvanınızı yeniləyin.", - "Uruguay": "Uruqvay", - "Use a recovery code": "Bərpa kodunu istifadə edin", - "Use an authentication code": "Identifikasiyası kodu istifadə edin", - "Uzbekistan": "Özbəkistan", - "Value": "Dəyər", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venesuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "E-Poçt Ünvanınızı Yoxlayın", "Verify Your Email Address": "Yoxlamaq E-Poçt Ünvanınızı", - "Viet Nam": "Vietnam", - "View": "Bax", - "Virgin Islands, British": "Virgin Adaları", - "Virgin Islands, U.S.": "ABŞ Vircin adaları", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Uollis və Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Bu e-poçt ünvanı ilə qeydiyyatdan keçmiş bir istifadəçi tapa bilmədik.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Biz saat ərzində yenidən parol tələb edəcək.", - "We're lost in space. The page you were trying to view does not exist.": "Biz kosmosda itirdik. Gözdən keçirməyə çalışdığınız səhifə yoxdur.", - "Welcome Back!": "Qayıtmaqla!", - "Western Sahara": "Qərb Şəkər", - "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.": "Əgər iki faktorlu autentifikasiya aktivdirsə, autentifikasiya zamanı təhlükəsiz təsadüfi bir mö ' cüzə daxil etməyiniz istənir. Bu mö ' cüzəni telefonunuzun Google Authenticator tətbiqindən əldə edə bilərsiniz.", - "Whoops": "Azerisport. az", - "Whoops!": "CPS!", - "Whoops! Something went wrong.": "CPS! Bir şey yanlış getdi.", - "With Trashed": "Əzilmiş İlə", - "Write": "Yazmaq", - "Year To Date": "Bir İl Əvvəl Bu Zaman", - "Yearly": "Yearly", - "Yemen": "Yəmən", - "Yes": "Bəli", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Siz daxil!", - "You are receiving this email because we received a password reset request for your account.": "Bu məktubu əldə edirsiniz, çünki hesabınız üçün parol sıfırlama tələbi aldıq.", - "You have been invited to join the :team team!": ":team komandasına qoşulmağa dəvət olundu!", - "You have enabled two factor authentication.": "İki faktorlu identifikasiyası daxil etdiniz.", - "You have not enabled two factor authentication.": "Siz iki faktorlu identifikasiyası daxil deyil.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "Artıq lazım olmadıqda mövcud simvollardan hər hansı birini silə bilərsiniz.", - "You may not delete your personal team.": "Şəxsi komandanızı silmək hüququ yoxdur.", - "You may not leave a team that you created.": "Yaratdığınız komandanı tərk edə bilməzsiniz.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "E-poçt ünvanınız təsdiqlənməyib.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambiya", - "Zimbabwe": "Zimbabve", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "E-poçt ünvanınız təsdiqlənməyib." } diff --git a/locales/az/packages/cashier.json b/locales/az/packages/cashier.json new file mode 100644 index 00000000000..10f62bf14a1 --- /dev/null +++ b/locales/az/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Bütün hüquqlar qorunur.", + "Card": "Kart", + "Confirm Payment": "Ödəniş Təsdiq", + "Confirm your :amount payment": ":amount ödənişinizi təsdiqləyin", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Ödənişinizi emal etmək üçün əlavə Təsdiq tələb olunur. Aşağıdakı ödəniş məlumatlarını dolduraraq ödənişinizi təsdiq edin.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Ödənişinizi emal etmək üçün əlavə Təsdiq tələb olunur. Aşağıdakı ' düyməsinə tıklayarak ödəniş səhifəsinə gedin.", + "Full name": "Tam adı", + "Go back": "Qayıtmaq", + "Jane Doe": "Jane Doe", + "Pay :amount": ":amount ödə", + "Payment Cancelled": "Ödəniş Ləğv", + "Payment Confirmation": "Ödəniş təsdiq", + "Payment Successful": "Ödəniş Uğurla Keçdi", + "Please provide your name.": "Xahiş edirik adınızı verin.", + "The payment was successful.": "Ödəniş uğurla keçdi.", + "This payment was already successfully confirmed.": "Bu ödəniş artıq uğurla təsdiq edilmişdir.", + "This payment was cancelled.": "Bu ödəniş ləğv edilib." +} diff --git a/locales/az/packages/fortify.json b/locales/az/packages/fortify.json new file mode 100644 index 00000000000..894a7a7b416 --- /dev/null +++ b/locales/az/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": ":attribute ən azı :length simvoldan ibarət olmalıdır və ən azı bir ədəd olmalıdır.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute ən az :length simvoldan ibarət olmalıdır və ən azı bir xüsusi xarakter və bir ədəddən ibarət olmalıdır.", + "The :attribute must be at least :length characters and contain at least one special character.": ":attribute ən azı :length simvol olmalıdır və ən azı bir xüsusi xarakter ehtiva edir.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute ən azı :length simvoldan ibarət olmalıdır və ən azı bir böyük xarakter və bir ədəddən ibarət olmalıdır.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute ən azı :length simvol olmalıdır və ən azı bir böyük xarakter və bir xüsusi xarakter ehtiva edir.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute ən azı :length simvol olmalıdır və ən azı bir böyük xarakter, bir sayı və bir xüsusi xarakter ehtiva edir.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute ən azı :length simvoldan ibarət olmalıdır və ən azı bir böyük simvolu ehtiva etməlidir.", + "The :attribute must be at least :length characters.": ":attribute ən azı :length simvol olmalıdır.", + "The provided password does not match your current password.": "Verilmiş parol uyğun gəlmir sizin cari password.", + "The provided password was incorrect.": "Verilən parol səhv idi.", + "The provided two factor authentication code was invalid.": "Verilmiş iki faktorlu autentifikasiya Kodu etibarsızdır." +} diff --git a/locales/az/packages/jetstream.json b/locales/az/packages/jetstream.json new file mode 100644 index 00000000000..98eb347f807 --- /dev/null +++ b/locales/az/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Yeni yoxlama linki qeydiyyatdan keçərkən göstərdiyiniz e-poçt ünvanına göndərildi.", + "Accept Invitation": "Dəvəti Qəbul", + "Add": "Əlavə et", + "Add a new team member to your team, allowing them to collaborate with you.": "Komandanıza yeni komanda üzvünü əlavə edin, belə ki, sizinlə əməkdaşlıq edə bilər.", + "Add additional security to your account using two factor authentication.": "İki faktorlu identifikasiyası istifadə edərək hesabınıza əlavə təhlükəsizlik əlavə edin.", + "Add Team Member": "Əlavə Komanda Üzvü", + "Added.": "Əlavə edildi.", + "Administrator": "Admin", + "Administrator users can perform any action.": "Admin istifadəçilər hər hansı bir hərəkət edə bilər.", + "All of the people that are part of this team.": "Bu komandanın bir hissəsi olan bütün insanlar.", + "Already registered?": "Artıq yoxlanılır?", + "API Token": "Token API", + "API Token Permissions": "Marker API üçün permissions", + "API Tokens": "API Tokens", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API tokensləri üçüncü tərəf xidmətlərinə sizin adınızdan tətbiqimizdə autentifikasiya etməyə imkan verir.", + "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 funksiyanı silmək istədiyinizə əminsinizmi? Komanda çıxarıldıqdan sonra bütün resursları və məlumatları əbədi olaraq silinəcəkdir.", + "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ı silmək istədiyinizə əminsinizmi? Hesabınız silindikdən sonra bütün resursları və məlumatları geri qaytarılmadan silinəcəkdir. Xahiş edirik hesabınızı daimi olaraq silmək istədiyinizi təsdiqləmək üçün şifrənizi daxil edin.", + "Are you sure you would like to delete this API token?": "Bu token API ' sini silmək istədiyinizə əminsinizmi?", + "Are you sure you would like to leave this team?": "Bu komandanı tərk etmək istədiyinizə əminsinizmi?", + "Are you sure you would like to remove this person from the team?": "Siz komanda bu şəxs aradan qaldırılması üçün əminsinizmi?", + "Browser Sessions": "Brauzer seansları", + "Cancel": "Ləğv et", + "Close": "Bağlamaq", + "Code": "Kod", + "Confirm": "Təsdiq", + "Confirm Password": "Təsdiq Parol", + "Create": "Yaratmaq", + "Create a new team to collaborate with others on projects.": "Layihələr üzərində əməkdaşlıq etmək üçün yeni bir komanda yaradın.", + "Create Account": "hesab yarat", + "Create API Token": "API Token yaradılması", + "Create New Team": "Yeni Komanda Yaratmaq", + "Create Team": "Komanda qurmaq", + "Created.": "Yaradılmış.", + "Current Password": "cari parol", + "Dashboard": "Tablosuna", + "Delete": "Sil", + "Delete Account": "Hesabı sil", + "Delete API Token": "API mö ' cüzə sil", + "Delete Team": "Funksiyanı sil", + "Disable": "Ayırmaq", + "Done.": "Made.", + "Editor": "Redaktor", + "Editor users have the ability to read, create, and update.": "Redaktorun istifadəçiləri oxumaq, yaratmaq və yeniləmək imkanına malikdirlər.", + "Email": "E-poçt", + "Email Password Reset Link": "E-poçt parol sıfırlama link", + "Enable": "Enable", + "Ensure your account is using a long, random password to stay secure.": "Hesabınızın təhlükəsiz qalmaq üçün uzun bir təsadüfi parol istifadə etdiyinə əmin olun.", + "For your security, please confirm your password to continue.": "Təhlükəsizlik üçün davam etmək üçün parol təsdiq edin.", + "Forgot your password?": "Şifrənizi unutmusunuz?", + "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.": "Şifrənizi unutmusunuz? Problemsiz. Yalnız bizə e-poçt ünvanınızı bildirin və biz sizə yeni birini seçməyə imkan verəcək Parolu sıfırlamak üçün bir link göndərəcəyik.", + "Great! You have accepted the invitation to join the :team team.": "Əla! :team komandasına qoşulmaq dəvətini qəbul etdiniz.", + "I agree to the :terms_of_service and :privacy_policy": ":terms_of_service və :privacy_policy ilə razıyam", + "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.": "Lazım gələrsə, bütün cihazlarınızdakı bütün digər brauzer seanslarından çıxa bilərsiniz. Son seanslarınızdan bəziləri aşağıda verilmişdir; lakin bu siyahı tam olmaya bilər. Hesabınızın təhlükəyə məruz qaldığını hiss edirsinizsə, şifrənizi də yeniləməlisiniz.", + "If you already have an account, you may accept this invitation by clicking the button below:": "Əgər siz artıq bir hesabınız varsa, aşağıdakı ' düyməsinə tıklayarak bu dəvəti qəbul edə bilərsiniz:", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Əgər Siz bu komandaya dəvət almamısınızsa, bu məktubdan imtina edə bilərsiniz.", + "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 yoxdursa, aşağıdakı düyməni basaraq onu yarada bilərsiniz. Bir haqq-hesab yaratmaq sonra siz dəvət qəbul etmək üçün bu e-poçt dəvət qəbul düyməsini basın bilərsiniz:", + "Last active": "Son aktiv", + "Last used": "Son dəfə istifadə edilib", + "Leave": "Tərk", + "Leave Team": "Tərk komanda", + "Log in": "Giriş", + "Log Out": "çıxın", + "Log Out Other Browser Sessions": "Digər Brauzer Sessiyalarından Çıxın", + "Manage Account": "Hesabın idarə edilməsi", + "Manage and log out your active sessions on other browsers and devices.": "Aktiv sessiyalarınızı idarə edin və digər brauzerlərdə və cihazlarda onlardan çıxın.", + "Manage API Tokens": "API göstəricilərini idarə et", + "Manage Role": "İdarə rolu", + "Manage Team": "İdarə komanda", + "Name": "Ad", + "New Password": "Yeni parol", + "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.": "Komanda çıxarıldıqdan sonra bütün resursları və məlumatları əbədi olaraq silinəcəkdir. Bu funksiyanı silməkdən əvvəl, saxlamaq istədiyiniz bu komanda haqqında hər hansı bir məlumatı və ya məlumatı endirin.", + "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 silindikdən sonra bütün resursları və məlumatları geri qaytarılmadan silinəcəkdir. Hesabınızı silməzdən əvvəl, saxlamaq istədiyiniz hər hansı bir məlumat və ya məlumat bərpa edin.", + "Password": "Şifrə", + "Pending Team Invitations": "Gözləyən Komanda Dəvətnamələri", + "Permanently delete this team.": "Daimi bu komanda aradan qaldırılması.", + "Permanently delete your account.": "Hesabınızı daimi olaraq silin.", + "Permissions": "Permissions", + "Photo": "Şəkil", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Sizin təcili bərpa kodları bir girerek hesabınıza daxil təsdiq edin.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Xahiş edirik təsdiqləyin ki, autentifikasiya kodunu daxil edərək hesabınıza daxil olun-autentifikator proqramınız tərəfindən verilən identifikasiyası kodunu daxil edin.", + "Please copy your new API token. For your security, it won't be shown again.": "Yeni API Token surəti edin. Təhlükəsizliyiniz üçün artıq göstərilməyəcək.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Bütün cihazlarınızdakı digər brauzer sessiyalarından çıxmaq istədiyinizi təsdiq etmək üçün şifrənizi daxil edin.", + "Please provide the email address of the person you would like to add to this team.": "Bu komanda əlavə etmək istədiyiniz şəxsin e-poçt ünvanınızı daxil edin.", + "Privacy Policy": "məxfilik siyasəti", + "Profile": "Profil", + "Profile Information": "Profil haqqında məlumat", + "Recovery Code": "Bərpa kodu", + "Regenerate Recovery Codes": "Bərpa kodlarının bərpası", + "Register": "Qeydiyyat", + "Remember me": "Məni yadda saxla", + "Remove": "Silmək", + "Remove Photo": "Sil Şəkil", + "Remove Team Member": "Komanda Üzvünü Çıxarın", + "Resend Verification Email": "Yoxlama Məktubunun Yenidən Göndərilməsi", + "Reset Password": "parol sıfırlama", + "Role": "Rolu", + "Save": "Saxlamaq", + "Saved.": "Saxlanılan.", + "Select A New Photo": "Yeni Şəkil Seçin", + "Show Recovery Codes": "Bərpa Kodlarını Göstər", + "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.": "Təhlükəsiz parol meneceri bu bərpa kodları saxlamaq. Sizin cihaz iki amil identifikasiyası itirilmiş əgər onlar hesabınıza daxil bərpa etmək üçün istifadə edilə bilər.", + "Switch Teams": "Keçid əmrləri", + "Team Details": "Komanda detalları", + "Team Invitation": "Komandaya dəvət", + "Team Members": "Komanda üzvləri", + "Team Name": "Komandanın adı", + "Team Owner": "Sahibi komanda", + "Team Settings": "Komanda parametrləri", + "Terms of Service": "Xidmət Şərtləri", + "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.": "Qeydiyyatdan keçdiyiniz üçün təşəkkür edirik! Siz başlamaq əvvəl, Biz yalnız e-poçt vasitəsilə göndərilir linki tıklayarak e-poçt ünvanınızı təsdiq edə bilər? Bir məktub almadıysanız, biz məmnuniyyətlə Başqa bir şey göndərəcəyik.", + "The :attribute must be a valid role.": ":attribute etibarlı rol olmalıdır.", + "The :attribute must be at least :length characters and contain at least one number.": ":attribute ən azı :length simvoldan ibarət olmalıdır və ən azı bir ədəd olmalıdır.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute ən az :length simvoldan ibarət olmalıdır və ən azı bir xüsusi xarakter və bir ədəddən ibarət olmalıdır.", + "The :attribute must be at least :length characters and contain at least one special character.": ":attribute ən azı :length simvol olmalıdır və ən azı bir xüsusi xarakter ehtiva edir.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute ən azı :length simvoldan ibarət olmalıdır və ən azı bir böyük xarakter və bir ədəddən ibarət olmalıdır.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute ən azı :length simvol olmalıdır və ən azı bir böyük xarakter və bir xüsusi xarakter ehtiva edir.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute ən azı :length simvol olmalıdır və ən azı bir böyük xarakter, bir sayı və bir xüsusi xarakter ehtiva edir.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute ən azı :length simvoldan ibarət olmalıdır və ən azı bir böyük simvolu ehtiva etməlidir.", + "The :attribute must be at least :length characters.": ":attribute ən azı :length simvol olmalıdır.", + "The provided password does not match your current password.": "Verilmiş parol uyğun gəlmir sizin cari password.", + "The provided password was incorrect.": "Verilən parol səhv idi.", + "The provided two factor authentication code was invalid.": "Verilmiş iki faktorlu autentifikasiya Kodu etibarsızdır.", + "The team's name and owner information.": "Komanda adı və sahibi məlumat.", + "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 insanlar sizin komandanıza dəvət edilmiş və dəvətnaməni elektron poçtla əldə etmişlər. Onlar e-poçt dəvəti qəbul edərək komandaya qoşula bilərlər.", + "This device": "Bu cihaz", + "This is a secure area of the application. Please confirm your password before continuing.": "Bu təhlükəsiz app sahəsi var. Davam etməzdən əvvəl şifrənizi təsdiq edin.", + "This password does not match our records.": "Bu parol bizim qeydlərimizlə üst-üstə düşmür.", + "This user already belongs to the team.": "Bu istifadəçi artıq komandaya məxsusdur.", + "This user has already been invited to the team.": "Bu istifadəçi artıq komandaya dəvət olunur.", + "Token Name": "Token adı", + "Two Factor Authentication": "İki faktorlu autentifikasiya", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "İndi iki faktorlu identifikasiyası daxildir. Telefonunuzun authenticator app ilə aşağıdakı QR kodunu tarayın.", + "Update Password": "Şifrəni yeniləyin", + "Update your account's profile information and email address.": "Hesabınızın profil məlumatlarını və e-poçt ünvanınızı yeniləyin.", + "Use a recovery code": "Bərpa kodunu istifadə edin", + "Use an authentication code": "Identifikasiyası kodu istifadə edin", + "We were unable to find a registered user with this email address.": "Bu e-poçt ünvanı ilə qeydiyyatdan keçmiş bir istifadəçi tapa bilmədik.", + "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.": "Əgər iki faktorlu autentifikasiya aktivdirsə, autentifikasiya zamanı təhlükəsiz təsadüfi bir mö ' cüzə daxil etməyiniz istənir. Bu mö ' cüzəni telefonunuzun Google Authenticator tətbiqindən əldə edə bilərsiniz.", + "Whoops! Something went wrong.": "CPS! Bir şey yanlış getdi.", + "You have been invited to join the :team team!": ":team komandasına qoşulmağa dəvət olundu!", + "You have enabled two factor authentication.": "İki faktorlu identifikasiyası daxil etdiniz.", + "You have not enabled two factor authentication.": "Siz iki faktorlu identifikasiyası daxil deyil.", + "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.": "Artıq lazım olmadıqda mövcud simvollardan hər hansı birini silə bilərsiniz.", + "You may not delete your personal team.": "Şəxsi komandanızı silmək hüququ yoxdur.", + "You may not leave a team that you created.": "Yaratdığınız komandanı tərk edə bilməzsiniz." +} diff --git a/locales/az/packages/nova.json b/locales/az/packages/nova.json new file mode 100644 index 00000000000..b9a0246341f --- /dev/null +++ b/locales/az/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Gün", + "60 Days": "60 Gün", + "90 Days": "90 Gün", + ":amount Total": "Cəmi :amount", + ":resource Details": ":resource Ətraflı", + ":resource Details: :title": ":resource ətraflı: :title", + "Action": "Hərəkət", + "Action Happened At": "Baş Verib", + "Action Initiated By": "Başlanılmışdır", + "Action Name": "Ad", + "Action Status": "Status", + "Action Target": "Məqsəd", + "Actions": "Fəaliyyət", + "Add row": "Simli əlavə et", + "Afghanistan": "Əfqanıstan", + "Aland Islands": "Aland adaları", + "Albania": "Albaniya", + "Algeria": "Əlcəzair", + "All resources loaded.": "Bütün resursları daşıyanlar olunur.", + "American Samoa": "Amerika Samoası", + "An error occured while uploading the file.": "Faylın yüklənməsi zamanı səhv baş verdi.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Asian anasini", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Digər bir istifadəçi bu səhifəni yüklədikdən sonra bu resursu yeniləyib. Səhifəni yeniləyin və yenidən cəhd edin.", + "Antarctica": "Antarktida", + "Antigua And Barbuda": "Antiqua və Barbuda", + "April": "Aprel", + "Are you sure you want to delete the selected resources?": "Siz seçilmiş resursları aradan qaldırılması üçün əminsinizmi?", + "Are you sure you want to delete this file?": "Bu faylı silmək istədiyinizə əminsinizmi?", + "Are you sure you want to delete this resource?": "Bu resurs aradan qaldırılması üçün əminsinizmi?", + "Are you sure you want to detach the selected resources?": "Seçdiyiniz resursları ayırmaq istədiyinizə əminsinizmi?", + "Are you sure you want to detach this resource?": "Bu resurs ayırmaq istədiyiniz əminsinizmi?", + "Are you sure you want to force delete the selected resources?": "Siz məcburi seçilmiş resursları silmək istədiyiniz əminsinizmi?", + "Are you sure you want to force delete this resource?": "Siz məcburi bu resurs aradan qaldırılması üçün istədiyiniz əminsinizmi?", + "Are you sure you want to restore the selected resources?": "Seçdiyiniz resursları bərpa etmək istədiyinizə əminsinizmi?", + "Are you sure you want to restore this resource?": "Siz əmin bu resurs bərpa etmək istəyirsiniz?", + "Are you sure you want to run this action?": "Bu hərəkətə başlamaq istədiyinizə əminsinizmi?", + "Argentina": "Argentina", + "Armenia": "Bacisini", + "Aruba": "Aruba", + "Attach": "Əlavə", + "Attach & Attach Another": "Əlavə və Əlavə Daha Bir", + "Attach :resource": ":resource əlavə edin", + "August": "Avqust", + "Australia": "Avstraliya", + "Austria": "Avstriya", + "Azerbaijan": "Azərbaycan", + "Bahamas": "Baham adaları", + "Bahrain": "Bəhreyn", + "Bangladesh": "Banqladeş", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belçika", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Aglayan", + "Bolivia": "Boliviya", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sabbath", + "Bosnia And Herzegovina": "Bosniya və Herseqovina", + "Botswana": "Botsvana", + "Bouvet Island": "Buve Adası", + "Brazil": "Braziliya", + "British Indian Ocean Territory": "Britaniya ərazisi Hind okeanında", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bolqarıstan", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kamboca", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel": "Ləğv et", + "Cape Verde": "Cape Verde", + "Cayman Islands": "Kayman Adaları", + "Central African Republic": "Mərkəzi Afrika Respublikası", + "Chad": "Çad", + "Changes": "Dəyişikliklər", + "Chile": "Çili", + "China": "Çin", + "Choose": "Seçmək", + "Choose :field": ":field seçin", + "Choose :resource": "Seçin :resource", + "Choose an option": "Seçim seçin", + "Choose date": "Tarixi seçin", + "Choose File": "Faylı Seçin", + "Choose Type": "Növü Seçin", + "Christmas Island": "Milad Adası", + "Click to choose": "Seçmək üçün basın", + "Cocos (Keeling) Islands": "Kokos (Keeling) Adaları", + "Colombia": "Kolumbiya", + "Comoros": "Komor adaları", + "Confirm Password": "Təsdiq Parol", + "Congo": "Konqo", + "Congo, Democratic Republic": "Konqo Demokratik Respublikası", + "Constant": "Daimi", + "Cook Islands": "Cook Islands", + "Costa Rica": "Kosta-Rika", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "onu tapmaq mümkün olmayıb.", + "Create": "Yaratmaq", + "Create & Add Another": "Yaradın və başqa bir əlavə et", + "Create :resource": ":resource yaradın", + "Croatia": "Xorvatiya", + "Cuba": "Quba", + "Curaçao": "Curacao", + "Customize": "Qurmaq", + "Cyprus": "Kipr", + "Czech Republic": "Çexiya", + "Dashboard": "Tablosuna", + "December": "Dekabr", + "Decrease": "Azaltmaq", + "Delete": "Sil", + "Delete File": "Faylı sil", + "Delete Resource": "Resurs sil", + "Delete Selected": "Seçilmiş Sil", + "Denmark": "Danimarka", + "Detach": "Ayırmaq", + "Detach Resource": "Resurs ayırmaq", + "Detach Selected": "Ayırmaq Seçilmiş", + "Details": "Ətraflı", + "Djibouti": "Cibuti", + "Do you really want to leave? You have unsaved changes.": "Həqiqətən getmək istəyirsiniz? Siz Kaydedilmemiş dəyişikliklər var.", + "Dominica": "Bazar günü", + "Dominican Republic": "Dominikan Respublikası", + "Download": "Yüklə", + "Ecuador": "Ekvador", + "Edit": "Redaktə", + "Edit :resource": "Redaktə :resource", + "Edit Attached": "Redaktə Əlavə", + "Egypt": "Bacisini", + "El Salvador": "Xilaskar", + "Email Address": "e-poçt", + "Equatorial Guinea": "Ekvatorial Qvineya", + "Eritrea": "Eritreya", + "Estonia": "Estoniya", + "Ethiopia": "Efiopiya", + "Falkland Islands (Malvinas)": "Falkland (Islas Malvınas) adaları)", + "Faroe Islands": "Farer adaları", + "February": "Fevral", + "Fiji": "Fiji", + "Finland": "Finlandiya", + "Force Delete": "Məcburi çıxarılması", + "Force Delete Resource": "Məcburi resurs aradan qaldırılması", + "Force Delete Selected": "Seçilmiş Məcburi Silinməsi", + "Forgot Your Password?": "Şifrənizi Unutmusunuz?", + "Forgot your password?": "Şifrənizi unutmusunuz?", + "France": "Fransa", + "French Guiana": "Fransız Quyanası", + "French Polynesia": "Fransız Polinezyası", + "French Southern Territories": "Fransız Cənub əraziləri", + "Gabon": "Qabon", + "Gambia": "Qambiya", + "Georgia": "Gürcüstan", + "Germany": "Almaniya", + "Ghana": "Qana", + "Gibraltar": "Gibraltar", + "Go Home": "evə getmək", + "Greece": "Yunanıstan", + "Greenland": "Greenland", + "Grenada": "Qrenada", + "Guadeloupe": "Qizin Acilmasi", + "Guam": "Quam", + "Guatemala": "Qvatemala", + "Guernsey": "Guernsey", + "Guinea": "Qvineya", + "Guinea-Bissau": "Qvineya-Bisau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Hörd və Makdonald adaları", + "Hide Content": "Məzmunu gizlət", + "Hold Up!": "- Dayan!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Macarıstan", + "Iceland": "İslandiya", + "ID": "İdentifikator", + "If you did not request a password reset, no further action is required.": "Siz parol sıfırlama tələb halda, heç bir daha tədbirlər tələb olunur.", + "Increase": "Artım", + "India": "Hindistan", + "Indonesia": "Hamamda", + "Iran, Islamic Republic Of": "Agladan", + "Iraq": "İraq", + "Ireland": "İrlandiya", + "Isle Of Man": "Man Adası", + "Israel": "İsrail", + "Italy": "İtaliya", + "Jamaica": "Jamaica", + "January": "Yanvar", + "Japan": "Yaponiya", + "Jersey": "Jersey", + "Jordan": "İordaniya", + "July": "İyul", + "June": "İyun", + "Kazakhstan": "Qazaxstan", + "Kenya": "Keniya", + "Key": "Açar", + "Kiribati": "Kiribati", + "Korea": "Cənubi Koreya", + "Korea, Democratic People's Republic of": "Şimali Koreya", + "Kosovo": "Kosovo", + "Kuwait": "Küveyt", + "Kyrgyzstan": "Qırğızıstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latviya", + "Lebanon": "Livan", + "Lens": "Obyektiv", + "Lesotho": "Lesotho", + "Liberia": "Liberiya", + "Libyan Arab Jamahiriya": "Liviya", + "Liechtenstein": "Lixtenşteyn", + "Lithuania": "Anasini", + "Load :perPage More": "Daha :per səhifə Yüklə", + "Login": "Giriş", + "Logout": "Sistemdən çıxış", + "Luxembourg": "Luxembourg", + "Macao": "Makao", + "Macedonia": "Şimali Makedoniya", + "Madagascar": "Madaqaskar", + "Malawi": "Malavi", + "Malaysia": "Malayziya", + "Maldives": "Maldiv", + "Mali": "Kiçik", + "Malta": "Malta", + "March": "Mart", + "Marshall Islands": "Marşal adaları", + "Martinique": "Martinik", + "Mauritania": "Mavritaniya", + "Mauritius": "Mauritius", + "May": "May", + "Mayotte": "Mayott", + "Mexico": "Meksika", + "Micronesia, Federated States Of": "Micronesia, Federated States Of", + "Moldova": "Moldova", + "Monaco": "Monako", + "Mongolia": "Monqolustan", + "Montenegro": "Çernoqoriya", + "Month To Date": "Ayda Bu Günə Qədər", + "Montserrat": "Montserrat", + "Morocco": "Mərakeş", + "Mozambique": "Mozambik", + "Myanmar": "Myanma", + "Namibia": "Namibiya", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Hollandiya", + "New": "Yeni", + "New :resource": "Yeni :resource", + "New Caledonia": "Yeni Kaledoniya", + "New Zealand": "Yeni Zelandiya", + "Next": "Növbəti", + "Nicaragua": "Nikaraqua", + "Niger": "Niger", + "Nigeria": "Nigeriya", + "Niue": "Niue", + "No": "Xeyr", + "No :resource matched the given criteria.": "Heç bir :resource il verilən meyarlara uyğun gəlmirdi.", + "No additional information...": "Əlavə məlumat yoxdur...", + "No Current Data": "Cari Məlumatlar Yoxdur", + "No Data": "Məlumat Yoxdur", + "no file selected": "fayl seçilmiş deyil", + "No Increase": "Heç Bir Artırılması", + "No Prior Data": "Heç Bir İlkin Məlumat", + "No Results Found.": "Heç Bir Nəticə Tapılmadı.", + "Norfolk Island": "Norfolk Adası", + "Northern Mariana Islands": "Şimali Marian adaları", + "Norway": "Norveç", + "Nova User": "Nova İstifadəçisi", + "November": "Noyabr", + "October": "Oktyabr", + "of": "dan", + "Oman": "Oman", + "Only Trashed": "Yalnız Talan", + "Original": "Orijinal", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Fələstin əraziləri", + "Panama": "Panama", + "Papua New Guinea": "Papua-Yeni Qvineya", + "Paraguay": "Paraqvay", + "Password": "Şifrə", + "Per Page": "Səhifə", + "Peru": "Peru", + "Philippines": "Filippin", + "Pitcairn": "Pitcairn Adaları", + "Poland": "Polşa", + "Portugal": "Portuqaliya", + "Press \/ to search": "Basın \/ axtarmaq üçün", + "Preview": "İlkin baxış", + "Previous": "Əvvəlki", + "Puerto Rico": "Puerto-Riko", + "Qatar": "Qatar", + "Quarter To Date": "Məhəllə Bu Günə Qədər", + "Reload": "Yenidən başladın", + "Remember Me": "Məni Yadda Saxla", + "Reset Filters": "Filtreler yenidən", + "Reset Password": "parol sıfırlama", + "Reset Password Notification": "Parol sıfırlama bildirişi", + "resource": "resurs", + "Resources": "Resurslar", + "resources": "resurslar", + "Restore": "Bərpa", + "Restore Resource": "Resursun bərpası", + "Restore Selected": "Bərpa Seçilmiş", + "Reunion": "Reyunyon", + "Romania": "Rumıniya", + "Run Action": "Fəaliyyət icra", + "Russian Federation": "Rusiya Federasiyası", + "Rwanda": "Rwanda", + "Saint Barthelemy": "Müqəddəs Varfolomey", + "Saint Helena": "Müqəddəs Yelena Adası", + "Saint Kitts And Nevis": "Sent-Kits və Nevis", + "Saint Lucia": "Sent-Lüsiya", + "Saint Martin": "Müqəddəs Martin", + "Saint Pierre And Miquelon": "Sankt-Pierre və Miquelon", + "Saint Vincent And Grenadines": "Sent-Vinsent və Qrenada", + "Samoa": "Samoa", + "San Marino": "San-Marino", + "Sao Tome And Principe": "Sao tome və Principe", + "Saudi Arabia": "Səudiyyə Ərəbistanı", + "Search": "Axtarış", + "Select Action": "Seçin Fəaliyyət", + "Select All": "bütün seçin", + "Select All Matching": "Bütün Uyğun Seçin", + "Send Password Reset Link": "Parolu Sıfırlamak Üçün Link Göndər", + "Senegal": "Seneqal", + "September": "Sentyabr", + "Serbia": "Serbiya", + "Seychelles": "Seyşel adaları", + "Show All Fields": "Bütün Sahələri Göstər", + "Show Content": "Məzmunu göstər", + "Sierra Leone": "Sierra-Leone", + "Singapore": "Sinqapur", + "Sint Maarten (Dutch part)": "Sint Martin", + "Slovakia": "Slovakiya", + "Slovenia": "Sloveniya", + "Solomon Islands": "Solomon adaları", + "Somalia": "Somali", + "Something went wrong.": "Bir şey yanlış getdi.", + "Sorry! You are not authorized to perform this action.": "Bağışla! Bu hərəkəti yerinə yetirmək üçün səlahiyyətiniz yoxdur.", + "Sorry, your session has expired.": "Bağışlayın, sizin sessiya başa çatmışdır.", + "South Africa": "Cənubi Afrika", + "South Georgia And Sandwich Isl.": "Cənubi Corciya və Cənubi Sendviç adaları", + "South Sudan": "Cənubi Sudan", + "Spain": "İspaniya", + "Sri Lanka": "Şri-Lanka", + "Start Polling": "Sorğu başlamaq", + "Stop Polling": "Sorğu stop", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Spitsbergen və Yan Mayen", + "Swaziland": "Eswatini", + "Sweden": "İsveç", + "Switzerland": "İsveçrə", + "Syrian Arab Republic": "Suriya", + "Taiwan": "Tayvan", + "Tajikistan": "Tacikistan", + "Tanzania": "Tanzania", + "Thailand": "Tayland", + "The :resource was created!": ":resource ildə yaradılmışdır!", + "The :resource was deleted!": ":resource qaldırıldı!", + "The :resource was restored!": ":resource bərpa edilib!", + "The :resource was updated!": ":resource yeniləndi!", + "The action ran successfully!": "Aksiya uğurla keçdi!", + "The file was deleted!": "Fayl silindi!", + "The government won't let us show you what's behind these doors": "Hökumət bizə bu qapı arxasında nə göstərmək üçün imkan verməyəcək", + "The HasOne relationship has already been filled.": "Hasone əlaqələr artıq doldurulur.", + "The resource was updated!": "Resurs yeniləndi!", + "There are no available options for this resource.": "Bu resurs üçün mövcud variantlar yoxdur.", + "There was a problem executing the action.": "Hərəkətin yerinə yetirilməsi ilə bağlı bir problem var idi.", + "There was a problem submitting the form.": "Forma vermə problemi yarandı.", + "This file field is read-only.": "Bu fayl sahəsində oxumaq üçün yalnız mövcuddur.", + "This image": "Bu şəkil", + "This resource no longer exists": "Bu resurs artıq mövcud deyil", + "Timor-Leste": "Timor-Leste", + "Today": "Bu gün", + "Togo": "O", + "Tokelau": "Tokelau", + "Tonga": "Gəlin", + "total": "bütün", + "Trashed": "Darmadağın", + "Trinidad And Tobago": "Trinidad və Tobaqo", + "Tunisia": "Tunis", + "Turkey": "Turkiye", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Türk və Kaykos Adaları", + "Tuvalu": "Tuvalu", + "Uganda": "Uqanda", + "Ukraine": "Ukrayna", + "United Arab Emirates": "Birləşmiş Ərəb Əmirlikləri", + "United Kingdom": "Birləşmiş Krallıq", + "United States": "Amerika Birləşmiş Ştatları", + "United States Outlying Islands": "Uzaq ada, ABŞ", + "Update": "Yeniləmə", + "Update & Continue Editing": "Update və sonradan redaktə", + "Update :resource": ":resource yeniləmə", + "Update :resource: :title": ":resource yeniləmə: :title", + "Update attached :resource: :title": ":resource: :title əlavə yeniləmə", + "Uruguay": "Uruqvay", + "Uzbekistan": "Özbəkistan", + "Value": "Dəyər", + "Vanuatu": "Vanuatu", + "Venezuela": "Venesuela", + "Viet Nam": "Vietnam", + "View": "Bax", + "Virgin Islands, British": "Virgin Adaları", + "Virgin Islands, U.S.": "ABŞ Vircin adaları", + "Wallis And Futuna": "Uollis və Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Biz kosmosda itirdik. Gözdən keçirməyə çalışdığınız səhifə yoxdur.", + "Welcome Back!": "Qayıtmaqla!", + "Western Sahara": "Qərb Şəkər", + "Whoops": "Azerisport. az", + "Whoops!": "CPS!", + "With Trashed": "Əzilmiş İlə", + "Write": "Yazmaq", + "Year To Date": "Bir İl Əvvəl Bu Zaman", + "Yemen": "Yəmən", + "Yes": "Bəli", + "You are receiving this email because we received a password reset request for your account.": "Bu məktubu əldə edirsiniz, çünki hesabınız üçün parol sıfırlama tələbi aldıq.", + "Zambia": "Zambiya", + "Zimbabwe": "Zimbabve" +} diff --git a/locales/az/packages/spark-paddle.json b/locales/az/packages/spark-paddle.json new file mode 100644 index 00000000000..ef516269fec --- /dev/null +++ b/locales/az/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Xidmət Şərtləri", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "CPS! Bir şey yanlış getdi.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/az/packages/spark-stripe.json b/locales/az/packages/spark-stripe.json new file mode 100644 index 00000000000..de685e8cd52 --- /dev/null +++ b/locales/az/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Əfqanıstan", + "Albania": "Albaniya", + "Algeria": "Əlcəzair", + "American Samoa": "Amerika Samoası", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Asian anasini", + "Antarctica": "Antarktida", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Bacisini", + "Aruba": "Aruba", + "Australia": "Avstraliya", + "Austria": "Avstriya", + "Azerbaijan": "Azərbaycan", + "Bahamas": "Baham adaları", + "Bahrain": "Bəhreyn", + "Bangladesh": "Banqladeş", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belçika", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Aglayan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botsvana", + "Bouvet Island": "Buve Adası", + "Brazil": "Braziliya", + "British Indian Ocean Territory": "Britaniya ərazisi Hind okeanında", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bolqarıstan", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kamboca", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Cape Verde", + "Card": "Kart", + "Cayman Islands": "Kayman Adaları", + "Central African Republic": "Mərkəzi Afrika Respublikası", + "Chad": "Çad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Çili", + "China": "Çin", + "Christmas Island": "Milad Adası", + "City": "City", + "Cocos (Keeling) Islands": "Kokos (Keeling) Adaları", + "Colombia": "Kolumbiya", + "Comoros": "Komor adaları", + "Confirm Payment": "Ödəniş Təsdiq", + "Confirm your :amount payment": ":amount ödənişinizi təsdiqləyin", + "Congo": "Konqo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Cook Islands", + "Costa Rica": "Kosta-Rika", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Xorvatiya", + "Cuba": "Quba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Kipr", + "Czech Republic": "Çexiya", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Danimarka", + "Djibouti": "Cibuti", + "Dominica": "Bazar günü", + "Dominican Republic": "Dominikan Respublikası", + "Download Receipt": "Download Receipt", + "Ecuador": "Ekvador", + "Egypt": "Bacisini", + "El Salvador": "Xilaskar", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Ekvatorial Qvineya", + "Eritrea": "Eritreya", + "Estonia": "Estoniya", + "Ethiopia": "Efiopiya", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Ödənişinizi emal etmək üçün əlavə Təsdiq tələb olunur. Aşağıdakı ' düyməsinə tıklayarak ödəniş səhifəsinə gedin.", + "Falkland Islands (Malvinas)": "Falkland (Islas Malvınas) adaları)", + "Faroe Islands": "Farer adaları", + "Fiji": "Fiji", + "Finland": "Finlandiya", + "France": "Fransa", + "French Guiana": "Fransız Quyanası", + "French Polynesia": "Fransız Polinezyası", + "French Southern Territories": "Fransız Cənub əraziləri", + "Gabon": "Qabon", + "Gambia": "Qambiya", + "Georgia": "Gürcüstan", + "Germany": "Almaniya", + "Ghana": "Qana", + "Gibraltar": "Gibraltar", + "Greece": "Yunanıstan", + "Greenland": "Greenland", + "Grenada": "Qrenada", + "Guadeloupe": "Qizin Acilmasi", + "Guam": "Quam", + "Guatemala": "Qvatemala", + "Guernsey": "Guernsey", + "Guinea": "Qvineya", + "Guinea-Bissau": "Qvineya-Bisau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Macarıstan", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "İslandiya", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Hindistan", + "Indonesia": "Hamamda", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "İraq", + "Ireland": "İrlandiya", + "Isle of Man": "Isle of Man", + "Israel": "İsrail", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "İtaliya", + "Jamaica": "Jamaica", + "Japan": "Yaponiya", + "Jersey": "Jersey", + "Jordan": "İordaniya", + "Kazakhstan": "Qazaxstan", + "Kenya": "Keniya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Şimali Koreya", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Küveyt", + "Kyrgyzstan": "Qırğızıstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latviya", + "Lebanon": "Livan", + "Lesotho": "Lesotho", + "Liberia": "Liberiya", + "Libyan Arab Jamahiriya": "Liviya", + "Liechtenstein": "Lixtenşteyn", + "Lithuania": "Anasini", + "Luxembourg": "Luxembourg", + "Macao": "Makao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madaqaskar", + "Malawi": "Malavi", + "Malaysia": "Malayziya", + "Maldives": "Maldiv", + "Mali": "Kiçik", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marşal adaları", + "Martinique": "Martinik", + "Mauritania": "Mavritaniya", + "Mauritius": "Mauritius", + "Mayotte": "Mayott", + "Mexico": "Meksika", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monako", + "Mongolia": "Monqolustan", + "Montenegro": "Çernoqoriya", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Mərakeş", + "Mozambique": "Mozambik", + "Myanmar": "Myanma", + "Namibia": "Namibiya", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Hollandiya", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Yeni Kaledoniya", + "New Zealand": "Yeni Zelandiya", + "Nicaragua": "Nikaraqua", + "Niger": "Niger", + "Nigeria": "Nigeriya", + "Niue": "Niue", + "Norfolk Island": "Norfolk Adası", + "Northern Mariana Islands": "Şimali Marian adaları", + "Norway": "Norveç", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Fələstin əraziləri", + "Panama": "Panama", + "Papua New Guinea": "Papua-Yeni Qvineya", + "Paraguay": "Paraqvay", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Filippin", + "Pitcairn": "Pitcairn Adaları", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Polşa", + "Portugal": "Portuqaliya", + "Puerto Rico": "Puerto-Riko", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Rumıniya", + "Russian Federation": "Rusiya Federasiyası", + "Rwanda": "Rwanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Müqəddəs Yelena Adası", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Sent-Lüsiya", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San-Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Səudiyyə Ərəbistanı", + "Save": "Saxlamaq", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Seneqal", + "Serbia": "Serbiya", + "Seychelles": "Seyşel adaları", + "Sierra Leone": "Sierra-Leone", + "Signed in as": "Signed in as", + "Singapore": "Sinqapur", + "Slovakia": "Slovakiya", + "Slovenia": "Sloveniya", + "Solomon Islands": "Solomon adaları", + "Somalia": "Somali", + "South Africa": "Cənubi Afrika", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "İspaniya", + "Sri Lanka": "Şri-Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "İsveç", + "Switzerland": "İsveçrə", + "Syrian Arab Republic": "Suriya", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tacikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Xidmət Şərtləri", + "Thailand": "Tayland", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "O", + "Tokelau": "Tokelau", + "Tonga": "Gəlin", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunis", + "Turkey": "Turkiye", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uqanda", + "Ukraine": "Ukrayna", + "United Arab Emirates": "Birləşmiş Ərəb Əmirlikləri", + "United Kingdom": "Birləşmiş Krallıq", + "United States": "Amerika Birləşmiş Ştatları", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Yeniləmə", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruqvay", + "Uzbekistan": "Özbəkistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Virgin Adaları", + "Virgin Islands, U.S.": "ABŞ Vircin adaları", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Qərb Şəkər", + "Whoops! Something went wrong.": "CPS! Bir şey yanlış getdi.", + "Yearly": "Yearly", + "Yemen": "Yəmən", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambiya", + "Zimbabwe": "Zimbabve", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/be/be.json b/locales/be/be.json index 1278fc383c3..99630460ba3 100644 --- a/locales/be/be.json +++ b/locales/be/be.json @@ -1,710 +1,48 @@ { - "30 Days": "30 дзён", - "60 Days": "60 дзён", - "90 Days": "90 дзён", - ":amount Total": "Усяго :amount", - ":days day trial": ":days day trial", - ":resource Details": ":resource падрабязнасці", - ":resource Details: :title": ":resource дэталі: :title", "A fresh verification link has been sent to your email address.": "На ваш адрас электроннай пошты была адпраўлена свежая праверачная спасылка.", - "A new verification link has been sent to the email address you provided during registration.": "Новая праверачная спасылка была адпраўлена на адрас электроннай пошты, паказаны Вамі пры рэгістрацыі.", - "Accept Invitation": "Прыняць Запрашэнне", - "Action": "Дзеянне", - "Action Happened At": "Здарылася Ў", - "Action Initiated By": "Ініцыяваны", - "Action Name": "Імя", - "Action Status": "Статус", - "Action Target": "Мэта", - "Actions": "Дзеянне", - "Add": "Дадаць", - "Add a new team member to your team, allowing them to collaborate with you.": "Дадайце ў сваю каманду новага члена каманды, каб ён мог супрацоўнічаць з вамі.", - "Add additional security to your account using two factor authentication.": "Дадайце дадатковую бяспеку да вашай ўліковага запісу з дапамогай двухфакторную аўтэнтыфікацыі.", - "Add row": "Дадаць радок", - "Add Team Member": "Дадаць Члена Каманды", - "Add VAT Number": "Add VAT Number", - "Added.": "Даданы.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Адміністратар", - "Administrator users can perform any action.": "Карыстальнікі-адміністратары могуць выконваць любыя дзеянні.", - "Afghanistan": "Афганістан", - "Aland Islands": "Аландскія астравы", - "Albania": "Албанія", - "Algeria": "Алжыр", - "All of the people that are part of this team.": "Усе людзі, якія з'яўляюцца часткай гэтай каманды.", - "All resources loaded.": "Усе рэсурсы загружаныя.", - "All rights reserved.": "Усе правы абаронены.", - "Already registered?": "Ужо зарэгістраваўся?", - "American Samoa": "Амерыканскае Самоа", - "An error occured while uploading the file.": "Пры загрузцы файла адбылася памылка.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Андора", - "Angola": "Ангола", - "Anguilla": "Ангілья", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Іншы карыстальнік абнавіў гэты рэсурс з моманту загрузкі гэтай старонкі. Калі ласка, абновіце старонку і паўтарыце спробу.", - "Antarctica": "Антарктыда", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Антыгуа і Барбуда", - "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 дазваляюць іншым сэрвісам аўтэнтыфікаваных ў нашым дадатку ад вашага імя.", - "April": "Красавік", - "Are you sure you want to delete the selected resources?": "Вы ўпэўненыя, што жадаеце выдаліць выбраныя рэсурсы?", - "Are you sure you want to delete this file?": "Вы ўпэўненыя, што жадаеце выдаліць файл?", - "Are you sure you want to delete this resource?": "Вы ўпэўненыя, што жадаеце выдаліць гэты рэсурс?", - "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 detach the selected resources?": "Вы ўпэўненыя, што жадаеце адлучыць выбраныя рэсурсы?", - "Are you sure you want to detach this resource?": "Вы ўпэўненыя, што жадаеце адлучыць гэты рэсурс?", - "Are you sure you want to force delete the selected resources?": "Вы ўпэўненыя, што хочаце прымусова выдаліць выбраныя рэсурсы?", - "Are you sure you want to force delete this resource?": "Вы ўпэўненыя, што хочаце прымусова выдаліць гэты рэсурс?", - "Are you sure you want to restore the selected resources?": "Вы ўпэўненыя, што хочаце, каб аднавіць выбраныя рэсурсы?", - "Are you sure you want to restore this resource?": "Вы ўпэўненыя, што хочаце аднавіць гэты рэсурс?", - "Are you sure you want to run this action?": "Вы ўпэўненыя, што хочаце запусціць гэта дзеянне?", - "Are you sure you would like to delete this API token?": "Вы ўпэўненыя, што хочаце выдаліць гэты маркер API?", - "Are you sure you would like to leave this team?": "Вы ўпэўненыя, што хацелі б пакінуць гэтую каманду?", - "Are you sure you would like to remove this person from the team?": "Вы ўпэўненыя, што хочаце выдаліць гэтага чалавека з каманды?", - "Argentina": "Аргенціна", - "Armenia": "Арменія", - "Aruba": "Аруба", - "Attach": "Прымацоўваць", - "Attach & Attach Another": "Прымацаваць і прымацаваць яшчэ адзін", - "Attach :resource": "Прымацаваць :resource", - "August": "Жнівень", - "Australia": "Аўстралія", - "Austria": "Аўстрыя", - "Azerbaijan": "Азербайджан", - "Bahamas": "Багамскія астравы", - "Bahrain": "Бахрэйн", - "Bangladesh": "Бангладэш", - "Barbados": "Барбадас", "Before proceeding, please check your email for a verification link.": "Перш чым працягнуць, калі ласка, праверце сваю электронную пошту на наяўнасць праверачнай спасылкі.", - "Belarus": "Беларусь", - "Belgium": "Бельгія", - "Belize": "Беліз", - "Benin": "Бенін", - "Bermuda": "Бермудскія астравы", - "Bhutan": "Бутан", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Балівія", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sabbath", - "Bosnia And Herzegovina": "Боснія і Герцагавіна", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Батсвана", - "Bouvet Island": "Востраў Буве", - "Brazil": "Бразілія", - "British Indian Ocean Territory": "Брытанская тэрыторыя ў Індыйскім акіяне", - "Browser Sessions": "Сеансы браўзэра", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Балгарыя", - "Burkina Faso": "Буркіна-Фасо", - "Burundi": "Бурундзі", - "Cambodia": "Камбоджа", - "Cameroon": "Камерун", - "Canada": "Канада", - "Cancel": "Адмяніць", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Каба-Вэрдэ", - "Card": "Карта", - "Cayman Islands": "Кайманавы астравы", - "Central African Republic": "Цэнтральнаафрыканская Рэспубліка", - "Chad": "Чад", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Змена", - "Chile": "Чылі", - "China": "Кітай", - "Choose": "Выбіраць", - "Choose :field": "Выберыце :field", - "Choose :resource": "Выберыце :resource", - "Choose an option": "Выберыце варыянт", - "Choose date": "Выберыце дату", - "Choose File": "Вылучыце Файл", - "Choose Type": "Выберыце Тып", - "Christmas Island": "Востраў Раства", - "City": "City", "click here to request another": "Націсніце тут, каб запытаць яшчэ адзін", - "Click to choose": "Націсніце, каб выбраць", - "Close": "Закрываць", - "Cocos (Keeling) Islands": "Какос (Кілінг) Астравы", - "Code": "Код", - "Colombia": "Калумбія", - "Comoros": "Каморскія астравы", - "Confirm": "Пацвярджаць", - "Confirm Password": "Пацвердзіце Пароль", - "Confirm Payment": "Пацвердзіце Аплату", - "Confirm your :amount payment": "Пацвердзіце свой плацёж :amount", - "Congo": "Конга", - "Congo, Democratic Republic": "Конга, Дэмакратычная Рэспубліка", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Пастаянны", - "Cook Islands": "Выспы Кука", - "Costa Rica": "Коста-Рыка", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "знайсці яго не ўдалося.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Ствараць", - "Create & Add Another": "Стварыць і дадаць яшчэ адзін", - "Create :resource": "Стварыць :resource", - "Create a new team to collaborate with others on projects.": "Стварыце новую каманду для сумеснай працы над праектамі.", - "Create Account": "стварыць рахунак", - "Create API Token": "Стварэнне маркер API", - "Create New Team": "Стварыць Новую Каманду", - "Create Team": "Стварыць каманду", - "Created.": "Створаны.", - "Croatia": "Харватыя", - "Cuba": "Куба", - "Curaçao": "Кюрасао", - "Current Password": "бягучы пароль", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Настроіць", - "Cyprus": "Кіпр", - "Czech Republic": "Чэхія", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Прыборная панэль", - "December": "Снежань", - "Decrease": "Памяншаць", - "Delete": "Выдаліць", - "Delete Account": "Выдаліць уліковы запіс", - "Delete API Token": "Выдаліць маркер API", - "Delete File": "Выдаліць файл", - "Delete Resource": "Выдаліць рэсурс", - "Delete Selected": "Выдаліць Вылучаны", - "Delete Team": "Выдаліць каманду", - "Denmark": "Данія", - "Detach": "Адлучыць", - "Detach Resource": "Адлучыць рэсурс", - "Detach Selected": "Адлучыць Вылучаны", - "Details": "Падрабязнасць", - "Disable": "Адключаць", - "Djibouti": "Джыбуці", - "Do you really want to leave? You have unsaved changes.": "Ты сапраўды хочаш сысці? У вас ёсць незахаваныя змены.", - "Dominica": "Нядзеля", - "Dominican Republic": "Дамініканская Рэспубліка", - "Done.": "Зроблены.", - "Download": "Скачаць", - "Download Receipt": "Download Receipt", "E-Mail Address": "Адрас электроннай пошты", - "Ecuador": "Эквадор", - "Edit": "Рэдагаваць", - "Edit :resource": "Праўка :resource", - "Edit Attached": "Праўка Прыкладаецца", - "Editor": "Рэдактар", - "Editor users have the ability to read, create, and update.": "Карыстальнікі рэдактара маюць магчымасць чытаць, ствараць і абнаўляць.", - "Egypt": "Егіпет", - "El Salvador": "Збавіцель", - "Email": "Электронная пошта", - "Email Address": "адрас электроннай пошты", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Спасылка для скіду Пароля электроннай пошты", - "Enable": "Уключыць", - "Ensure your account is using a long, random password to stay secure.": "Пераканайцеся, што ваш уліковы запіс выкарыстоўвае доўгі выпадковы пароль, каб заставацца ў бяспецы.", - "Equatorial Guinea": "Экватарыяльная Гвінея", - "Eritrea": "Эрытрэя", - "Estonia": "Эстонія", - "Ethiopia": "Эфіопія", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Для апрацоўкі вашага плацяжу патрабуецца дадатковае пацверджанне. Калі ласка, пацвердзіце свой плацёж, запоўніўшы аплатныя рэквізіты ніжэй.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Для апрацоўкі вашага плацяжу патрабуецца дадатковае пацверджанне. Калі ласка, перайдзіце на старонку аплаты, націснуўшы на кнопку ніжэй.", - "Falkland Islands (Malvinas)": "Фальклендзкія (Мальвінскія) астравы)", - "Faroe Islands": "Фарэрскія астравы", - "February": "Люты", - "Fiji": "Фіджы", - "Finland": "Фінляндыя", - "For your security, please confirm your password to continue.": "Для вашай бяспекі, калі ласка, пацвердзіце свой пароль, каб працягнуць.", "Forbidden": "Забаронены", - "Force Delete": "Прымусовае выдаленне", - "Force Delete Resource": "Прымусовае выдаленне рэсурсу", - "Force Delete Selected": "Прымусовае Выдаленне Абранага", - "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.": "Забыліся свой пароль? Без праблем. Проста паведаміце нам свой адрас электроннай пошты, і мы вышлем вам спасылку для скіду пароля, якая дазволіць вам выбраць новы.", - "France": "Францыя", - "French Guiana": "Французская Гвіяна", - "French Polynesia": "Французская Палінезія", - "French Southern Territories": "Французскія Паўднёвыя Тэрыторыі", - "Full name": "Поўнае імя", - "Gabon": "Габон", - "Gambia": "Гамбія", - "Georgia": "Грузія", - "Germany": "Германія", - "Ghana": "Гана", - "Gibraltar": "Гібралтар", - "Go back": "Вяртацца", - "Go Home": "пайсці дадому", "Go to page :page": "Перайсці на старонку :page", - "Great! You have accepted the invitation to join the :team team.": "Выдатна! Вы прынялі запрашэнне далучыцца да каманды :team.", - "Greece": "Грэцыя", - "Greenland": "Грэнландыя", - "Grenada": "Грэнада", - "Guadeloupe": "Гвадэлупа", - "Guam": "Гуам", - "Guatemala": "Гватэмала", - "Guernsey": "Гернсі", - "Guinea": "Гвінея", - "Guinea-Bissau": "Гвінея-Бісау", - "Guyana": "Гаяна", - "Haiti": "Гаіці", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Выспы Херд і Макдональд", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Прывітанне!", - "Hide Content": "Схаваць змесціва", - "Hold Up!": "- Пачакай!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Гандурас", - "Hong Kong": "Ганконг", - "Hungary": "Венгрыя", - "I agree to the :terms_of_service and :privacy_policy": "Я згодны на :terms_of_service і :privacy_policy", - "Iceland": "Ісландыя", - "ID": "Ідэнтыфікатар", - "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 logout 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 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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Калі ў вас узніклі праблемы з націскам кнопкі \":actionText\", скапіруйце і ўстаўце URL ніжэй\nу свой вэб-браўзэр:", - "Increase": "Павелічэнне", - "India": "Індыя", - "Indonesia": "Інданезія", "Invalid signature.": "Няслушны подпіс.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Іран", - "Iraq": "Ірак", - "Ireland": "Ірландыя", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Востраў Мэн", - "Israel": "Ізраіль", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Італія", - "Jamaica": "Ямайка", - "January": "Студзень", - "Japan": "Японія", - "Jersey": "Джэрсі", - "Jordan": "Іарданія", - "July": "Ліпень", - "June": "Чэрвень", - "Kazakhstan": "Казахстан", - "Kenya": "Кенія", - "Key": "Ключ", - "Kiribati": "Кірыбаці", - "Korea": "Паўднёвая Карэя", - "Korea, Democratic People's Republic of": "Паўночная Карэя", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Косава", - "Kuwait": "Кувейт", - "Kyrgyzstan": "Кыргызстан", - "Lao People's Democratic Republic": "Лаос", - "Last active": "Апошні актыўны", - "Last used": "Апошні раз выкарыстоўваўся", - "Latvia": "Латвія", - "Leave": "Пакідаць", - "Leave Team": "Пакінуць каманду", - "Lebanon": "Ліван", - "Lens": "Аб'ектыў", - "Lesotho": "Лесота", - "Liberia": "Ліберыя", - "Libyan Arab Jamahiriya": "Лівія", - "Liechtenstein": "Ліхтэнштэйн", - "Lithuania": "Літва", - "Load :perPage More": "Загрузіць яшчэ :per старонкі", - "Log in": "Аўтарызавацца", "Log out": "Выйсці з сістэмы", - "Log Out": "выйсці з сістэмы", - "Log Out Other Browser Sessions": "Выйдзіце З Іншых Сеансаў Браўзэра", - "Login": "Аўтарызавацца", - "Logout": "Выхад з сістэмы", "Logout Other Browser Sessions": "Выхад З Іншых Сеансаў Браўзэра", - "Luxembourg": "Люксембург", - "Macao": "Макао", - "Macedonia": "Паўночная Македонія", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Мадагаскар", - "Malawi": "Малаві", - "Malaysia": "Малайзія", - "Maldives": "Мальдывы", - "Mali": "Маленькі", - "Malta": "Мальта", - "Manage Account": "Кіраванне уліковай запісам", - "Manage and log out your active sessions on other browsers and devices.": "Кіруйце актыўнымі сеансамі і выходзьце з іх у іншых браўзэрах і прыладах.", "Manage and logout your active sessions on other browsers and devices.": "Кіруйце актыўнымі сеансамі і выходзьце з іх у іншых браўзэрах і прыладах.", - "Manage API Tokens": "Кіраванне токенаў API", - "Manage Role": "Кіраванне роляй", - "Manage Team": "Кіраванне камандай", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Сакавік", - "Marshall Islands": "Маршалавы астравы", - "Martinique": "Марцініка", - "Mauritania": "Маўрытанія", - "Mauritius": "Маўрыкій", - "May": "Май", - "Mayotte": "Маёта", - "Mexico": "Мексіка", - "Micronesia, Federated States Of": "Мікранезія", - "Moldova": "Малдова", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Манака", - "Mongolia": "Манголія", - "Montenegro": "Чарнагорыя", - "Month To Date": "Месяц Да Цяперашняга Часу", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Монтсеррат", - "Morocco": "Марока", - "Mozambique": "Мазамбік", - "Myanmar": "М'янма", - "Name": "Імя", - "Namibia": "Намібія", - "Nauru": "Науру", - "Nepal": "Непал", - "Netherlands": "Нідэрланды", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Не бярыце ў галаву", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Новы", - "New :resource": "Новы :resource", - "New Caledonia": "Новая Каледонія", - "New Password": "Новы пароль", - "New Zealand": "Новая Зеландыя", - "Next": "Наступны", - "Nicaragua": "Нікарагуа", - "Niger": "Нігер", - "Nigeria": "Нігерыя", - "Niue": "Ніуе", - "No": "Не", - "No :resource matched the given criteria.": "Ні адзін нумар :resource не адпавядаў зададзеным крытэрам.", - "No additional information...": "Ніякай дадатковай інфармацыі...", - "No Current Data": "Няма Бягучых Дадзеных", - "No Data": "Няма Дадзеных", - "no file selected": "файл не абраны", - "No Increase": "Ніякага Павелічэння", - "No Prior Data": "Ніякіх Папярэдніх Дадзеных", - "No Results Found.": "Ніякіх Вынікаў Не Знойдзена.", - "Norfolk Island": "Востраў Норфолк", - "Northern Mariana Islands": "Паўночныя Марыянскія выспы", - "Norway": "Нарвегія", "Not Found": "не знойдзена", - "Nova User": "Карыстальнік Nova", - "November": "Лістапад", - "October": "Кастрычнік", - "of": "ад", "Oh no": "Аб няма", - "Oman": "Аман", - "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 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 Trashed": "Толькі Разграмілі", - "Original": "Арыгінал", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Старонка Пратэрмінаваная", "Pagination Navigation": "Навігацыя па старонках", - "Pakistan": "Пакістан", - "Palau": "Палаў", - "Palestinian Territory, Occupied": "Палестынскія тэрыторыі", - "Panama": "Панама", - "Papua New Guinea": "Папуа Новая Гвінея", - "Paraguay": "Парагвай", - "Password": "Пароль", - "Pay :amount": "Аплата :amount", - "Payment Cancelled": "Аплата Скасаваная", - "Payment Confirmation": "Пацверджанне аплаты", - "Payment Information": "Payment Information", - "Payment Successful": "Аплата Прайшла Паспяхова", - "Pending Team Invitations": "Якія Чакаюць Запрашэння Каманды", - "Per Page": "На Старонку", - "Permanently delete this team.": "Назаўжды выдаліце гэтую каманду.", - "Permanently delete your account.": "Назаўжды выдаліць свой уліковы запіс.", - "Permissions": "Дазвол", - "Peru": "Пяро", - "Philippines": "Філіпіны", - "Photo": "Фатаграфія", - "Pitcairn": "Выспы Піткэрн", "Please click the button below to verify your email address.": "Калі ласка, націсніце кнопку ніжэй, каб пацвердзіць свой адрас электроннай пошты.", - "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 your password before continuing.": "Калі ласка, пацвердзіце свой пароль, перш чым працягнуць.", - "Please copy your new API token. For your security, it won't be shown again.": "Калі ласка, скапіюйце ваш новы маркер API. Для вашай бяспекі ён больш не будзе паказаны.", - "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 logout of your other browser sessions across all of your devices.": "Калі ласка, увядзіце свой пароль, каб пацвердзіць, што вы хочаце выйсці з іншых сеансаў браўзэра на ўсіх вашых прыладах.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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. The email address must be associated with an existing account.": "Калі ласка, пакажыце адрас электроннай пошты чалавека, якога вы хацелі б дадаць у гэтую каманду. Адрас электроннай пошты павінен быць звязаны з існуючай уліковым запісам.", - "Please provide your name.": "Калі ласка, назавіце сваё імя.", - "Poland": "Польшча", - "Portugal": "Партугалія", - "Press \/ to search": "Націсніце \/ для пошуку", - "Preview": "Папярэдні прагляд", - "Previous": "Папярэдні", - "Privacy Policy": "палітыка прыватнасці", - "Profile": "Профіль", - "Profile Information": "Інфармацыя аб профілі", - "Puerto Rico": "Пуэрта-Рыка", - "Qatar": "катар", - "Quarter To Date": "Квартал Да Цяперашняга Часу", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Код аднаўлення", "Regards": "З павагай", - "Regenerate Recovery Codes": "Рэгенерацыя кодаў аднаўлення", - "Register": "Зарэгістраваць", - "Reload": "Перазагрузіць", - "Remember me": "Помні мяне", - "Remember Me": "Помні Мяне", - "Remove": "Выдаляць", - "Remove Photo": "Выдаліць Фатаграфію", - "Remove Team Member": "Выдаліць Члена Каманды", - "Resend Verification Email": "Паўторная Адпраўка Лісты Паверкавага", - "Reset Filters": "Скід фільтраў", - "Reset Password": "Скід пароля", - "Reset Password Notification": "Апавяшчэнне аб скідзе Пароля", - "resource": "рэсурс", - "Resources": "Рэсурсы", - "resources": "рэсурсы", - "Restore": "Аднаўляць", - "Restore Resource": "Аднаўленне рэсурсу", - "Restore Selected": "Аднавіць Выбранае", "results": "вынікі", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Рэюньён", - "Role": "Роля", - "Romania": "Румынія", - "Run Action": "Выканаць дзеянне", - "Russian Federation": "Расійская Федэрацыя", - "Rwanda": "Руанда", - "Réunion": "Réunion", - "Saint Barthelemy": "Святы Варфаламей", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Востраў Святой Алены", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "Сэнт-Кітс і Нэвіс", - "Saint Lucia": "Сэнт-Люсія", - "Saint Martin": "Святы Марцін", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "Сен-П'ер і Міквэлон", - "Saint Vincent And Grenadines": "Сэнт-Вінсэнт і Грэнадыны", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Самоа", - "San Marino": "Сан-Марына", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "Сан-Томе і Прынсэп", - "Saudi Arabia": "Саудаўская Аравія", - "Save": "Захаваць", - "Saved.": "Захаваны.", - "Search": "Пошук", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Выберыце Новую Фатаграфію", - "Select Action": "Выберыце Дзеянне", - "Select All": "выбраць усе", - "Select All Matching": "Абярыце Ўсе Супадаючыя", - "Send Password Reset Link": "Адправіць Спасылку Для Скіду Пароля", - "Senegal": "Сенегал", - "September": "Верасень", - "Serbia": "Сербія", "Server Error": "Памылка сервера", "Service Unavailable": "Паслуга Недаступная", - "Seychelles": "Сейшэльскія астравы", - "Show All Fields": "Паказаць Усе Палі", - "Show Content": "Паказаць змесціва", - "Show Recovery Codes": "Паказаць Коды Аднаўлення", "Showing": "Паказ", - "Sierra Leone": "Сьера-Леонэ", - "Signed in as": "Signed in as", - "Singapore": "Сінгапур", - "Sint Maarten (Dutch part)": "Сінт Мартэн", - "Slovakia": "Славакія", - "Slovenia": "Славенія", - "Solomon Islands": "Саламонавы астравы", - "Somalia": "Самалі", - "Something went wrong.": "Нешта пайшло не так.", - "Sorry! You are not authorized to perform this action.": "Даруй! Вы не ўпаўнаважаны выконваць гэта дзеянне.", - "Sorry, your session has expired.": "Выбачайце, ваш сеанс скончыўся.", - "South Africa": "Паўднёвая Афрыка", - "South Georgia And Sandwich Isl.": "Паўднёвая Георгія і Паўднёвыя Сандвічавы астравы", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Паўднёвы Судан", - "Spain": "Іспанія", - "Sri Lanka": "Шры-Ланка", - "Start Polling": "Пачаць апытанне", - "State \/ County": "State \/ County", - "Stop Polling": "Спыніць апытанне", - "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.": "Захоўвайце гэтыя коды аднаўлення ў бяспечным мэнэджару пароляў. Яны могуць быць выкарыстаны для аднаўлення доступу да вашай ўліковага запісу, калі ваша прылада двухфакторную аўтэнтыфікацыі страчана.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Судан", - "Suriname": "Сурынам", - "Svalbard And Jan Mayen": "Шпіцбэрген і Ян-Майен", - "Swaziland": "Eswatini", - "Sweden": "Швецыя", - "Switch Teams": "Пераключэнне каманд", - "Switzerland": "Швейцарыя", - "Syrian Arab Republic": "Сірыя", - "Taiwan": "Тайвань", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Таджыкістан", - "Tanzania": "Танзанія", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Дэталі каманды", - "Team Invitation": "Запрашэнне ў каманду", - "Team Members": "Члены каманды", - "Team Name": "Назва каманды", - "Team Owner": "Уладальнік каманды", - "Team Settings": "Настаўленні каманды", - "Terms of Service": "Умовы абслугоўвання", - "Thailand": "Тайланд", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute павінна быць сапраўднай роляй.", - "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 and 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 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 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.": ":attribute павінна быць не менш :length знака.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource быў створаны!", - "The :resource was deleted!": ":resource быў выдалены!", - "The :resource was restored!": ":resource быў адноўлены!", - "The :resource was updated!": ":resource быў абноўлены!", - "The action ran successfully!": "Акцыя прайшла паспяхова!", - "The file was deleted!": "Файл быў выдалены!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Урад не дазволіць нам паказаць вам, што знаходзіцца за гэтымі дзвярыма", - "The HasOne relationship has already been filled.": "Адносіны hasOne ўжо запоўненыя.", - "The payment was successful.": "Аплата прайшла паспяхова.", - "The provided coupon code is invalid.": "The provided coupon code is 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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Рэсурс быў абноўлены!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Імя каманды і інфармацыя аб уладальніку.", - "There are no available options for this resource.": "Для гэтага рэсурсу няма даступных варыянтаў.", - "There was a problem executing the action.": "Паўстала праблема з выкананнем дзеянні.", - "There was a problem submitting the form.": "Узнікла праблема з падачай формы.", - "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.": "Гэтыя людзі былі запрошаныя ў вашу каманду і атрымалі запрашэнне па электроннай пошце. Яны могуць далучыцца да каманды, прыняўшы запрашэнне па электроннай пошце.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Гэта дзеянне з'яўляецца несанкцыянаваным.", - "This device": "Гэта прылада", - "This file field is read-only.": "Гэта поле файла даступна толькі для чытання.", - "This image": "Гэты вобраз", - "This is a secure area of the application. Please confirm your password before continuing.": "Гэта бяспечная вобласць прыкладання. Калі ласка, пацвердзіце свой пароль, перш чым працягнуць.", - "This password does not match our records.": "Гэты пароль не супадае з нашымі запісамі.", "This password reset link will expire in :count minutes.": "Гэтая спасылка для скіду пароля мінае праз :count хвіліны.", - "This payment was already successfully confirmed.": "Гэты плацёж ужо быў паспяхова пацверджаны.", - "This payment was cancelled.": "Гэты плацёж быў адменены.", - "This resource no longer exists": "Гэты рэсурс больш не існуе", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Гэты карыстальнік ўжо належыць камандзе.", - "This user has already been invited to the team.": "Гэты карыстальнік ўжо запрошаны ў каманду.", - "Timor-Leste": "Тымор-Лешці", "to": "да", - "Today": "Сёння", "Toggle navigation": "Пераключэнне навігацыі", - "Togo": "Як яго", - "Tokelau": "Такелаў", - "Token Name": "Імя токена", - "Tonga": "Прыходзіць", "Too Many Attempts.": "Занадта Шмат Спробаў.", "Too Many Requests": "Занадта Шмат Просьбаў", - "total": "увесь", - "Total:": "Total:", - "Trashed": "Разгромлены", - "Trinidad And Tobago": "Трынідад і Табага", - "Tunisia": "Туніс", - "Turkey": "Індычка", - "Turkmenistan": "Туркменістан", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Астравы Тэркс і Кайкас", - "Tuvalu": "Тувалу", - "Two Factor Authentication": "Двухфакторную аўтэнтыфікацыя", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Цяпер ўключана двухфакторную аўтэнтыфікацыя. Отсканируйте наступны QR-код з дапамогай прыкладання authenticator вашага тэлефона.", - "Uganda": "Уганда", - "Ukraine": "Украіна", "Unauthorized": "Несанкцыянаванага", - "United Arab Emirates": "Аб'яднаныя Арабскія Эміраты", - "United Kingdom": "Аб'яднанае Каралеўства", - "United States": "Злучаныя Штаты", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "Аддаленыя астравы ЗША", - "Update": "Абнаўленне", - "Update & Continue Editing": "Абнаўленне і працяг рэдагавання", - "Update :resource": "Абнаўленне :resource", - "Update :resource: :title": "Абнаўленне :resource: :title", - "Update attached :resource: :title": "Абнаўленне прыкладаецца :resource: :title", - "Update Password": "Абнавіць пароль", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Абнавіце інфармацыю профілю вашай ўліковага запісу і адрас электроннай пошты.", - "Uruguay": "Уругвай", - "Use a recovery code": "Выкарыстоўвайце код аднаўлення", - "Use an authentication code": "Выкарыстоўвайце код аўтэнтыфікацыі", - "Uzbekistan": "Узбекістан", - "Value": "Каштоўнасць", - "Vanuatu": "Вануату", - "VAT Number": "VAT Number", - "Venezuela": "Венесуэла", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Праверце Адрас Электроннай Пошты", "Verify Your Email Address": "Праверце Свой Адрас Электроннай Пошты", - "Viet Nam": "Vietnam", - "View": "Глядзець", - "Virgin Islands, British": "Брытанскія Віргінскія выспы", - "Virgin Islands, U.S.": "Віргінскія астравы ЗША", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Уоліс і Футуна", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Нам не ўдалося знайсці зарэгістраванага карыстальніка з гэтым адрасам электроннай пошты.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Мы не будзем запытваць ваш пароль зноў на працягу некалькіх гадзін.", - "We're lost in space. The page you were trying to view does not exist.": "Мы згубіліся ў космасе. Старонка, якую вы спрабавалі праглядзець, не існуе.", - "Welcome Back!": "З Вяртаннем!", - "Western Sahara": "Заходняя Сахара", - "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 вашага тэлефона.", - "Whoops": "Упс", - "Whoops!": "Упс!", - "Whoops! Something went wrong.": "Упс! Нешта пайшло не так.", - "With Trashed": "З Разгромленым", - "Write": "Пісаць", - "Year To Date": "Год Да Гэтага Часу", - "Yearly": "Yearly", - "Yemen": "Йемен", - "Yes": "Так", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Вы ўвайшлі ў сістэму!", - "You are receiving this email because we received a password reset request for your account.": "Вы атрымліваеце гэты ліст, таму што мы атрымалі запыт на Скід пароля для вашага ўліковага запісу.", - "You have been invited to join the :team team!": "Вас запрасілі далучыцца да каманды :team!", - "You have enabled two factor authentication.": "Вы ўключылі двухфакторную аўтэнтыфікацыю.", - "You have not enabled two factor authentication.": "Вы не ўключылі двухфакторную аўтэнтыфікацыю.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.": "Вы не можаце пакінуць створаную вамі каманду.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Ваш адрас электроннай пошты не правераны.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Замбія", - "Zimbabwe": "Зімбабвэ", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Ваш адрас электроннай пошты не правераны." } diff --git a/locales/be/packages/cashier.json b/locales/be/packages/cashier.json new file mode 100644 index 00000000000..01629dedc80 --- /dev/null +++ b/locales/be/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Усе правы абаронены.", + "Card": "Карта", + "Confirm Payment": "Пацвердзіце Аплату", + "Confirm your :amount payment": "Пацвердзіце свой плацёж :amount", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Для апрацоўкі вашага плацяжу патрабуецца дадатковае пацверджанне. Калі ласка, пацвердзіце свой плацёж, запоўніўшы аплатныя рэквізіты ніжэй.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Для апрацоўкі вашага плацяжу патрабуецца дадатковае пацверджанне. Калі ласка, перайдзіце на старонку аплаты, націснуўшы на кнопку ніжэй.", + "Full name": "Поўнае імя", + "Go back": "Вяртацца", + "Jane Doe": "Jane Doe", + "Pay :amount": "Аплата :amount", + "Payment Cancelled": "Аплата Скасаваная", + "Payment Confirmation": "Пацверджанне аплаты", + "Payment Successful": "Аплата Прайшла Паспяхова", + "Please provide your name.": "Калі ласка, назавіце сваё імя.", + "The payment was successful.": "Аплата прайшла паспяхова.", + "This payment was already successfully confirmed.": "Гэты плацёж ужо быў паспяхова пацверджаны.", + "This payment was cancelled.": "Гэты плацёж быў адменены." +} diff --git a/locales/be/packages/fortify.json b/locales/be/packages/fortify.json new file mode 100644 index 00000000000..aef50b1ca8e --- /dev/null +++ b/locales/be/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 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 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.": ":attribute павінна быць не менш :length знака.", + "The provided password does not match your current password.": "Прадстаўлены пароль не адпавядае вашага бягучаму пароля.", + "The provided password was incorrect.": "Прадстаўлены пароль быў няслушным.", + "The provided two factor authentication code was invalid.": "Прадстаўлены код двухфакторную аўтэнтыфікацыі быў несапраўдны." +} diff --git a/locales/be/packages/jetstream.json b/locales/be/packages/jetstream.json new file mode 100644 index 00000000000..189dba923ea --- /dev/null +++ b/locales/be/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Новая праверачная спасылка была адпраўлена на адрас электроннай пошты, паказаны Вамі пры рэгістрацыі.", + "Accept Invitation": "Прыняць Запрашэнне", + "Add": "Дадаць", + "Add a new team member to your team, allowing them to collaborate with you.": "Дадайце ў сваю каманду новага члена каманды, каб ён мог супрацоўнічаць з вамі.", + "Add additional security to your account using two factor authentication.": "Дадайце дадатковую бяспеку да вашай ўліковага запісу з дапамогай двухфакторную аўтэнтыфікацыі.", + "Add Team Member": "Дадаць Члена Каманды", + "Added.": "Даданы.", + "Administrator": "Адміністратар", + "Administrator users can perform any action.": "Карыстальнікі-адміністратары могуць выконваць любыя дзеянні.", + "All of the people that are part of this team.": "Усе людзі, якія з'яўляюцца часткай гэтай каманды.", + "Already registered?": "Ужо зарэгістраваўся?", + "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 дазваляюць іншым сэрвісам аўтэнтыфікаваных ў нашым дадатку ад вашага імя.", + "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 delete this API token?": "Вы ўпэўненыя, што хочаце выдаліць гэты маркер API?", + "Are you sure you would like to leave this team?": "Вы ўпэўненыя, што хацелі б пакінуць гэтую каманду?", + "Are you sure you would like to remove this person from the team?": "Вы ўпэўненыя, што хочаце выдаліць гэтага чалавека з каманды?", + "Browser Sessions": "Сеансы браўзэра", + "Cancel": "Адмяніць", + "Close": "Закрываць", + "Code": "Код", + "Confirm": "Пацвярджаць", + "Confirm Password": "Пацвердзіце Пароль", + "Create": "Ствараць", + "Create a new team to collaborate with others on projects.": "Стварыце новую каманду для сумеснай працы над праектамі.", + "Create Account": "стварыць рахунак", + "Create API Token": "Стварэнне маркер API", + "Create New Team": "Стварыць Новую Каманду", + "Create Team": "Стварыць каманду", + "Created.": "Створаны.", + "Current Password": "бягучы пароль", + "Dashboard": "Прыборная панэль", + "Delete": "Выдаліць", + "Delete Account": "Выдаліць уліковы запіс", + "Delete API Token": "Выдаліць маркер API", + "Delete Team": "Выдаліць каманду", + "Disable": "Адключаць", + "Done.": "Зроблены.", + "Editor": "Рэдактар", + "Editor users have the ability to read, create, and update.": "Карыстальнікі рэдактара маюць магчымасць чытаць, ствараць і абнаўляць.", + "Email": "Электронная пошта", + "Email Password Reset Link": "Спасылка для скіду Пароля электроннай пошты", + "Enable": "Уключыць", + "Ensure your account is using a long, random password to stay secure.": "Пераканайцеся, што ваш уліковы запіс выкарыстоўвае доўгі выпадковы пароль, каб заставацца ў бяспецы.", + "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.": "Забыліся свой пароль? Без праблем. Проста паведаміце нам свой адрас электроннай пошты, і мы вышлем вам спасылку для скіду пароля, якая дазволіць вам выбраць новы.", + "Great! You have accepted the invitation to join the :team team.": "Выдатна! Вы прынялі запрашэнне далучыцца да каманды :team.", + "I agree to the :terms_of_service and :privacy_policy": "Я згодны на :terms_of_service і :privacy_policy", + "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 you already have an account, you may accept this invitation by clicking the button below:": "Калі ў вас ужо ёсць уліковы запіс, вы можаце прыняць гэта запрашэнне, націснуўшы на кнопку ніжэй:", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "Калі ў вас няма ўліковага запісу, вы можаце стварыць яе, націснуўшы на кнопку ніжэй. Пасля стварэння ўліковага запісу вы можаце націснуць кнопку прыняцця Запрашэння ў гэтым лісце, каб прыняць запрашэнне каманды:", + "Last active": "Апошні актыўны", + "Last used": "Апошні раз выкарыстоўваўся", + "Leave": "Пакідаць", + "Leave Team": "Пакінуць каманду", + "Log in": "Аўтарызавацца", + "Log Out": "выйсці з сістэмы", + "Log Out Other Browser Sessions": "Выйдзіце З Іншых Сеансаў Браўзэра", + "Manage Account": "Кіраванне уліковай запісам", + "Manage and log out your active sessions on other browsers and devices.": "Кіруйце актыўнымі сеансамі і выходзьце з іх у іншых браўзэрах і прыладах.", + "Manage API Tokens": "Кіраванне токенаў API", + "Manage Role": "Кіраванне роляй", + "Manage Team": "Кіраванне камандай", + "Name": "Імя", + "New Password": "Новы пароль", + "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 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.": "Як толькі ваш уліковы запіс будзе выдаленая, усе яе рэсурсы і дадзеныя будуць выдаленыя незваротна. Перад выдаленнем вашага ўліковага запісу, калі ласка, загрузіце любыя дадзеныя або інфармацыю, якія вы хочаце захаваць.", + "Password": "Пароль", + "Pending Team Invitations": "Якія Чакаюць Запрашэння Каманды", + "Permanently delete this team.": "Назаўжды выдаліце гэтую каманду.", + "Permanently delete your account.": "Назаўжды выдаліць свой уліковы запіс.", + "Permissions": "Дазвол", + "Photo": "Фатаграфія", + "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 copy your new API token. For your security, it won't be shown again.": "Калі ласка, скапіюйце ваш новы маркер API. Для вашай бяспекі ён больш не будзе паказаны.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Калі ласка, увядзіце свой пароль, каб пацвердзіць, што вы хочаце выйсці з іншых сеансаў браўзэра на ўсіх вашых прыладах.", + "Please provide the email address of the person you would like to add to this team.": "Калі ласка, пакажыце адрас электроннай пошты чалавека, якога вы хацелі б дадаць у гэтую каманду.", + "Privacy Policy": "палітыка прыватнасці", + "Profile": "Профіль", + "Profile Information": "Інфармацыя аб профілі", + "Recovery Code": "Код аднаўлення", + "Regenerate Recovery Codes": "Рэгенерацыя кодаў аднаўлення", + "Register": "Зарэгістраваць", + "Remember me": "Помні мяне", + "Remove": "Выдаляць", + "Remove Photo": "Выдаліць Фатаграфію", + "Remove Team Member": "Выдаліць Члена Каманды", + "Resend Verification Email": "Паўторная Адпраўка Лісты Паверкавага", + "Reset Password": "Скід пароля", + "Role": "Роля", + "Save": "Захаваць", + "Saved.": "Захаваны.", + "Select A New Photo": "Выберыце Новую Фатаграфію", + "Show Recovery Codes": "Паказаць Коды Аднаўлення", + "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.": "Захоўвайце гэтыя коды аднаўлення ў бяспечным мэнэджару пароляў. Яны могуць быць выкарыстаны для аднаўлення доступу да вашай ўліковага запісу, калі ваша прылада двухфакторную аўтэнтыфікацыі страчана.", + "Switch Teams": "Пераключэнне каманд", + "Team Details": "Дэталі каманды", + "Team Invitation": "Запрашэнне ў каманду", + "Team Members": "Члены каманды", + "Team Name": "Назва каманды", + "Team Owner": "Уладальнік каманды", + "Team Settings": "Настаўленні каманды", + "Terms of Service": "Умовы абслугоўвання", + "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 a valid role.": ":attribute павінна быць сапраўднай роляй.", + "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 and 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 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 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.": ":attribute павінна быць не менш :length знака.", + "The provided password does not match your current password.": "Прадстаўлены пароль не адпавядае вашага бягучаму пароля.", + "The provided password was incorrect.": "Прадстаўлены пароль быў няслушным.", + "The provided two factor authentication code was invalid.": "Прадстаўлены код двухфакторную аўтэнтыфікацыі быў несапраўдны.", + "The team's name and owner information.": "Імя каманды і інфармацыя аб уладальніку.", + "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.": "Гэтыя людзі былі запрошаныя ў вашу каманду і атрымалі запрашэнне па электроннай пошце. Яны могуць далучыцца да каманды, прыняўшы запрашэнне па электроннай пошце.", + "This device": "Гэта прылада", + "This is a secure area of the application. Please confirm your password before continuing.": "Гэта бяспечная вобласць прыкладання. Калі ласка, пацвердзіце свой пароль, перш чым працягнуць.", + "This password does not match our records.": "Гэты пароль не супадае з нашымі запісамі.", + "This user already belongs to the team.": "Гэты карыстальнік ўжо належыць камандзе.", + "This user has already been invited to the team.": "Гэты карыстальнік ўжо запрошаны ў каманду.", + "Token Name": "Імя токена", + "Two Factor Authentication": "Двухфакторную аўтэнтыфікацыя", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Цяпер ўключана двухфакторную аўтэнтыфікацыя. Отсканируйте наступны QR-код з дапамогай прыкладання authenticator вашага тэлефона.", + "Update Password": "Абнавіць пароль", + "Update your account's profile information and email address.": "Абнавіце інфармацыю профілю вашай ўліковага запісу і адрас электроннай пошты.", + "Use a recovery code": "Выкарыстоўвайце код аднаўлення", + "Use an authentication code": "Выкарыстоўвайце код аўтэнтыфікацыі", + "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.": "Калі ўключана двухфакторную аўтэнтыфікацыя, падчас аўтэнтыфікацыі вам будзе прапанавана ўвесці бяспечны выпадковы токен. Вы можаце атрымаць гэты токен з прыкладання Google Authenticator вашага тэлефона.", + "Whoops! Something went wrong.": "Упс! Нешта пайшло не так.", + "You have been invited to join the :team team!": "Вас запрасілі далучыцца да каманды :team!", + "You have enabled two factor authentication.": "Вы ўключылі двухфакторную аўтэнтыфікацыю.", + "You have not enabled two factor authentication.": "Вы не ўключылі двухфакторную аўтэнтыфікацыю.", + "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.": "Вы не можаце пакінуць створаную вамі каманду." +} diff --git a/locales/be/packages/nova.json b/locales/be/packages/nova.json new file mode 100644 index 00000000000..9ee79072813 --- /dev/null +++ b/locales/be/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 дзён", + "60 Days": "60 дзён", + "90 Days": "90 дзён", + ":amount Total": "Усяго :amount", + ":resource Details": ":resource падрабязнасці", + ":resource Details: :title": ":resource дэталі: :title", + "Action": "Дзеянне", + "Action Happened At": "Здарылася Ў", + "Action Initiated By": "Ініцыяваны", + "Action Name": "Імя", + "Action Status": "Статус", + "Action Target": "Мэта", + "Actions": "Дзеянне", + "Add row": "Дадаць радок", + "Afghanistan": "Афганістан", + "Aland Islands": "Аландскія астравы", + "Albania": "Албанія", + "Algeria": "Алжыр", + "All resources loaded.": "Усе рэсурсы загружаныя.", + "American Samoa": "Амерыканскае Самоа", + "An error occured while uploading the file.": "Пры загрузцы файла адбылася памылка.", + "Andorra": "Андора", + "Angola": "Ангола", + "Anguilla": "Ангілья", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Іншы карыстальнік абнавіў гэты рэсурс з моманту загрузкі гэтай старонкі. Калі ласка, абновіце старонку і паўтарыце спробу.", + "Antarctica": "Антарктыда", + "Antigua And Barbuda": "Антыгуа і Барбуда", + "April": "Красавік", + "Are you sure you want to delete the selected resources?": "Вы ўпэўненыя, што жадаеце выдаліць выбраныя рэсурсы?", + "Are you sure you want to delete this file?": "Вы ўпэўненыя, што жадаеце выдаліць файл?", + "Are you sure you want to delete this resource?": "Вы ўпэўненыя, што жадаеце выдаліць гэты рэсурс?", + "Are you sure you want to detach the selected resources?": "Вы ўпэўненыя, што жадаеце адлучыць выбраныя рэсурсы?", + "Are you sure you want to detach this resource?": "Вы ўпэўненыя, што жадаеце адлучыць гэты рэсурс?", + "Are you sure you want to force delete the selected resources?": "Вы ўпэўненыя, што хочаце прымусова выдаліць выбраныя рэсурсы?", + "Are you sure you want to force delete this resource?": "Вы ўпэўненыя, што хочаце прымусова выдаліць гэты рэсурс?", + "Are you sure you want to restore the selected resources?": "Вы ўпэўненыя, што хочаце, каб аднавіць выбраныя рэсурсы?", + "Are you sure you want to restore this resource?": "Вы ўпэўненыя, што хочаце аднавіць гэты рэсурс?", + "Are you sure you want to run this action?": "Вы ўпэўненыя, што хочаце запусціць гэта дзеянне?", + "Argentina": "Аргенціна", + "Armenia": "Арменія", + "Aruba": "Аруба", + "Attach": "Прымацоўваць", + "Attach & Attach Another": "Прымацаваць і прымацаваць яшчэ адзін", + "Attach :resource": "Прымацаваць :resource", + "August": "Жнівень", + "Australia": "Аўстралія", + "Austria": "Аўстрыя", + "Azerbaijan": "Азербайджан", + "Bahamas": "Багамскія астравы", + "Bahrain": "Бахрэйн", + "Bangladesh": "Бангладэш", + "Barbados": "Барбадас", + "Belarus": "Беларусь", + "Belgium": "Бельгія", + "Belize": "Беліз", + "Benin": "Бенін", + "Bermuda": "Бермудскія астравы", + "Bhutan": "Бутан", + "Bolivia": "Балівія", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sabbath", + "Bosnia And Herzegovina": "Боснія і Герцагавіна", + "Botswana": "Батсвана", + "Bouvet Island": "Востраў Буве", + "Brazil": "Бразілія", + "British Indian Ocean Territory": "Брытанская тэрыторыя ў Індыйскім акіяне", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Балгарыя", + "Burkina Faso": "Буркіна-Фасо", + "Burundi": "Бурундзі", + "Cambodia": "Камбоджа", + "Cameroon": "Камерун", + "Canada": "Канада", + "Cancel": "Адмяніць", + "Cape Verde": "Каба-Вэрдэ", + "Cayman Islands": "Кайманавы астравы", + "Central African Republic": "Цэнтральнаафрыканская Рэспубліка", + "Chad": "Чад", + "Changes": "Змена", + "Chile": "Чылі", + "China": "Кітай", + "Choose": "Выбіраць", + "Choose :field": "Выберыце :field", + "Choose :resource": "Выберыце :resource", + "Choose an option": "Выберыце варыянт", + "Choose date": "Выберыце дату", + "Choose File": "Вылучыце Файл", + "Choose Type": "Выберыце Тып", + "Christmas Island": "Востраў Раства", + "Click to choose": "Націсніце, каб выбраць", + "Cocos (Keeling) Islands": "Какос (Кілінг) Астравы", + "Colombia": "Калумбія", + "Comoros": "Каморскія астравы", + "Confirm Password": "Пацвердзіце Пароль", + "Congo": "Конга", + "Congo, Democratic Republic": "Конга, Дэмакратычная Рэспубліка", + "Constant": "Пастаянны", + "Cook Islands": "Выспы Кука", + "Costa Rica": "Коста-Рыка", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "знайсці яго не ўдалося.", + "Create": "Ствараць", + "Create & Add Another": "Стварыць і дадаць яшчэ адзін", + "Create :resource": "Стварыць :resource", + "Croatia": "Харватыя", + "Cuba": "Куба", + "Curaçao": "Кюрасао", + "Customize": "Настроіць", + "Cyprus": "Кіпр", + "Czech Republic": "Чэхія", + "Dashboard": "Прыборная панэль", + "December": "Снежань", + "Decrease": "Памяншаць", + "Delete": "Выдаліць", + "Delete File": "Выдаліць файл", + "Delete Resource": "Выдаліць рэсурс", + "Delete Selected": "Выдаліць Вылучаны", + "Denmark": "Данія", + "Detach": "Адлучыць", + "Detach Resource": "Адлучыць рэсурс", + "Detach Selected": "Адлучыць Вылучаны", + "Details": "Падрабязнасць", + "Djibouti": "Джыбуці", + "Do you really want to leave? You have unsaved changes.": "Ты сапраўды хочаш сысці? У вас ёсць незахаваныя змены.", + "Dominica": "Нядзеля", + "Dominican Republic": "Дамініканская Рэспубліка", + "Download": "Скачаць", + "Ecuador": "Эквадор", + "Edit": "Рэдагаваць", + "Edit :resource": "Праўка :resource", + "Edit Attached": "Праўка Прыкладаецца", + "Egypt": "Егіпет", + "El Salvador": "Збавіцель", + "Email Address": "адрас электроннай пошты", + "Equatorial Guinea": "Экватарыяльная Гвінея", + "Eritrea": "Эрытрэя", + "Estonia": "Эстонія", + "Ethiopia": "Эфіопія", + "Falkland Islands (Malvinas)": "Фальклендзкія (Мальвінскія) астравы)", + "Faroe Islands": "Фарэрскія астравы", + "February": "Люты", + "Fiji": "Фіджы", + "Finland": "Фінляндыя", + "Force Delete": "Прымусовае выдаленне", + "Force Delete Resource": "Прымусовае выдаленне рэсурсу", + "Force Delete Selected": "Прымусовае Выдаленне Абранага", + "Forgot Your Password?": "Забыліся Свой Пароль?", + "Forgot your password?": "Забыліся свой пароль?", + "France": "Францыя", + "French Guiana": "Французская Гвіяна", + "French Polynesia": "Французская Палінезія", + "French Southern Territories": "Французскія Паўднёвыя Тэрыторыі", + "Gabon": "Габон", + "Gambia": "Гамбія", + "Georgia": "Грузія", + "Germany": "Германія", + "Ghana": "Гана", + "Gibraltar": "Гібралтар", + "Go Home": "пайсці дадому", + "Greece": "Грэцыя", + "Greenland": "Грэнландыя", + "Grenada": "Грэнада", + "Guadeloupe": "Гвадэлупа", + "Guam": "Гуам", + "Guatemala": "Гватэмала", + "Guernsey": "Гернсі", + "Guinea": "Гвінея", + "Guinea-Bissau": "Гвінея-Бісау", + "Guyana": "Гаяна", + "Haiti": "Гаіці", + "Heard Island & Mcdonald Islands": "Выспы Херд і Макдональд", + "Hide Content": "Схаваць змесціва", + "Hold Up!": "- Пачакай!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Гандурас", + "Hong Kong": "Ганконг", + "Hungary": "Венгрыя", + "Iceland": "Ісландыя", + "ID": "Ідэнтыфікатар", + "If you did not request a password reset, no further action is required.": "Калі вы не запыталі Скід пароля, ніякіх далейшых дзеянняў не патрабуецца.", + "Increase": "Павелічэнне", + "India": "Індыя", + "Indonesia": "Інданезія", + "Iran, Islamic Republic Of": "Іран", + "Iraq": "Ірак", + "Ireland": "Ірландыя", + "Isle Of Man": "Востраў Мэн", + "Israel": "Ізраіль", + "Italy": "Італія", + "Jamaica": "Ямайка", + "January": "Студзень", + "Japan": "Японія", + "Jersey": "Джэрсі", + "Jordan": "Іарданія", + "July": "Ліпень", + "June": "Чэрвень", + "Kazakhstan": "Казахстан", + "Kenya": "Кенія", + "Key": "Ключ", + "Kiribati": "Кірыбаці", + "Korea": "Паўднёвая Карэя", + "Korea, Democratic People's Republic of": "Паўночная Карэя", + "Kosovo": "Косава", + "Kuwait": "Кувейт", + "Kyrgyzstan": "Кыргызстан", + "Lao People's Democratic Republic": "Лаос", + "Latvia": "Латвія", + "Lebanon": "Ліван", + "Lens": "Аб'ектыў", + "Lesotho": "Лесота", + "Liberia": "Ліберыя", + "Libyan Arab Jamahiriya": "Лівія", + "Liechtenstein": "Ліхтэнштэйн", + "Lithuania": "Літва", + "Load :perPage More": "Загрузіць яшчэ :per старонкі", + "Login": "Аўтарызавацца", + "Logout": "Выхад з сістэмы", + "Luxembourg": "Люксембург", + "Macao": "Макао", + "Macedonia": "Паўночная Македонія", + "Madagascar": "Мадагаскар", + "Malawi": "Малаві", + "Malaysia": "Малайзія", + "Maldives": "Мальдывы", + "Mali": "Маленькі", + "Malta": "Мальта", + "March": "Сакавік", + "Marshall Islands": "Маршалавы астравы", + "Martinique": "Марцініка", + "Mauritania": "Маўрытанія", + "Mauritius": "Маўрыкій", + "May": "Май", + "Mayotte": "Маёта", + "Mexico": "Мексіка", + "Micronesia, Federated States Of": "Мікранезія", + "Moldova": "Малдова", + "Monaco": "Манака", + "Mongolia": "Манголія", + "Montenegro": "Чарнагорыя", + "Month To Date": "Месяц Да Цяперашняга Часу", + "Montserrat": "Монтсеррат", + "Morocco": "Марока", + "Mozambique": "Мазамбік", + "Myanmar": "М'янма", + "Namibia": "Намібія", + "Nauru": "Науру", + "Nepal": "Непал", + "Netherlands": "Нідэрланды", + "New": "Новы", + "New :resource": "Новы :resource", + "New Caledonia": "Новая Каледонія", + "New Zealand": "Новая Зеландыя", + "Next": "Наступны", + "Nicaragua": "Нікарагуа", + "Niger": "Нігер", + "Nigeria": "Нігерыя", + "Niue": "Ніуе", + "No": "Не", + "No :resource matched the given criteria.": "Ні адзін нумар :resource не адпавядаў зададзеным крытэрам.", + "No additional information...": "Ніякай дадатковай інфармацыі...", + "No Current Data": "Няма Бягучых Дадзеных", + "No Data": "Няма Дадзеных", + "no file selected": "файл не абраны", + "No Increase": "Ніякага Павелічэння", + "No Prior Data": "Ніякіх Папярэдніх Дадзеных", + "No Results Found.": "Ніякіх Вынікаў Не Знойдзена.", + "Norfolk Island": "Востраў Норфолк", + "Northern Mariana Islands": "Паўночныя Марыянскія выспы", + "Norway": "Нарвегія", + "Nova User": "Карыстальнік Nova", + "November": "Лістапад", + "October": "Кастрычнік", + "of": "ад", + "Oman": "Аман", + "Only Trashed": "Толькі Разграмілі", + "Original": "Арыгінал", + "Pakistan": "Пакістан", + "Palau": "Палаў", + "Palestinian Territory, Occupied": "Палестынскія тэрыторыі", + "Panama": "Панама", + "Papua New Guinea": "Папуа Новая Гвінея", + "Paraguay": "Парагвай", + "Password": "Пароль", + "Per Page": "На Старонку", + "Peru": "Пяро", + "Philippines": "Філіпіны", + "Pitcairn": "Выспы Піткэрн", + "Poland": "Польшча", + "Portugal": "Партугалія", + "Press \/ to search": "Націсніце \/ для пошуку", + "Preview": "Папярэдні прагляд", + "Previous": "Папярэдні", + "Puerto Rico": "Пуэрта-Рыка", + "Qatar": "катар", + "Quarter To Date": "Квартал Да Цяперашняга Часу", + "Reload": "Перазагрузіць", + "Remember Me": "Помні Мяне", + "Reset Filters": "Скід фільтраў", + "Reset Password": "Скід пароля", + "Reset Password Notification": "Апавяшчэнне аб скідзе Пароля", + "resource": "рэсурс", + "Resources": "Рэсурсы", + "resources": "рэсурсы", + "Restore": "Аднаўляць", + "Restore Resource": "Аднаўленне рэсурсу", + "Restore Selected": "Аднавіць Выбранае", + "Reunion": "Рэюньён", + "Romania": "Румынія", + "Run Action": "Выканаць дзеянне", + "Russian Federation": "Расійская Федэрацыя", + "Rwanda": "Руанда", + "Saint Barthelemy": "Святы Варфаламей", + "Saint Helena": "Востраў Святой Алены", + "Saint Kitts And Nevis": "Сэнт-Кітс і Нэвіс", + "Saint Lucia": "Сэнт-Люсія", + "Saint Martin": "Святы Марцін", + "Saint Pierre And Miquelon": "Сен-П'ер і Міквэлон", + "Saint Vincent And Grenadines": "Сэнт-Вінсэнт і Грэнадыны", + "Samoa": "Самоа", + "San Marino": "Сан-Марына", + "Sao Tome And Principe": "Сан-Томе і Прынсэп", + "Saudi Arabia": "Саудаўская Аравія", + "Search": "Пошук", + "Select Action": "Выберыце Дзеянне", + "Select All": "выбраць усе", + "Select All Matching": "Абярыце Ўсе Супадаючыя", + "Send Password Reset Link": "Адправіць Спасылку Для Скіду Пароля", + "Senegal": "Сенегал", + "September": "Верасень", + "Serbia": "Сербія", + "Seychelles": "Сейшэльскія астравы", + "Show All Fields": "Паказаць Усе Палі", + "Show Content": "Паказаць змесціва", + "Sierra Leone": "Сьера-Леонэ", + "Singapore": "Сінгапур", + "Sint Maarten (Dutch part)": "Сінт Мартэн", + "Slovakia": "Славакія", + "Slovenia": "Славенія", + "Solomon Islands": "Саламонавы астравы", + "Somalia": "Самалі", + "Something went wrong.": "Нешта пайшло не так.", + "Sorry! You are not authorized to perform this action.": "Даруй! Вы не ўпаўнаважаны выконваць гэта дзеянне.", + "Sorry, your session has expired.": "Выбачайце, ваш сеанс скончыўся.", + "South Africa": "Паўднёвая Афрыка", + "South Georgia And Sandwich Isl.": "Паўднёвая Георгія і Паўднёвыя Сандвічавы астравы", + "South Sudan": "Паўднёвы Судан", + "Spain": "Іспанія", + "Sri Lanka": "Шры-Ланка", + "Start Polling": "Пачаць апытанне", + "Stop Polling": "Спыніць апытанне", + "Sudan": "Судан", + "Suriname": "Сурынам", + "Svalbard And Jan Mayen": "Шпіцбэрген і Ян-Майен", + "Swaziland": "Eswatini", + "Sweden": "Швецыя", + "Switzerland": "Швейцарыя", + "Syrian Arab Republic": "Сірыя", + "Taiwan": "Тайвань", + "Tajikistan": "Таджыкістан", + "Tanzania": "Танзанія", + "Thailand": "Тайланд", + "The :resource was created!": ":resource быў створаны!", + "The :resource was deleted!": ":resource быў выдалены!", + "The :resource was restored!": ":resource быў адноўлены!", + "The :resource was updated!": ":resource быў абноўлены!", + "The action ran successfully!": "Акцыя прайшла паспяхова!", + "The file was deleted!": "Файл быў выдалены!", + "The government won't let us show you what's behind these doors": "Урад не дазволіць нам паказаць вам, што знаходзіцца за гэтымі дзвярыма", + "The HasOne relationship has already been filled.": "Адносіны hasOne ўжо запоўненыя.", + "The resource was updated!": "Рэсурс быў абноўлены!", + "There are no available options for this resource.": "Для гэтага рэсурсу няма даступных варыянтаў.", + "There was a problem executing the action.": "Паўстала праблема з выкананнем дзеянні.", + "There was a problem submitting the form.": "Узнікла праблема з падачай формы.", + "This file field is read-only.": "Гэта поле файла даступна толькі для чытання.", + "This image": "Гэты вобраз", + "This resource no longer exists": "Гэты рэсурс больш не існуе", + "Timor-Leste": "Тымор-Лешці", + "Today": "Сёння", + "Togo": "Як яго", + "Tokelau": "Такелаў", + "Tonga": "Прыходзіць", + "total": "увесь", + "Trashed": "Разгромлены", + "Trinidad And Tobago": "Трынідад і Табага", + "Tunisia": "Туніс", + "Turkey": "Індычка", + "Turkmenistan": "Туркменістан", + "Turks And Caicos Islands": "Астравы Тэркс і Кайкас", + "Tuvalu": "Тувалу", + "Uganda": "Уганда", + "Ukraine": "Украіна", + "United Arab Emirates": "Аб'яднаныя Арабскія Эміраты", + "United Kingdom": "Аб'яднанае Каралеўства", + "United States": "Злучаныя Штаты", + "United States Outlying Islands": "Аддаленыя астравы ЗША", + "Update": "Абнаўленне", + "Update & Continue Editing": "Абнаўленне і працяг рэдагавання", + "Update :resource": "Абнаўленне :resource", + "Update :resource: :title": "Абнаўленне :resource: :title", + "Update attached :resource: :title": "Абнаўленне прыкладаецца :resource: :title", + "Uruguay": "Уругвай", + "Uzbekistan": "Узбекістан", + "Value": "Каштоўнасць", + "Vanuatu": "Вануату", + "Venezuela": "Венесуэла", + "Viet Nam": "Vietnam", + "View": "Глядзець", + "Virgin Islands, British": "Брытанскія Віргінскія выспы", + "Virgin Islands, U.S.": "Віргінскія астравы ЗША", + "Wallis And Futuna": "Уоліс і Футуна", + "We're lost in space. The page you were trying to view does not exist.": "Мы згубіліся ў космасе. Старонка, якую вы спрабавалі праглядзець, не існуе.", + "Welcome Back!": "З Вяртаннем!", + "Western Sahara": "Заходняя Сахара", + "Whoops": "Упс", + "Whoops!": "Упс!", + "With Trashed": "З Разгромленым", + "Write": "Пісаць", + "Year To Date": "Год Да Гэтага Часу", + "Yemen": "Йемен", + "Yes": "Так", + "You are receiving this email because we received a password reset request for your account.": "Вы атрымліваеце гэты ліст, таму што мы атрымалі запыт на Скід пароля для вашага ўліковага запісу.", + "Zambia": "Замбія", + "Zimbabwe": "Зімбабвэ" +} diff --git a/locales/be/packages/spark-paddle.json b/locales/be/packages/spark-paddle.json new file mode 100644 index 00000000000..a5239314328 --- /dev/null +++ b/locales/be/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Умовы абслугоўвання", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Упс! Нешта пайшло не так.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/be/packages/spark-stripe.json b/locales/be/packages/spark-stripe.json new file mode 100644 index 00000000000..1e1e31d3aaa --- /dev/null +++ b/locales/be/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Афганістан", + "Albania": "Албанія", + "Algeria": "Алжыр", + "American Samoa": "Амерыканскае Самоа", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Андора", + "Angola": "Ангола", + "Anguilla": "Ангілья", + "Antarctica": "Антарктыда", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Аргенціна", + "Armenia": "Арменія", + "Aruba": "Аруба", + "Australia": "Аўстралія", + "Austria": "Аўстрыя", + "Azerbaijan": "Азербайджан", + "Bahamas": "Багамскія астравы", + "Bahrain": "Бахрэйн", + "Bangladesh": "Бангладэш", + "Barbados": "Барбадас", + "Belarus": "Беларусь", + "Belgium": "Бельгія", + "Belize": "Беліз", + "Benin": "Бенін", + "Bermuda": "Бермудскія астравы", + "Bhutan": "Бутан", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Батсвана", + "Bouvet Island": "Востраў Буве", + "Brazil": "Бразілія", + "British Indian Ocean Territory": "Брытанская тэрыторыя ў Індыйскім акіяне", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Балгарыя", + "Burkina Faso": "Буркіна-Фасо", + "Burundi": "Бурундзі", + "Cambodia": "Камбоджа", + "Cameroon": "Камерун", + "Canada": "Канада", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Каба-Вэрдэ", + "Card": "Карта", + "Cayman Islands": "Кайманавы астравы", + "Central African Republic": "Цэнтральнаафрыканская Рэспубліка", + "Chad": "Чад", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Чылі", + "China": "Кітай", + "Christmas Island": "Востраў Раства", + "City": "City", + "Cocos (Keeling) Islands": "Какос (Кілінг) Астравы", + "Colombia": "Калумбія", + "Comoros": "Каморскія астравы", + "Confirm Payment": "Пацвердзіце Аплату", + "Confirm your :amount payment": "Пацвердзіце свой плацёж :amount", + "Congo": "Конга", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Выспы Кука", + "Costa Rica": "Коста-Рыка", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Харватыя", + "Cuba": "Куба", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Кіпр", + "Czech Republic": "Чэхія", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Данія", + "Djibouti": "Джыбуці", + "Dominica": "Нядзеля", + "Dominican Republic": "Дамініканская Рэспубліка", + "Download Receipt": "Download Receipt", + "Ecuador": "Эквадор", + "Egypt": "Егіпет", + "El Salvador": "Збавіцель", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Экватарыяльная Гвінея", + "Eritrea": "Эрытрэя", + "Estonia": "Эстонія", + "Ethiopia": "Эфіопія", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Для апрацоўкі вашага плацяжу патрабуецца дадатковае пацверджанне. Калі ласка, перайдзіце на старонку аплаты, націснуўшы на кнопку ніжэй.", + "Falkland Islands (Malvinas)": "Фальклендзкія (Мальвінскія) астравы)", + "Faroe Islands": "Фарэрскія астравы", + "Fiji": "Фіджы", + "Finland": "Фінляндыя", + "France": "Францыя", + "French Guiana": "Французская Гвіяна", + "French Polynesia": "Французская Палінезія", + "French Southern Territories": "Французскія Паўднёвыя Тэрыторыі", + "Gabon": "Габон", + "Gambia": "Гамбія", + "Georgia": "Грузія", + "Germany": "Германія", + "Ghana": "Гана", + "Gibraltar": "Гібралтар", + "Greece": "Грэцыя", + "Greenland": "Грэнландыя", + "Grenada": "Грэнада", + "Guadeloupe": "Гвадэлупа", + "Guam": "Гуам", + "Guatemala": "Гватэмала", + "Guernsey": "Гернсі", + "Guinea": "Гвінея", + "Guinea-Bissau": "Гвінея-Бісау", + "Guyana": "Гаяна", + "Haiti": "Гаіці", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Гандурас", + "Hong Kong": "Ганконг", + "Hungary": "Венгрыя", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Ісландыя", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Індыя", + "Indonesia": "Інданезія", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Ірак", + "Ireland": "Ірландыя", + "Isle of Man": "Isle of Man", + "Israel": "Ізраіль", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Італія", + "Jamaica": "Ямайка", + "Japan": "Японія", + "Jersey": "Джэрсі", + "Jordan": "Іарданія", + "Kazakhstan": "Казахстан", + "Kenya": "Кенія", + "Kiribati": "Кірыбаці", + "Korea, Democratic People's Republic of": "Паўночная Карэя", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Кувейт", + "Kyrgyzstan": "Кыргызстан", + "Lao People's Democratic Republic": "Лаос", + "Latvia": "Латвія", + "Lebanon": "Ліван", + "Lesotho": "Лесота", + "Liberia": "Ліберыя", + "Libyan Arab Jamahiriya": "Лівія", + "Liechtenstein": "Ліхтэнштэйн", + "Lithuania": "Літва", + "Luxembourg": "Люксембург", + "Macao": "Макао", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Мадагаскар", + "Malawi": "Малаві", + "Malaysia": "Малайзія", + "Maldives": "Мальдывы", + "Mali": "Маленькі", + "Malta": "Мальта", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Маршалавы астравы", + "Martinique": "Марцініка", + "Mauritania": "Маўрытанія", + "Mauritius": "Маўрыкій", + "Mayotte": "Маёта", + "Mexico": "Мексіка", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Манака", + "Mongolia": "Манголія", + "Montenegro": "Чарнагорыя", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Монтсеррат", + "Morocco": "Марока", + "Mozambique": "Мазамбік", + "Myanmar": "М'янма", + "Namibia": "Намібія", + "Nauru": "Науру", + "Nepal": "Непал", + "Netherlands": "Нідэрланды", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Новая Каледонія", + "New Zealand": "Новая Зеландыя", + "Nicaragua": "Нікарагуа", + "Niger": "Нігер", + "Nigeria": "Нігерыя", + "Niue": "Ніуе", + "Norfolk Island": "Востраў Норфолк", + "Northern Mariana Islands": "Паўночныя Марыянскія выспы", + "Norway": "Нарвегія", + "Oman": "Аман", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Пакістан", + "Palau": "Палаў", + "Palestinian Territory, Occupied": "Палестынскія тэрыторыі", + "Panama": "Панама", + "Papua New Guinea": "Папуа Новая Гвінея", + "Paraguay": "Парагвай", + "Payment Information": "Payment Information", + "Peru": "Пяро", + "Philippines": "Філіпіны", + "Pitcairn": "Выспы Піткэрн", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Польшча", + "Portugal": "Партугалія", + "Puerto Rico": "Пуэрта-Рыка", + "Qatar": "катар", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Румынія", + "Russian Federation": "Расійская Федэрацыя", + "Rwanda": "Руанда", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Востраў Святой Алены", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Сэнт-Люсія", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Самоа", + "San Marino": "Сан-Марына", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Саудаўская Аравія", + "Save": "Захаваць", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Сенегал", + "Serbia": "Сербія", + "Seychelles": "Сейшэльскія астравы", + "Sierra Leone": "Сьера-Леонэ", + "Signed in as": "Signed in as", + "Singapore": "Сінгапур", + "Slovakia": "Славакія", + "Slovenia": "Славенія", + "Solomon Islands": "Саламонавы астравы", + "Somalia": "Самалі", + "South Africa": "Паўднёвая Афрыка", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Іспанія", + "Sri Lanka": "Шры-Ланка", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Судан", + "Suriname": "Сурынам", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Швецыя", + "Switzerland": "Швейцарыя", + "Syrian Arab Republic": "Сірыя", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Таджыкістан", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Умовы абслугоўвання", + "Thailand": "Тайланд", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Тымор-Лешці", + "Togo": "Як яго", + "Tokelau": "Такелаў", + "Tonga": "Прыходзіць", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Туніс", + "Turkey": "Індычка", + "Turkmenistan": "Туркменістан", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Тувалу", + "Uganda": "Уганда", + "Ukraine": "Украіна", + "United Arab Emirates": "Аб'яднаныя Арабскія Эміраты", + "United Kingdom": "Аб'яднанае Каралеўства", + "United States": "Злучаныя Штаты", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Абнаўленне", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Уругвай", + "Uzbekistan": "Узбекістан", + "Vanuatu": "Вануату", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Брытанскія Віргінскія выспы", + "Virgin Islands, U.S.": "Віргінскія астравы ЗША", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Заходняя Сахара", + "Whoops! Something went wrong.": "Упс! Нешта пайшло не так.", + "Yearly": "Yearly", + "Yemen": "Йемен", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Замбія", + "Zimbabwe": "Зімбабвэ", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/bg/bg.json b/locales/bg/bg.json index ab399326565..9e729b79fde 100644 --- a/locales/bg/bg.json +++ b/locales/bg/bg.json @@ -1,710 +1,48 @@ { - "30 Days": "30 дни", - "60 Days": "60 дни", - "90 Days": "90 дни", - ":amount Total": "Общо :amount", - ":days day trial": ":days day trial", - ":resource Details": ":resource детайли", - ":resource Details: :title": ":resource детайли: :title", "A fresh verification link has been sent to your email address.": "На вашия имейл адрес е изпратена нова връзка за потвърждение.", - "A new verification link has been sent to the email address you provided during registration.": "Нова връзка за потвърждение е изпратена на имейл адреса, посочен от вас при регистрацията.", - "Accept Invitation": "Приемане На Поканата", - "Action": "Действие", - "Action Happened At": "Случило Се В", - "Action Initiated By": "Инициирано", - "Action Name": "Име", - "Action Status": "Статус", - "Action Target": "Цел", - "Actions": "Действия", - "Add": "Добави", - "Add a new team member to your team, allowing them to collaborate with you.": "Добавете нов член на екипа към екипа си, за да може да си сътрудничи с вас.", - "Add additional security to your account using two factor authentication.": "Добавете допълнителна сигурност към профила си чрез двуфакторно удостоверяване.", - "Add row": "Добавяне на ред", - "Add Team Member": "Добавяне На Член На Екипа", - "Add VAT Number": "Add VAT Number", - "Added.": "Добавено.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Администратор", - "Administrator users can perform any action.": "Администраторите могат да извършват всякакви действия.", - "Afghanistan": "Афганистан", - "Aland Islands": "Аландски острови", - "Albania": "Албания", - "Algeria": "Алжир", - "All of the people that are part of this team.": "Всички хора, които са част от този екип.", - "All resources loaded.": "Всички ресурси са заредени.", - "All rights reserved.": "Всички права запазени.", - "Already registered?": "Вече си се регистрирал?", - "American Samoa": "Американска Самоа", - "An error occured while uploading the file.": "Възникна грешка при зареждане на файла.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Андора", - "Angola": "Ангола", - "Anguilla": "Ангуила", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Друг потребител редактира този ресурс от момента на зареждане на тази страница. Моля, презаредете страницата и опитайте отново.", - "Antarctica": "Антарктида", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Антигуа и Барбуда", - "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 ключовете позволяват на услугите на трети страни да бъдат удостоверени в нашето приложение от ваше име.", - "April": "Април", - "Are you sure you want to delete the selected resources?": "Сигурни ли сте, че искате да изтриете избраните ресурси?", - "Are you sure you want to delete this file?": "Сигурни ли сте, че искате да изтриете този файл?", - "Are you sure you want to delete this resource?": "Сигурни ли сте, че искате да изтриете този ресурс?", - "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 detach the selected resources?": "Сигурни ли сте, че искате да изключите избраните ресурси?", - "Are you sure you want to detach this resource?": "Сигурни ли сте, че искате да изключите този ресурс?", - "Are you sure you want to force delete the selected resources?": "Сигурни ли сте, че искате да изтриете избраните ресурси?", - "Are you sure you want to force delete this resource?": "Сигурни ли сте, че искате да премахнете този ресурс принудително?", - "Are you sure you want to restore the selected resources?": "Сигурни ли сте, че искате да възстановите избраните ресурси?", - "Are you sure you want to restore this resource?": "Сигурни ли сте, че искате да възстановите този ресурс?", - "Are you sure you want to run this action?": "Сигурни ли сте, че искате да изпълните това действие?", - "Are you sure you would like to delete this API token?": "Сигурни ли сте, че искате да премахнете този API ключ?", - "Are you sure you would like to leave this team?": "Сигурен ли си, че искаш да напуснеш този екип?", - "Are you sure you would like to remove this person from the team?": "Сигурни ли сте, че искате да премахнете този човек от екипа?", - "Argentina": "Аржентина", - "Armenia": "Армения", - "Aruba": "Аруба", - "Attach": "Прикачи", - "Attach & Attach Another": "Прикачи & Прикачи друг", - "Attach :resource": "Прикачи :resource", - "August": "Август", - "Australia": "Австралия", - "Austria": "Австрия", - "Azerbaijan": "Азербайджан", - "Bahamas": "Бахамски острови", - "Bahrain": "Бахрейн", - "Bangladesh": "Бангладеш", - "Barbados": "Барбадос", "Before proceeding, please check your email for a verification link.": "Преди да продължите, моля, проверете електронната си поща за линк за потвърждение.", - "Belarus": "Белорусия", - "Belgium": "Белгия", - "Belize": "Белиз", - "Benin": "Бенин", - "Bermuda": "Бермуда", - "Bhutan": "Бутан", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Боливия", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sabbath", - "Bosnia And Herzegovina": "Босна и Херцеговина", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Ботсвана", - "Bouvet Island": "Остров Буве", - "Brazil": "Бразилия", - "British Indian Ocean Territory": "Британска територия в Индийския океан", - "Browser Sessions": "Сесии на браузъра", - "Brunei Darussalam": "Brunei", - "Bulgaria": "България", - "Burkina Faso": "Буркина Фасо", - "Burundi": "Бурунди", - "Cambodia": "Камбоджа", - "Cameroon": "Камерун", - "Canada": "Канада", - "Cancel": "Отменя", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Кабо Верде", - "Card": "Карта", - "Cayman Islands": "Кайман", - "Central African Republic": "Централноафриканска Република", - "Chad": "Чад", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Ревизия", - "Chile": "Чили", - "China": "Китай", - "Choose": "Избери", - "Choose :field": "Изберете :field", - "Choose :resource": "Изберете :resource", - "Choose an option": "Изберете опция", - "Choose date": "Изберете дата", - "Choose File": "Изберете файл", - "Choose Type": "Избера", - "Christmas Island": "Остров Коледа", - "City": "City", "click here to request another": "кликнете тук, за да поискате друг", - "Click to choose": "Кликнете, за да изберете", - "Close": "Затвори", - "Cocos (Keeling) Islands": "Кокос (Кийлинг) Острови", - "Code": "Код", - "Colombia": "Колумбия", - "Comoros": "Коморски острови", - "Confirm": "Потвърждавам", - "Confirm Password": "Потвърдете Паролата", - "Confirm Payment": "Потвърдете Плащането", - "Confirm your :amount payment": "Потвърдете плащането си за :amount", - "Congo": "Конго", - "Congo, Democratic Republic": "Конго, Демократична Република", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Постоянен", - "Cook Islands": "Островите Кук", - "Costa Rica": "Коста Рика", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "не може да бъде открит.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Създай", - "Create & Add Another": "Създай & Добави друг", - "Create :resource": "Създай :resource", - "Create a new team to collaborate with others on projects.": "Създайте нов екип, който да работи заедно по проекти.", - "Create Account": "създаване на профил", - "Create API Token": "Създаване на API Ключ", - "Create New Team": "Създаване На Нов Екип", - "Create Team": "Създаване на екип", - "Created.": "Създаден.", - "Croatia": "Хърватия", - "Cuba": "Куба", - "Curaçao": "Кюрасао", - "Current Password": "текуща парола", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Модифицирай", - "Cyprus": "Кипър", - "Czech Republic": "Чехия", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Табло", - "December": "Декември", - "Decrease": "Намали", - "Delete": "Изтрий", - "Delete Account": "Изтриване на акаунт", - "Delete API Token": "Изтриване на API Ключ", - "Delete File": "Изтриване на файл", - "Delete Resource": "Изтриване на ресурс", - "Delete Selected": "Изтриване На Избраното", - "Delete Team": "Изтриване на команда", - "Denmark": "Дания", - "Detach": "Изключа", - "Detach Resource": "Изключване на ресурса", - "Detach Selected": "Изключване На Избрания", - "Details": "Информация", - "Disable": "Изключвам", - "Djibouti": "Джибути", - "Do you really want to leave? You have unsaved changes.": "Наистина ли искаш да си тръгнеш? Имате незаписани промени.", - "Dominica": "Неделя", - "Dominican Republic": "Доминиканска Република", - "Done.": "Направя.", - "Download": "Изтегля", - "Download Receipt": "Download Receipt", "E-Mail Address": "Имейл", - "Ecuador": "Еквадор", - "Edit": "Редактирам", - "Edit :resource": "Субтитри:", - "Edit Attached": "Редактиране Приложен", - "Editor": "Редактор", - "Editor users have the ability to read, create, and update.": "Потребителите на редактора имат възможност да четат, създават и актуализират.", - "Egypt": "Египет", - "El Salvador": "Спасител", - "Email": "Имейл", - "Email Address": "имейл", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Връзка за нулиране на паролата за електронна поща", - "Enable": "Включа", - "Ensure your account is using a long, random password to stay secure.": "Уверете се, че профилът ви използва дълга случайна парола, за да остане в безопасност.", - "Equatorial Guinea": "Екваториална Гвинея", - "Eritrea": "Еритрея", - "Estonia": "Естония", - "Ethiopia": "Етиопия", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Необходимо е допълнително потвърждение, за да обработите плащането си. Моля, потвърдете плащането си, като попълните данните за плащане по-долу.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Необходимо е допълнително потвърждение, за да обработите плащането си. Моля, отидете на страницата за плащане, като кликнете върху бутона по-долу.", - "Falkland Islands (Malvinas)": "Фолкландски (Малвински) острови)", - "Faroe Islands": "Фарьорски острови", - "February": "Февруари", - "Fiji": "Фиджи", - "Finland": "Финландия", - "For your security, please confirm your password to continue.": "За вашата сигурност, моля потвърдете паролата си, за да продължите.", "Forbidden": "Забранено", - "Force Delete": "Принудително премахване", - "Force Delete Resource": "Принудително премахване на ресурс", - "Force Delete Selected": "Принудително Премахване На Избрания", - "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.": "Забравихте паролата си? Няма проблем. Просто ни кажете имейл адреса си и ще ви изпратим връзка за нулиране на паролата, която ви позволява да изберете нова.", - "France": "Франция", - "French Guiana": "Френска Гвиана", - "French Polynesia": "Френска Полинезия", - "French Southern Territories": "Френски южни територии", - "Full name": "Име", - "Gabon": "Габон", - "Gambia": "Гамбия", - "Georgia": "Грузия", - "Germany": "Германия", - "Ghana": "Гана", - "Gibraltar": "Гибралтар", - "Go back": "Връщам", - "Go Home": "да се прибера вкъщи.", "Go to page :page": "Отидете на страница :page", - "Great! You have accepted the invitation to join the :team team.": "Добре! Приехте поканата да се присъедините към екипа на :team.", - "Greece": "Гърция", - "Greenland": "Гренландия", - "Grenada": "Гренада", - "Guadeloupe": "Гваделупа", - "Guam": "Гуам", - "Guatemala": "Гватемала", - "Guernsey": "Гърнси", - "Guinea": "Гвинея", - "Guinea-Bissau": "Гвинея-Бисау", - "Guyana": "Гвиана", - "Haiti": "Хаити", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Островите Хърд и Макдоналд", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Здравей!", - "Hide Content": "Скриване на съдържанието", - "Hold Up!": "- Чакай!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Хондурас", - "Hong Kong": "Хонг Конг", - "Hungary": "Унгария", - "I agree to the :terms_of_service and :privacy_policy": "Съгласен съм на :terms_of_service и :privacy_policy", - "Iceland": "Исландия", - "ID": "ИДЕНТИФИКАТОР", - "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 logout 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 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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Ако имате проблеми с натискането на бутона \":actiontext\", копирайте и поставете URL адреса по-долу\nкъм вашия уеб браузър:", - "Increase": "Увеличаване", - "India": "Индия", - "Indonesia": "Индонезия", "Invalid signature.": "Грешен подпис.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Иран", - "Iraq": "Ирак", - "Ireland": "Ирландия", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Остров Ман", - "Israel": "Израел", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Италия", - "Jamaica": "Ямайка", - "January": "Януари", - "Japan": "Япония", - "Jersey": "Фланелка", - "Jordan": "Йордания", - "July": "Юли", - "June": "Юни", - "Kazakhstan": "Казахстан", - "Kenya": "Кения", - "Key": "Ключ", - "Kiribati": "Кирибати", - "Korea": "Корея", - "Korea, Democratic People's Republic of": "Северна Корея", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Косово", - "Kuwait": "Кувейт", - "Kyrgyzstan": "Киргизстан", - "Lao People's Democratic Republic": "Лаос", - "Last active": "Последно активен", - "Last used": "Последно използван", - "Latvia": "Латвия", - "Leave": "Напускам", - "Leave Team": "Напускане на отбора", - "Lebanon": "Ливан", - "Lens": "Леща", - "Lesotho": "Лесото", - "Liberia": "Либерия", - "Libyan Arab Jamahiriya": "Либия", - "Liechtenstein": "Лихтенщайн", - "Lithuania": "Литва", - "Load :perPage More": "Изтегляне На :per Страници Повече", - "Log in": "Упълномощя", "Log out": "Изляза", - "Log Out": "изляза", - "Log Out Other Browser Sessions": "Излезте От Другите Сесии На Браузъра", - "Login": "Упълномощя", - "Logout": "Излизане", "Logout Other Browser Sessions": "Изход От Други Сесии На Браузъра", - "Luxembourg": "Люксембург", - "Macao": "Макао", - "Macedonia": "Северна Македония", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Мадагаскар", - "Malawi": "Малави", - "Malaysia": "Малайзия", - "Maldives": "Малдиви", - "Mali": "Малък", - "Malta": "Малта", - "Manage Account": "Управление на профила", - "Manage and log out your active sessions on other browsers and devices.": "Управлявайте активни сесии и излизайте от тях в други браузъри и устройства.", "Manage and logout your active sessions on other browsers and devices.": "Управлявайте активни сесии и излизайте от тях в други браузъри и устройства.", - "Manage API Tokens": "Управление на API Жетони", - "Manage Role": "Управление на ролята", - "Manage Team": "Управление на екип", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Март", - "Marshall Islands": "Маршалови острови", - "Martinique": "Мартиника", - "Mauritania": "Мавритания", - "Mauritius": "Мавритания", - "May": "Май", - "Mayotte": "Мейот", - "Mexico": "Мексико", - "Micronesia, Federated States Of": "Микронезия", - "Moldova": "Молдова", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Монако", - "Mongolia": "Монголия", - "Montenegro": "Гора", - "Month To Date": "Месец Досега", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Монсерат", - "Morocco": "Мароко", - "Mozambique": "Мозамбик", - "Myanmar": "Мианмар", - "Name": "Име", - "Namibia": "Намибия", - "Nauru": "Науру", - "Nepal": "Непал", - "Netherlands": "Холандия", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Няма значение.", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Нов", - "New :resource": "Нов :resource", - "New Caledonia": "Нова Каледония", - "New Password": "Парола", - "New Zealand": "Нова Зеландия", - "Next": "Следния", - "Nicaragua": "Никарагуа", - "Niger": "Нигер", - "Nigeria": "Нигерия", - "Niue": "Ниуе", - "No": "Не.", - "No :resource matched the given criteria.": "№ :resource отговаря на зададените критерии.", - "No additional information...": "Няма допълнителна информация...", - "No Current Data": "Няма Текущи Данни", - "No Data": "Няма Данни", - "no file selected": "файлът не е избран", - "No Increase": "Няма Увеличение", - "No Prior Data": "Няма Предварителни Данни", - "No Results Found.": "Няма Резултати.", - "Norfolk Island": "Остров Норфолк", - "Northern Mariana Islands": "Северни Мариански острови", - "Norway": "Норвегия", "Not Found": "не е намерен", - "Nova User": "Потребител Nova", - "November": "Ноември", - "October": "Октомври", - "of": "от", "Oh no": "О, не.", - "Oman": "Оман", - "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 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 Trashed": "Само Победен", - "Original": "Оригинал", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Страницата Е Просрочена", "Pagination Navigation": "Навигация на страници", - "Pakistan": "Пакистан", - "Palau": "Палау", - "Palestinian Territory, Occupied": "Палестински територии", - "Panama": "Панама", - "Papua New Guinea": "Папуа Нова Гвинея", - "Paraguay": "Парагвай", - "Password": "Парола", - "Pay :amount": "Плащане :amount", - "Payment Cancelled": "Плащането Е Отменено", - "Payment Confirmation": "Потвърждение на плащането", - "Payment Information": "Payment Information", - "Payment Successful": "Плащането Е Успешно", - "Pending Team Invitations": "Чакащи Покани На Екипа", - "Per Page": "На Страница", - "Permanently delete this team.": "Изтрийте тази команда завинаги.", - "Permanently delete your account.": "Изтрийте профила си завинаги.", - "Permissions": "Разрешение", - "Peru": "Перу", - "Philippines": "Филипините", - "Photo": "Снимка", - "Pitcairn": "Острови Питкерн", "Please click the button below to verify your email address.": "Моля, кликнете върху бутона по-долу, за да потвърдите имейл адреса си.", - "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 your password before continuing.": "Моля, потвърдете паролата си, преди да продължите.", - "Please copy your new API token. For your security, it won't be shown again.": "Моля, копирайте новия си API знак. За вашата безопасност, тя вече няма да бъде показана.", - "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 logout of your other browser sessions across all of your devices.": "Моля, въведете паролата си, за да потвърдите, че искате да излезете от други сесии на браузъра на всичките си устройства.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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. The email address must be associated with an existing account.": "Моля, посочете имейл адреса на лицето, което искате да добавите към тази команда. Имейл адресът трябва да бъде свързан със съществуващ акаунт.", - "Please provide your name.": "Моля, кажете името си.", - "Poland": "Полша", - "Portugal": "Португалия", - "Press \/ to search": "Натиснете \/ за търсене", - "Preview": "Визуализация", - "Previous": "Предишен", - "Privacy Policy": "поверителност", - "Profile": "Профил", - "Profile Information": "Информация за профила", - "Puerto Rico": "Пуерто Рико", - "Qatar": "катар", - "Quarter To Date": "Тримесечие Досега", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Код за възстановяване", "Regards": "С уважение", - "Regenerate Recovery Codes": "Възстановяване на кодове за възстановяване", - "Register": "Регистрирам", - "Reload": "Рестартирам", - "Remember me": "Помни ме.", - "Remember Me": "Помни Ме.", - "Remove": "Премахвам", - "Remove Photo": "Изтриване На Снимка", - "Remove Team Member": "Изтриване На Член На Екипа", - "Resend Verification Email": "Повторно Изпращане На Писмо За Проверка", - "Reset Filters": "Нулиране на филтрите", - "Reset Password": "парола", - "Reset Password Notification": "Известие за нулиране на паролата", - "resource": "ресурс", - "Resources": "Ресурс", - "resources": "ресурс", - "Restore": "Възстановявам", - "Restore Resource": "Възстановяване на ресурс", - "Restore Selected": "Възстановяване На Избраното", "results": "резултат", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Реюнион", - "Role": "Роля", - "Romania": "Румъния", - "Run Action": "Изпълнение на действие", - "Russian Federation": "Русия", - "Rwanda": "Руанда", - "Réunion": "Réunion", - "Saint Barthelemy": "Свети Вартоломей", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Остров Света Елена", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "Сейнт Китс и Невис", - "Saint Lucia": "Сейнт Лусия", - "Saint Martin": "Свети Мартин", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "Сен Пиер и Микелон", - "Saint Vincent And Grenadines": "Сейнт Винсент и Гренадини", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Самоа", - "San Marino": "Сан Марино", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "Сао Томе и Принсипи", - "Saudi Arabia": "Саудитска Арабия", - "Save": "Запазя", - "Saved.": "Запиша.", - "Search": "Търсене", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Изберете Нова Снимка", - "Select Action": "Изберете Действие", - "Select All": "изберете всички", - "Select All Matching": "Изберете Всички Съвпадащи", - "Send Password Reset Link": "Изпрати Линк За Нулиране На Паролата", - "Senegal": "Сенегал", - "September": "Септември", - "Serbia": "Сърбия", "Server Error": "Грешка", "Service Unavailable": "Услугата Е Недостъпна", - "Seychelles": "Сейшелски острови", - "Show All Fields": "Показване На Всички Полета", - "Show Content": "Показване на съдържанието", - "Show Recovery Codes": "Показване На Кодове За Възстановяване", "Showing": "Импресия", - "Sierra Leone": "Сиера Леоне", - "Signed in as": "Signed in as", - "Singapore": "Сингапур", - "Sint Maarten (Dutch part)": "Синт Мартен", - "Slovakia": "Словакия", - "Slovenia": "Словения", - "Solomon Islands": "Соломонови острови", - "Somalia": "Сомалия", - "Something went wrong.": "Нещо се обърка.", - "Sorry! You are not authorized to perform this action.": "Съжалявам! Не сте упълномощени да извършвате това действие.", - "Sorry, your session has expired.": "Съжалявам, сесията ви изтече.", - "South Africa": "ЮАР", - "South Georgia And Sandwich Isl.": "Южна Джорджия и Южни Сандвичеви острови", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Южен Судан", - "Spain": "Испания", - "Sri Lanka": "Шри Ланка", - "Start Polling": "Започнете проучване", - "State \/ County": "State \/ County", - "Stop Polling": "Спиране на проучването", - "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.": "Съхранявайте тези кодове за възстановяване в сигурен мениджър на пароли. Те могат да бъдат използвани за възстановяване на достъпа до профила ви, ако вашето устройство за двуфакторно удостоверяване е загубено.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Судан", - "Suriname": "Суринам", - "Svalbard And Jan Mayen": "Свалбард и Ян Майен", - "Swaziland": "Eswatini", - "Sweden": "Швеция", - "Switch Teams": "Превключване на команди", - "Switzerland": "Швейцария", - "Syrian Arab Republic": "Сирия", - "Taiwan": "Тайван", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Таджикистан", - "Tanzania": "Танзания", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Подробности за екипа", - "Team Invitation": "Покана за екип", - "Team Members": "Екип", - "Team Name": "Име на екип", - "Team Owner": "Собственикът на отбора", - "Team Settings": "Настройки на команда", - "Terms of Service": "условие", - "Thailand": "Тайланд", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute трябва да бъде валидна роля.", - "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 and 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 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 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.": ":attribute трябва да съдържа най-малко :length знака.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource е създаден!", - "The :resource was deleted!": ":resource е изтрит!", - "The :resource was restored!": ":resource е възстановен!", - "The :resource was updated!": ":resource е актуализиран!", - "The action ran successfully!": "Акцията беше успешна!", - "The file was deleted!": "Файлът е изтрит!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Правителството няма да ни позволи да ви покажем какво има зад тези врати.", - "The HasOne relationship has already been filled.": "Връзката hasOne вече е запълнена.", - "The payment was successful.": "Плащането беше успешно.", - "The provided coupon code is invalid.": "The provided coupon code is 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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Ресурсът е актуализиран!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Име на екипа и информация за собственика.", - "There are no available options for this resource.": "Няма налични опции за този ресурс.", - "There was a problem executing the action.": "Имаше проблем с изпълнението на действието.", - "There was a problem submitting the form.": "Имаше проблем с подаването на формуляра.", - "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.": "Тези хора бяха поканени във вашия екип и получиха покана по имейл. Те могат да се присъединят към екипа, като приемат покана по имейл.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Това действие е неразрешено.", - "This device": "Това устройство", - "This file field is read-only.": "Това поле на файла е само за четене.", - "This image": "Това изображение", - "This is a secure area of the application. Please confirm your password before continuing.": "Това е безопасна област на приложение. Моля, потвърдете паролата си, преди да продължите.", - "This password does not match our records.": "Тази парола не съвпада с нашите записи.", "This password reset link will expire in :count minutes.": "Тази връзка за нулиране на паролата изтича след :count минути.", - "This payment was already successfully confirmed.": "Това плащане вече е потвърдено успешно.", - "This payment was cancelled.": "Това плащане е отменено.", - "This resource no longer exists": "Този ресурс вече не съществува", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Този потребител вече принадлежи на екипа.", - "This user has already been invited to the team.": "Този потребител вече е поканен в екипа.", - "Timor-Leste": "Тимор-Лещ", "to": "към", - "Today": "Днес", "Toggle navigation": "Превключване на навигацията", - "Togo": "Тя", - "Tokelau": "Токелау", - "Token Name": "Име на символ", - "Tonga": "Идвам", "Too Many Attempts.": "Твърде Много Опити.", "Too Many Requests": "Твърде Много Искания", - "total": "ваш", - "Total:": "Total:", - "Trashed": "Победен", - "Trinidad And Tobago": "Тринидад и Тобаго", - "Tunisia": "Тунис", - "Turkey": "Пуйка", - "Turkmenistan": "Туркменистан", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Островите Търкс и Кайкос", - "Tuvalu": "Тувалу", - "Two Factor Authentication": "Двуфакторно удостоверяване", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Двуфакторното удостоверяване вече е активирано. Сканирайте следния QR код с приложението authenticator на телефона си.", - "Uganda": "Уганда", - "Ukraine": "Украйна", "Unauthorized": "Неоторизиран", - "United Arab Emirates": "Обединени Арабски Емирства", - "United Kingdom": "Обединено Кралство", - "United States": "САЩ", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "Отдалечени острови на САЩ", - "Update": "Актуализация", - "Update & Continue Editing": "Актуализиране и продължаване на редактирането", - "Update :resource": "Актуализация :resource", - "Update :resource: :title": "Актуализация :resource: :title", - "Update attached :resource: :title": "Актуализация приложен :resource: :title", - "Update Password": "Обновяване на паролата", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Актуализирайте информацията за профила на профила и имейл адреса си.", - "Uruguay": "Уругвай", - "Use a recovery code": "Използвайте кода за възстановяване", - "Use an authentication code": "Използвайте кода за удостоверяване", - "Uzbekistan": "Узбекистан", - "Value": "Стойност", - "Vanuatu": "Вануату", - "VAT Number": "VAT Number", - "Venezuela": "Венецуела", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Проверете Имейл Адреса", "Verify Your Email Address": "Проверете Имейл Адреса Си", - "Viet Nam": "Vietnam", - "View": "Гледам", - "Virgin Islands, British": "Британски Вирджински острови", - "Virgin Islands, U.S.": "Вирджински острови САЩ", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Уолис и Футуна", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Не успяхме да намерим регистриран потребител с този имейл адрес.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Няма да искаме паролата ви отново в рамките на няколко часа.", - "We're lost in space. The page you were trying to view does not exist.": "Изгубихме се в космоса. Страницата, която сте се опитали да видите, не съществува.", - "Welcome Back!": "Добре Дошъл!", - "Western Sahara": "Западна Сахара", - "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 на телефона си.", - "Whoops": "Опа.", - "Whoops!": "Опа!", - "Whoops! Something went wrong.": "Опа! Нещо се обърка.", - "With Trashed": "С Разгромен", - "Write": "Пиша", - "Year To Date": "Година Досега", - "Yearly": "Yearly", - "Yemen": "Йемен", - "Yes": "А", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Влезли сте в системата!", - "You are receiving this email because we received a password reset request for your account.": "Получавате Този имейл, защото получихме искане за нулиране на паролата за профила ви.", - "You have been invited to join the :team team!": "Вие сте поканени да се присъедините към екип :team!", - "You have enabled two factor authentication.": "Включихте двуфакторно удостоверяване.", - "You have not enabled two factor authentication.": "Не сте активирали двуфакторното удостоверяване.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.": "Не можете да напуснете създадения от вас екип.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Вашият имейл адрес не е проверен.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Замбия", - "Zimbabwe": "Зимбабве", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Вашият имейл адрес не е проверен." } diff --git a/locales/bg/packages/cashier.json b/locales/bg/packages/cashier.json new file mode 100644 index 00000000000..873412a287c --- /dev/null +++ b/locales/bg/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Всички права запазени.", + "Card": "Карта", + "Confirm Payment": "Потвърдете Плащането", + "Confirm your :amount payment": "Потвърдете плащането си за :amount", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Необходимо е допълнително потвърждение, за да обработите плащането си. Моля, потвърдете плащането си, като попълните данните за плащане по-долу.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Необходимо е допълнително потвърждение, за да обработите плащането си. Моля, отидете на страницата за плащане, като кликнете върху бутона по-долу.", + "Full name": "Име", + "Go back": "Връщам", + "Jane Doe": "Jane Doe", + "Pay :amount": "Плащане :amount", + "Payment Cancelled": "Плащането Е Отменено", + "Payment Confirmation": "Потвърждение на плащането", + "Payment Successful": "Плащането Е Успешно", + "Please provide your name.": "Моля, кажете името си.", + "The payment was successful.": "Плащането беше успешно.", + "This payment was already successfully confirmed.": "Това плащане вече е потвърдено успешно.", + "This payment was cancelled.": "Това плащане е отменено." +} diff --git a/locales/bg/packages/fortify.json b/locales/bg/packages/fortify.json new file mode 100644 index 00000000000..6656bd30cdb --- /dev/null +++ b/locales/bg/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 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 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.": ":attribute трябва да съдържа най-малко :length знака.", + "The provided password does not match your current password.": "Предоставената парола не съответства на текущата ви парола.", + "The provided password was incorrect.": "Предоставената парола е грешна.", + "The provided two factor authentication code was invalid.": "Предоставеният код за двуфакторно удостоверяване е невалиден." +} diff --git a/locales/bg/packages/jetstream.json b/locales/bg/packages/jetstream.json new file mode 100644 index 00000000000..5d8d67c5e4f --- /dev/null +++ b/locales/bg/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Нова връзка за потвърждение е изпратена на имейл адреса, посочен от вас при регистрацията.", + "Accept Invitation": "Приемане На Поканата", + "Add": "Добави", + "Add a new team member to your team, allowing them to collaborate with you.": "Добавете нов член на екипа към екипа си, за да може да си сътрудничи с вас.", + "Add additional security to your account using two factor authentication.": "Добавете допълнителна сигурност към профила си чрез двуфакторно удостоверяване.", + "Add Team Member": "Добавяне На Член На Екипа", + "Added.": "Добавено.", + "Administrator": "Администратор", + "Administrator users can perform any action.": "Администраторите могат да извършват всякакви действия.", + "All of the people that are part of this team.": "Всички хора, които са част от този екип.", + "Already registered?": "Вече си се регистрирал?", + "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 ключовете позволяват на услугите на трети страни да бъдат удостоверени в нашето приложение от ваше име.", + "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 delete this API token?": "Сигурни ли сте, че искате да премахнете този API ключ?", + "Are you sure you would like to leave this team?": "Сигурен ли си, че искаш да напуснеш този екип?", + "Are you sure you would like to remove this person from the team?": "Сигурни ли сте, че искате да премахнете този човек от екипа?", + "Browser Sessions": "Сесии на браузъра", + "Cancel": "Отменя", + "Close": "Затвори", + "Code": "Код", + "Confirm": "Потвърждавам", + "Confirm Password": "Потвърдете Паролата", + "Create": "Създай", + "Create a new team to collaborate with others on projects.": "Създайте нов екип, който да работи заедно по проекти.", + "Create Account": "създаване на профил", + "Create API Token": "Създаване на API Ключ", + "Create New Team": "Създаване На Нов Екип", + "Create Team": "Създаване на екип", + "Created.": "Създаден.", + "Current Password": "текуща парола", + "Dashboard": "Табло", + "Delete": "Изтрий", + "Delete Account": "Изтриване на акаунт", + "Delete API Token": "Изтриване на API Ключ", + "Delete Team": "Изтриване на команда", + "Disable": "Изключвам", + "Done.": "Направя.", + "Editor": "Редактор", + "Editor users have the ability to read, create, and update.": "Потребителите на редактора имат възможност да четат, създават и актуализират.", + "Email": "Имейл", + "Email Password Reset Link": "Връзка за нулиране на паролата за електронна поща", + "Enable": "Включа", + "Ensure your account is using a long, random password to stay secure.": "Уверете се, че профилът ви използва дълга случайна парола, за да остане в безопасност.", + "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.": "Забравихте паролата си? Няма проблем. Просто ни кажете имейл адреса си и ще ви изпратим връзка за нулиране на паролата, която ви позволява да изберете нова.", + "Great! You have accepted the invitation to join the :team team.": "Добре! Приехте поканата да се присъедините към екипа на :team.", + "I agree to the :terms_of_service and :privacy_policy": "Съгласен съм на :terms_of_service и :privacy_policy", + "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 you already have an account, you may accept this invitation by clicking the button below:": "Ако вече имате профил, можете да приемете тази покана, като кликнете върху бутона по-долу:", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "Ако нямате профил, можете да го създадете, като кликнете върху бутона по-долу. След като създадете профил, можете да кликнете върху бутона за приемане на покана в този имейл, за да приемете поканата на екипа:", + "Last active": "Последно активен", + "Last used": "Последно използван", + "Leave": "Напускам", + "Leave Team": "Напускане на отбора", + "Log in": "Упълномощя", + "Log Out": "изляза", + "Log Out Other Browser Sessions": "Излезте От Другите Сесии На Браузъра", + "Manage Account": "Управление на профила", + "Manage and log out your active sessions on other browsers and devices.": "Управлявайте активни сесии и излизайте от тях в други браузъри и устройства.", + "Manage API Tokens": "Управление на API Жетони", + "Manage Role": "Управление на ролята", + "Manage Team": "Управление на екип", + "Name": "Име", + "New Password": "Парола", + "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 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.": "След като профилът ви бъде изтрит, всичките му ресурси и данни ще бъдат изтрити безвъзвратно. Преди да изтриете профила си, моля, качете всички данни или информация, които искате да запазите.", + "Password": "Парола", + "Pending Team Invitations": "Чакащи Покани На Екипа", + "Permanently delete this team.": "Изтрийте тази команда завинаги.", + "Permanently delete your account.": "Изтрийте профила си завинаги.", + "Permissions": "Разрешение", + "Photo": "Снимка", + "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 copy your new API token. For your security, it won't be shown again.": "Моля, копирайте новия си API знак. За вашата безопасност, тя вече няма да бъде показана.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Моля, въведете паролата си, за да потвърдите, че искате да излезете от други сесии на браузъра на всичките си устройства.", + "Please provide the email address of the person you would like to add to this team.": "Моля, посочете имейл адреса на лицето, което искате да добавите към тази команда.", + "Privacy Policy": "поверителност", + "Profile": "Профил", + "Profile Information": "Информация за профила", + "Recovery Code": "Код за възстановяване", + "Regenerate Recovery Codes": "Възстановяване на кодове за възстановяване", + "Register": "Регистрирам", + "Remember me": "Помни ме.", + "Remove": "Премахвам", + "Remove Photo": "Изтриване На Снимка", + "Remove Team Member": "Изтриване На Член На Екипа", + "Resend Verification Email": "Повторно Изпращане На Писмо За Проверка", + "Reset Password": "парола", + "Role": "Роля", + "Save": "Запазя", + "Saved.": "Запиша.", + "Select A New Photo": "Изберете Нова Снимка", + "Show Recovery Codes": "Показване На Кодове За Възстановяване", + "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.": "Съхранявайте тези кодове за възстановяване в сигурен мениджър на пароли. Те могат да бъдат използвани за възстановяване на достъпа до профила ви, ако вашето устройство за двуфакторно удостоверяване е загубено.", + "Switch Teams": "Превключване на команди", + "Team Details": "Подробности за екипа", + "Team Invitation": "Покана за екип", + "Team Members": "Екип", + "Team Name": "Име на екип", + "Team Owner": "Собственикът на отбора", + "Team Settings": "Настройки на команда", + "Terms of Service": "условие", + "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 a valid role.": ":attribute трябва да бъде валидна роля.", + "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 and 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 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 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.": ":attribute трябва да съдържа най-малко :length знака.", + "The provided password does not match your current password.": "Предоставената парола не съответства на текущата ви парола.", + "The provided password was incorrect.": "Предоставената парола е грешна.", + "The provided two factor authentication code was invalid.": "Предоставеният код за двуфакторно удостоверяване е невалиден.", + "The team's name and owner information.": "Име на екипа и информация за собственика.", + "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.": "Тези хора бяха поканени във вашия екип и получиха покана по имейл. Те могат да се присъединят към екипа, като приемат покана по имейл.", + "This device": "Това устройство", + "This is a secure area of the application. Please confirm your password before continuing.": "Това е безопасна област на приложение. Моля, потвърдете паролата си, преди да продължите.", + "This password does not match our records.": "Тази парола не съвпада с нашите записи.", + "This user already belongs to the team.": "Този потребител вече принадлежи на екипа.", + "This user has already been invited to the team.": "Този потребител вече е поканен в екипа.", + "Token Name": "Име на символ", + "Two Factor Authentication": "Двуфакторно удостоверяване", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Двуфакторното удостоверяване вече е активирано. Сканирайте следния QR код с приложението authenticator на телефона си.", + "Update Password": "Обновяване на паролата", + "Update your account's profile information and email address.": "Актуализирайте информацията за профила на профила и имейл адреса си.", + "Use a recovery code": "Използвайте кода за възстановяване", + "Use an authentication code": "Използвайте кода за удостоверяване", + "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.": "Ако е активирано двуфакторно удостоверяване, по време на удостоверяването ще бъдете подканени да въведете защитен произволен символ. Можете да получите този знак от приложението Google Authenticator на телефона си.", + "Whoops! Something went wrong.": "Опа! Нещо се обърка.", + "You have been invited to join the :team team!": "Вие сте поканени да се присъедините към екип :team!", + "You have enabled two factor authentication.": "Включихте двуфакторно удостоверяване.", + "You have not enabled two factor authentication.": "Не сте активирали двуфакторното удостоверяване.", + "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.": "Не можете да напуснете създадения от вас екип." +} diff --git a/locales/bg/packages/nova.json b/locales/bg/packages/nova.json new file mode 100644 index 00000000000..bb2ed1027cd --- /dev/null +++ b/locales/bg/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 дни", + "60 Days": "60 дни", + "90 Days": "90 дни", + ":amount Total": "Общо :amount", + ":resource Details": ":resource детайли", + ":resource Details: :title": ":resource детайли: :title", + "Action": "Действие", + "Action Happened At": "Случило Се В", + "Action Initiated By": "Инициирано", + "Action Name": "Име", + "Action Status": "Статус", + "Action Target": "Цел", + "Actions": "Действия", + "Add row": "Добавяне на ред", + "Afghanistan": "Афганистан", + "Aland Islands": "Аландски острови", + "Albania": "Албания", + "Algeria": "Алжир", + "All resources loaded.": "Всички ресурси са заредени.", + "American Samoa": "Американска Самоа", + "An error occured while uploading the file.": "Възникна грешка при зареждане на файла.", + "Andorra": "Андора", + "Angola": "Ангола", + "Anguilla": "Ангуила", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Друг потребител редактира този ресурс от момента на зареждане на тази страница. Моля, презаредете страницата и опитайте отново.", + "Antarctica": "Антарктида", + "Antigua And Barbuda": "Антигуа и Барбуда", + "April": "Април", + "Are you sure you want to delete the selected resources?": "Сигурни ли сте, че искате да изтриете избраните ресурси?", + "Are you sure you want to delete this file?": "Сигурни ли сте, че искате да изтриете този файл?", + "Are you sure you want to delete this resource?": "Сигурни ли сте, че искате да изтриете този ресурс?", + "Are you sure you want to detach the selected resources?": "Сигурни ли сте, че искате да изключите избраните ресурси?", + "Are you sure you want to detach this resource?": "Сигурни ли сте, че искате да изключите този ресурс?", + "Are you sure you want to force delete the selected resources?": "Сигурни ли сте, че искате да изтриете избраните ресурси?", + "Are you sure you want to force delete this resource?": "Сигурни ли сте, че искате да премахнете този ресурс принудително?", + "Are you sure you want to restore the selected resources?": "Сигурни ли сте, че искате да възстановите избраните ресурси?", + "Are you sure you want to restore this resource?": "Сигурни ли сте, че искате да възстановите този ресурс?", + "Are you sure you want to run this action?": "Сигурни ли сте, че искате да изпълните това действие?", + "Argentina": "Аржентина", + "Armenia": "Армения", + "Aruba": "Аруба", + "Attach": "Прикачи", + "Attach & Attach Another": "Прикачи & Прикачи друг", + "Attach :resource": "Прикачи :resource", + "August": "Август", + "Australia": "Австралия", + "Austria": "Австрия", + "Azerbaijan": "Азербайджан", + "Bahamas": "Бахамски острови", + "Bahrain": "Бахрейн", + "Bangladesh": "Бангладеш", + "Barbados": "Барбадос", + "Belarus": "Белорусия", + "Belgium": "Белгия", + "Belize": "Белиз", + "Benin": "Бенин", + "Bermuda": "Бермуда", + "Bhutan": "Бутан", + "Bolivia": "Боливия", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sabbath", + "Bosnia And Herzegovina": "Босна и Херцеговина", + "Botswana": "Ботсвана", + "Bouvet Island": "Остров Буве", + "Brazil": "Бразилия", + "British Indian Ocean Territory": "Британска територия в Индийския океан", + "Brunei Darussalam": "Brunei", + "Bulgaria": "България", + "Burkina Faso": "Буркина Фасо", + "Burundi": "Бурунди", + "Cambodia": "Камбоджа", + "Cameroon": "Камерун", + "Canada": "Канада", + "Cancel": "Отменя", + "Cape Verde": "Кабо Верде", + "Cayman Islands": "Кайман", + "Central African Republic": "Централноафриканска Република", + "Chad": "Чад", + "Changes": "Ревизия", + "Chile": "Чили", + "China": "Китай", + "Choose": "Избери", + "Choose :field": "Изберете :field", + "Choose :resource": "Изберете :resource", + "Choose an option": "Изберете опция", + "Choose date": "Изберете дата", + "Choose File": "Изберете файл", + "Choose Type": "Избера", + "Christmas Island": "Остров Коледа", + "Click to choose": "Кликнете, за да изберете", + "Cocos (Keeling) Islands": "Кокос (Кийлинг) Острови", + "Colombia": "Колумбия", + "Comoros": "Коморски острови", + "Confirm Password": "Потвърдете Паролата", + "Congo": "Конго", + "Congo, Democratic Republic": "Конго, Демократична Република", + "Constant": "Постоянен", + "Cook Islands": "Островите Кук", + "Costa Rica": "Коста Рика", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "не може да бъде открит.", + "Create": "Създай", + "Create & Add Another": "Създай & Добави друг", + "Create :resource": "Създай :resource", + "Croatia": "Хърватия", + "Cuba": "Куба", + "Curaçao": "Кюрасао", + "Customize": "Модифицирай", + "Cyprus": "Кипър", + "Czech Republic": "Чехия", + "Dashboard": "Табло", + "December": "Декември", + "Decrease": "Намали", + "Delete": "Изтрий", + "Delete File": "Изтриване на файл", + "Delete Resource": "Изтриване на ресурс", + "Delete Selected": "Изтриване На Избраното", + "Denmark": "Дания", + "Detach": "Изключа", + "Detach Resource": "Изключване на ресурса", + "Detach Selected": "Изключване На Избрания", + "Details": "Информация", + "Djibouti": "Джибути", + "Do you really want to leave? You have unsaved changes.": "Наистина ли искаш да си тръгнеш? Имате незаписани промени.", + "Dominica": "Неделя", + "Dominican Republic": "Доминиканска Република", + "Download": "Изтегля", + "Ecuador": "Еквадор", + "Edit": "Редактирам", + "Edit :resource": "Субтитри:", + "Edit Attached": "Редактиране Приложен", + "Egypt": "Египет", + "El Salvador": "Спасител", + "Email Address": "имейл", + "Equatorial Guinea": "Екваториална Гвинея", + "Eritrea": "Еритрея", + "Estonia": "Естония", + "Ethiopia": "Етиопия", + "Falkland Islands (Malvinas)": "Фолкландски (Малвински) острови)", + "Faroe Islands": "Фарьорски острови", + "February": "Февруари", + "Fiji": "Фиджи", + "Finland": "Финландия", + "Force Delete": "Принудително премахване", + "Force Delete Resource": "Принудително премахване на ресурс", + "Force Delete Selected": "Принудително Премахване На Избрания", + "Forgot Your Password?": "Забравихте Паролата Си?", + "Forgot your password?": "Забравихте паролата си?", + "France": "Франция", + "French Guiana": "Френска Гвиана", + "French Polynesia": "Френска Полинезия", + "French Southern Territories": "Френски южни територии", + "Gabon": "Габон", + "Gambia": "Гамбия", + "Georgia": "Грузия", + "Germany": "Германия", + "Ghana": "Гана", + "Gibraltar": "Гибралтар", + "Go Home": "да се прибера вкъщи.", + "Greece": "Гърция", + "Greenland": "Гренландия", + "Grenada": "Гренада", + "Guadeloupe": "Гваделупа", + "Guam": "Гуам", + "Guatemala": "Гватемала", + "Guernsey": "Гърнси", + "Guinea": "Гвинея", + "Guinea-Bissau": "Гвинея-Бисау", + "Guyana": "Гвиана", + "Haiti": "Хаити", + "Heard Island & Mcdonald Islands": "Островите Хърд и Макдоналд", + "Hide Content": "Скриване на съдържанието", + "Hold Up!": "- Чакай!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Хондурас", + "Hong Kong": "Хонг Конг", + "Hungary": "Унгария", + "Iceland": "Исландия", + "ID": "ИДЕНТИФИКАТОР", + "If you did not request a password reset, no further action is required.": "Ако не сте поискали Нулиране на паролата, не са необходими допълнителни действия.", + "Increase": "Увеличаване", + "India": "Индия", + "Indonesia": "Индонезия", + "Iran, Islamic Republic Of": "Иран", + "Iraq": "Ирак", + "Ireland": "Ирландия", + "Isle Of Man": "Остров Ман", + "Israel": "Израел", + "Italy": "Италия", + "Jamaica": "Ямайка", + "January": "Януари", + "Japan": "Япония", + "Jersey": "Фланелка", + "Jordan": "Йордания", + "July": "Юли", + "June": "Юни", + "Kazakhstan": "Казахстан", + "Kenya": "Кения", + "Key": "Ключ", + "Kiribati": "Кирибати", + "Korea": "Корея", + "Korea, Democratic People's Republic of": "Северна Корея", + "Kosovo": "Косово", + "Kuwait": "Кувейт", + "Kyrgyzstan": "Киргизстан", + "Lao People's Democratic Republic": "Лаос", + "Latvia": "Латвия", + "Lebanon": "Ливан", + "Lens": "Леща", + "Lesotho": "Лесото", + "Liberia": "Либерия", + "Libyan Arab Jamahiriya": "Либия", + "Liechtenstein": "Лихтенщайн", + "Lithuania": "Литва", + "Load :perPage More": "Изтегляне На :per Страници Повече", + "Login": "Упълномощя", + "Logout": "Излизане", + "Luxembourg": "Люксембург", + "Macao": "Макао", + "Macedonia": "Северна Македония", + "Madagascar": "Мадагаскар", + "Malawi": "Малави", + "Malaysia": "Малайзия", + "Maldives": "Малдиви", + "Mali": "Малък", + "Malta": "Малта", + "March": "Март", + "Marshall Islands": "Маршалови острови", + "Martinique": "Мартиника", + "Mauritania": "Мавритания", + "Mauritius": "Мавритания", + "May": "Май", + "Mayotte": "Мейот", + "Mexico": "Мексико", + "Micronesia, Federated States Of": "Микронезия", + "Moldova": "Молдова", + "Monaco": "Монако", + "Mongolia": "Монголия", + "Montenegro": "Гора", + "Month To Date": "Месец Досега", + "Montserrat": "Монсерат", + "Morocco": "Мароко", + "Mozambique": "Мозамбик", + "Myanmar": "Мианмар", + "Namibia": "Намибия", + "Nauru": "Науру", + "Nepal": "Непал", + "Netherlands": "Холандия", + "New": "Нов", + "New :resource": "Нов :resource", + "New Caledonia": "Нова Каледония", + "New Zealand": "Нова Зеландия", + "Next": "Следния", + "Nicaragua": "Никарагуа", + "Niger": "Нигер", + "Nigeria": "Нигерия", + "Niue": "Ниуе", + "No": "Не.", + "No :resource matched the given criteria.": "№ :resource отговаря на зададените критерии.", + "No additional information...": "Няма допълнителна информация...", + "No Current Data": "Няма Текущи Данни", + "No Data": "Няма Данни", + "no file selected": "файлът не е избран", + "No Increase": "Няма Увеличение", + "No Prior Data": "Няма Предварителни Данни", + "No Results Found.": "Няма Резултати.", + "Norfolk Island": "Остров Норфолк", + "Northern Mariana Islands": "Северни Мариански острови", + "Norway": "Норвегия", + "Nova User": "Потребител Nova", + "November": "Ноември", + "October": "Октомври", + "of": "от", + "Oman": "Оман", + "Only Trashed": "Само Победен", + "Original": "Оригинал", + "Pakistan": "Пакистан", + "Palau": "Палау", + "Palestinian Territory, Occupied": "Палестински територии", + "Panama": "Панама", + "Papua New Guinea": "Папуа Нова Гвинея", + "Paraguay": "Парагвай", + "Password": "Парола", + "Per Page": "На Страница", + "Peru": "Перу", + "Philippines": "Филипините", + "Pitcairn": "Острови Питкерн", + "Poland": "Полша", + "Portugal": "Португалия", + "Press \/ to search": "Натиснете \/ за търсене", + "Preview": "Визуализация", + "Previous": "Предишен", + "Puerto Rico": "Пуерто Рико", + "Qatar": "катар", + "Quarter To Date": "Тримесечие Досега", + "Reload": "Рестартирам", + "Remember Me": "Помни Ме.", + "Reset Filters": "Нулиране на филтрите", + "Reset Password": "парола", + "Reset Password Notification": "Известие за нулиране на паролата", + "resource": "ресурс", + "Resources": "Ресурс", + "resources": "ресурс", + "Restore": "Възстановявам", + "Restore Resource": "Възстановяване на ресурс", + "Restore Selected": "Възстановяване На Избраното", + "Reunion": "Реюнион", + "Romania": "Румъния", + "Run Action": "Изпълнение на действие", + "Russian Federation": "Русия", + "Rwanda": "Руанда", + "Saint Barthelemy": "Свети Вартоломей", + "Saint Helena": "Остров Света Елена", + "Saint Kitts And Nevis": "Сейнт Китс и Невис", + "Saint Lucia": "Сейнт Лусия", + "Saint Martin": "Свети Мартин", + "Saint Pierre And Miquelon": "Сен Пиер и Микелон", + "Saint Vincent And Grenadines": "Сейнт Винсент и Гренадини", + "Samoa": "Самоа", + "San Marino": "Сан Марино", + "Sao Tome And Principe": "Сао Томе и Принсипи", + "Saudi Arabia": "Саудитска Арабия", + "Search": "Търсене", + "Select Action": "Изберете Действие", + "Select All": "изберете всички", + "Select All Matching": "Изберете Всички Съвпадащи", + "Send Password Reset Link": "Изпрати Линк За Нулиране На Паролата", + "Senegal": "Сенегал", + "September": "Септември", + "Serbia": "Сърбия", + "Seychelles": "Сейшелски острови", + "Show All Fields": "Показване На Всички Полета", + "Show Content": "Показване на съдържанието", + "Sierra Leone": "Сиера Леоне", + "Singapore": "Сингапур", + "Sint Maarten (Dutch part)": "Синт Мартен", + "Slovakia": "Словакия", + "Slovenia": "Словения", + "Solomon Islands": "Соломонови острови", + "Somalia": "Сомалия", + "Something went wrong.": "Нещо се обърка.", + "Sorry! You are not authorized to perform this action.": "Съжалявам! Не сте упълномощени да извършвате това действие.", + "Sorry, your session has expired.": "Съжалявам, сесията ви изтече.", + "South Africa": "ЮАР", + "South Georgia And Sandwich Isl.": "Южна Джорджия и Южни Сандвичеви острови", + "South Sudan": "Южен Судан", + "Spain": "Испания", + "Sri Lanka": "Шри Ланка", + "Start Polling": "Започнете проучване", + "Stop Polling": "Спиране на проучването", + "Sudan": "Судан", + "Suriname": "Суринам", + "Svalbard And Jan Mayen": "Свалбард и Ян Майен", + "Swaziland": "Eswatini", + "Sweden": "Швеция", + "Switzerland": "Швейцария", + "Syrian Arab Republic": "Сирия", + "Taiwan": "Тайван", + "Tajikistan": "Таджикистан", + "Tanzania": "Танзания", + "Thailand": "Тайланд", + "The :resource was created!": ":resource е създаден!", + "The :resource was deleted!": ":resource е изтрит!", + "The :resource was restored!": ":resource е възстановен!", + "The :resource was updated!": ":resource е актуализиран!", + "The action ran successfully!": "Акцията беше успешна!", + "The file was deleted!": "Файлът е изтрит!", + "The government won't let us show you what's behind these doors": "Правителството няма да ни позволи да ви покажем какво има зад тези врати.", + "The HasOne relationship has already been filled.": "Връзката hasOne вече е запълнена.", + "The resource was updated!": "Ресурсът е актуализиран!", + "There are no available options for this resource.": "Няма налични опции за този ресурс.", + "There was a problem executing the action.": "Имаше проблем с изпълнението на действието.", + "There was a problem submitting the form.": "Имаше проблем с подаването на формуляра.", + "This file field is read-only.": "Това поле на файла е само за четене.", + "This image": "Това изображение", + "This resource no longer exists": "Този ресурс вече не съществува", + "Timor-Leste": "Тимор-Лещ", + "Today": "Днес", + "Togo": "Тя", + "Tokelau": "Токелау", + "Tonga": "Идвам", + "total": "ваш", + "Trashed": "Победен", + "Trinidad And Tobago": "Тринидад и Тобаго", + "Tunisia": "Тунис", + "Turkey": "Пуйка", + "Turkmenistan": "Туркменистан", + "Turks And Caicos Islands": "Островите Търкс и Кайкос", + "Tuvalu": "Тувалу", + "Uganda": "Уганда", + "Ukraine": "Украйна", + "United Arab Emirates": "Обединени Арабски Емирства", + "United Kingdom": "Обединено Кралство", + "United States": "САЩ", + "United States Outlying Islands": "Отдалечени острови на САЩ", + "Update": "Актуализация", + "Update & Continue Editing": "Актуализиране и продължаване на редактирането", + "Update :resource": "Актуализация :resource", + "Update :resource: :title": "Актуализация :resource: :title", + "Update attached :resource: :title": "Актуализация приложен :resource: :title", + "Uruguay": "Уругвай", + "Uzbekistan": "Узбекистан", + "Value": "Стойност", + "Vanuatu": "Вануату", + "Venezuela": "Венецуела", + "Viet Nam": "Vietnam", + "View": "Гледам", + "Virgin Islands, British": "Британски Вирджински острови", + "Virgin Islands, U.S.": "Вирджински острови САЩ", + "Wallis And Futuna": "Уолис и Футуна", + "We're lost in space. The page you were trying to view does not exist.": "Изгубихме се в космоса. Страницата, която сте се опитали да видите, не съществува.", + "Welcome Back!": "Добре Дошъл!", + "Western Sahara": "Западна Сахара", + "Whoops": "Опа.", + "Whoops!": "Опа!", + "With Trashed": "С Разгромен", + "Write": "Пиша", + "Year To Date": "Година Досега", + "Yemen": "Йемен", + "Yes": "А", + "You are receiving this email because we received a password reset request for your account.": "Получавате Този имейл, защото получихме искане за нулиране на паролата за профила ви.", + "Zambia": "Замбия", + "Zimbabwe": "Зимбабве" +} diff --git a/locales/bg/packages/spark-paddle.json b/locales/bg/packages/spark-paddle.json new file mode 100644 index 00000000000..2fb383b3e52 --- /dev/null +++ b/locales/bg/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "условие", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Опа! Нещо се обърка.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/bg/packages/spark-stripe.json b/locales/bg/packages/spark-stripe.json new file mode 100644 index 00000000000..3cdb97e3ecc --- /dev/null +++ b/locales/bg/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Афганистан", + "Albania": "Албания", + "Algeria": "Алжир", + "American Samoa": "Американска Самоа", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Андора", + "Angola": "Ангола", + "Anguilla": "Ангуила", + "Antarctica": "Антарктида", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Аржентина", + "Armenia": "Армения", + "Aruba": "Аруба", + "Australia": "Австралия", + "Austria": "Австрия", + "Azerbaijan": "Азербайджан", + "Bahamas": "Бахамски острови", + "Bahrain": "Бахрейн", + "Bangladesh": "Бангладеш", + "Barbados": "Барбадос", + "Belarus": "Белорусия", + "Belgium": "Белгия", + "Belize": "Белиз", + "Benin": "Бенин", + "Bermuda": "Бермуда", + "Bhutan": "Бутан", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Ботсвана", + "Bouvet Island": "Остров Буве", + "Brazil": "Бразилия", + "British Indian Ocean Territory": "Британска територия в Индийския океан", + "Brunei Darussalam": "Brunei", + "Bulgaria": "България", + "Burkina Faso": "Буркина Фасо", + "Burundi": "Бурунди", + "Cambodia": "Камбоджа", + "Cameroon": "Камерун", + "Canada": "Канада", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Кабо Верде", + "Card": "Карта", + "Cayman Islands": "Кайман", + "Central African Republic": "Централноафриканска Република", + "Chad": "Чад", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Чили", + "China": "Китай", + "Christmas Island": "Остров Коледа", + "City": "City", + "Cocos (Keeling) Islands": "Кокос (Кийлинг) Острови", + "Colombia": "Колумбия", + "Comoros": "Коморски острови", + "Confirm Payment": "Потвърдете Плащането", + "Confirm your :amount payment": "Потвърдете плащането си за :amount", + "Congo": "Конго", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Островите Кук", + "Costa Rica": "Коста Рика", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Хърватия", + "Cuba": "Куба", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Кипър", + "Czech Republic": "Чехия", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Дания", + "Djibouti": "Джибути", + "Dominica": "Неделя", + "Dominican Republic": "Доминиканска Република", + "Download Receipt": "Download Receipt", + "Ecuador": "Еквадор", + "Egypt": "Египет", + "El Salvador": "Спасител", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Екваториална Гвинея", + "Eritrea": "Еритрея", + "Estonia": "Естония", + "Ethiopia": "Етиопия", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Необходимо е допълнително потвърждение, за да обработите плащането си. Моля, отидете на страницата за плащане, като кликнете върху бутона по-долу.", + "Falkland Islands (Malvinas)": "Фолкландски (Малвински) острови)", + "Faroe Islands": "Фарьорски острови", + "Fiji": "Фиджи", + "Finland": "Финландия", + "France": "Франция", + "French Guiana": "Френска Гвиана", + "French Polynesia": "Френска Полинезия", + "French Southern Territories": "Френски южни територии", + "Gabon": "Габон", + "Gambia": "Гамбия", + "Georgia": "Грузия", + "Germany": "Германия", + "Ghana": "Гана", + "Gibraltar": "Гибралтар", + "Greece": "Гърция", + "Greenland": "Гренландия", + "Grenada": "Гренада", + "Guadeloupe": "Гваделупа", + "Guam": "Гуам", + "Guatemala": "Гватемала", + "Guernsey": "Гърнси", + "Guinea": "Гвинея", + "Guinea-Bissau": "Гвинея-Бисау", + "Guyana": "Гвиана", + "Haiti": "Хаити", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Хондурас", + "Hong Kong": "Хонг Конг", + "Hungary": "Унгария", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Исландия", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Индия", + "Indonesia": "Индонезия", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Ирак", + "Ireland": "Ирландия", + "Isle of Man": "Isle of Man", + "Israel": "Израел", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Италия", + "Jamaica": "Ямайка", + "Japan": "Япония", + "Jersey": "Фланелка", + "Jordan": "Йордания", + "Kazakhstan": "Казахстан", + "Kenya": "Кения", + "Kiribati": "Кирибати", + "Korea, Democratic People's Republic of": "Северна Корея", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Кувейт", + "Kyrgyzstan": "Киргизстан", + "Lao People's Democratic Republic": "Лаос", + "Latvia": "Латвия", + "Lebanon": "Ливан", + "Lesotho": "Лесото", + "Liberia": "Либерия", + "Libyan Arab Jamahiriya": "Либия", + "Liechtenstein": "Лихтенщайн", + "Lithuania": "Литва", + "Luxembourg": "Люксембург", + "Macao": "Макао", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Мадагаскар", + "Malawi": "Малави", + "Malaysia": "Малайзия", + "Maldives": "Малдиви", + "Mali": "Малък", + "Malta": "Малта", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Маршалови острови", + "Martinique": "Мартиника", + "Mauritania": "Мавритания", + "Mauritius": "Мавритания", + "Mayotte": "Мейот", + "Mexico": "Мексико", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Монако", + "Mongolia": "Монголия", + "Montenegro": "Гора", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Монсерат", + "Morocco": "Мароко", + "Mozambique": "Мозамбик", + "Myanmar": "Мианмар", + "Namibia": "Намибия", + "Nauru": "Науру", + "Nepal": "Непал", + "Netherlands": "Холандия", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Нова Каледония", + "New Zealand": "Нова Зеландия", + "Nicaragua": "Никарагуа", + "Niger": "Нигер", + "Nigeria": "Нигерия", + "Niue": "Ниуе", + "Norfolk Island": "Остров Норфолк", + "Northern Mariana Islands": "Северни Мариански острови", + "Norway": "Норвегия", + "Oman": "Оман", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Пакистан", + "Palau": "Палау", + "Palestinian Territory, Occupied": "Палестински територии", + "Panama": "Панама", + "Papua New Guinea": "Папуа Нова Гвинея", + "Paraguay": "Парагвай", + "Payment Information": "Payment Information", + "Peru": "Перу", + "Philippines": "Филипините", + "Pitcairn": "Острови Питкерн", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Полша", + "Portugal": "Португалия", + "Puerto Rico": "Пуерто Рико", + "Qatar": "катар", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Румъния", + "Russian Federation": "Русия", + "Rwanda": "Руанда", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Остров Света Елена", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Сейнт Лусия", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Самоа", + "San Marino": "Сан Марино", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Саудитска Арабия", + "Save": "Запазя", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Сенегал", + "Serbia": "Сърбия", + "Seychelles": "Сейшелски острови", + "Sierra Leone": "Сиера Леоне", + "Signed in as": "Signed in as", + "Singapore": "Сингапур", + "Slovakia": "Словакия", + "Slovenia": "Словения", + "Solomon Islands": "Соломонови острови", + "Somalia": "Сомалия", + "South Africa": "ЮАР", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Испания", + "Sri Lanka": "Шри Ланка", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Судан", + "Suriname": "Суринам", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Швеция", + "Switzerland": "Швейцария", + "Syrian Arab Republic": "Сирия", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Таджикистан", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "условие", + "Thailand": "Тайланд", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Тимор-Лещ", + "Togo": "Тя", + "Tokelau": "Токелау", + "Tonga": "Идвам", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Тунис", + "Turkey": "Пуйка", + "Turkmenistan": "Туркменистан", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Тувалу", + "Uganda": "Уганда", + "Ukraine": "Украйна", + "United Arab Emirates": "Обединени Арабски Емирства", + "United Kingdom": "Обединено Кралство", + "United States": "САЩ", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Актуализация", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Уругвай", + "Uzbekistan": "Узбекистан", + "Vanuatu": "Вануату", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Британски Вирджински острови", + "Virgin Islands, U.S.": "Вирджински острови САЩ", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Западна Сахара", + "Whoops! Something went wrong.": "Опа! Нещо се обърка.", + "Yearly": "Yearly", + "Yemen": "Йемен", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Замбия", + "Zimbabwe": "Зимбабве", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/bn/bn.json b/locales/bn/bn.json index 64acce7f396..41b4ab72b54 100644 --- a/locales/bn/bn.json +++ b/locales/bn/bn.json @@ -1,710 +1,48 @@ { - "30 Days": "30 দিন", - "60 Days": "60 দিন", - "90 Days": "90 দিন", - ":amount Total": ":amount মোট", - ":days day trial": ":days দিনের ট্রায়াল", - ":resource Details": ":resource বিস্তারিত", - ":resource Details: :title": ":resource বিবরণ: :title", "A fresh verification link has been sent to your email address.": "একটি যাচাইকরণ লিঙ্ক আপনার ইমেল ঠিকানায় পাঠানো হয়েছে।", - "A new verification link has been sent to the email address you provided during registration.": "একটি নতুন যাচাইকরণ লিঙ্ক আপনার রেজিস্ট্রেশন করার সময় দেওয়া ইমেইল ঠিকানায় পাঠানো হয়েছে।", - "Accept Invitation": "আমন্ত্রণ গ্রহণ", - "Action": "কাজ", - "Action Happened At": "ঘটেছে", - "Action Initiated By": "প্রকাশনার তারিখ", - "Action Name": "নাম", - "Action Status": "অবস্থা", - "Action Target": "টার্গেট", - "Actions": "কাজ", - "Add": "যোগ করুন", - "Add a new team member to your team, allowing them to collaborate with you.": "আপনার দলে একজন নতুন সদস্য যোগ করুন, তারা আপনার সাথে সহযোগিতা করতে সক্ষম হবেন।", - "Add additional security to your account using two factor authentication.": "দুই ফ্যাক্টর প্রমাণীকরণ ব্যবহার করে আপনার অ্যাকাউন্টে অতিরিক্ত নিরাপত্তা যোগ করুন।", - "Add row": "সারি যোগ করো", - "Add Team Member": "দলে সদস্য যোগ করুন", - "Add VAT Number": "ভ্যাট নাম্বার যোগ করুন", - "Added.": "যোগ করা হয়েছে.", - "Address": "ঠিকানা", - "Address Line 2": "ঠিকানা ২য় লাইন", - "Administrator": "অ্যাডমিনস্ট্রেটর", - "Administrator users can perform any action.": "অ্যাডমিনিস্ট্রেটর ব্যবহারকারীরা যে কোন কাজ করতে পারেন।", - "Afghanistan": "আফগানিস্তান", - "Aland Islands": "আলান্ড দ্বীপপুঞ্জ", - "Albania": "আলবেনিয়া", - "Algeria": "আলজেরিয়া", - "All of the people that are part of this team.": "এই দলের অংশ যারা", - "All resources loaded.": "সবগুলি রিসোর্স লোড করা হয়েছে।", - "All rights reserved.": "সমস্ত অধিকার সংরক্ষিত।", - "Already registered?": "ইতিমধ্যে নিবন্ধন করেছেন?", - "American Samoa": "আমেরিকান সামোয়া ", - "An error occured while uploading the file.": "ফাইল আপলোড করার সময় একটি ত্রুটির পাওয়া গিয়েছে।", - "An unexpected error occurred and we have notified our support team. Please try again later.": "একটি অপ্রত্যাশিত ত্রুটি ঘটেছে এবং আমরা সাপোর্ট দলকে অবহিত করেছি। পুনরায় চেস্টা করুন।", - "Andorra": "আন্ডোরা", - "Angola": "অ্যাঙ্গোলা", - "Anguilla": "প্রস্তুতকারক", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "এই পৃষ্ঠা লোড হওয়ার পর থেকে অন্য ব্যবহারকারী রিসোর্সটি আপডেট করেছেন। পৃষ্ঠাটি রিফ্রেশ করুন এবং আবার চেষ্টা করুন।", - "Antarctica": "ফোন মডেল", - "Antigua and Barbuda": "অ্যান্টিগুয়া ও বার্বুডা", - "Antigua And Barbuda": "অ্যান্টিগুয়া ও বার্বুডা", - "API Token": "এপিআই টোকেন", - "API Token Permissions": "এপিআই টোকেন পারমিশন", - "API Tokens": "এপিআই টোকেনগুলি", - "API tokens allow third-party services to authenticate with our application on your behalf.": "এপিআই টোকেন তৃতীয় পক্ষের সেবা গ্রহনের জন্য আপনার পক্ষ থেকে আমাদের আবেদন প্রমাণ করার অনুমতি দেয়।", - "April": "এপ্রিল", - "Are you sure you want to delete the selected resources?": "আপনি কি নিশ্চিতরূপে নির্বাচিত রিসোর্সটি মুছে ফেলতে ইচ্ছুক?", - "Are you sure you want to delete this file?": "আপনি কি নিশ্চিতরূপে এই ফাইলটি মুছে ফেলতে চান?", - "Are you sure you want to delete this resource?": "আপনি কি নিশ্চিত যে আপনি এই রিসোর্স মুছে ফেলতে চান?", - "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 detach the selected resources?": "আপনি কি নির্বাচিত রিসোর্স বিচ্ছিন্ন করতে চান?", - "Are you sure you want to detach this resource?": "আপনি কি নিশ্চিত যে আপনি এই রিসোর্স বিচ্ছিন্ন করতে চান?", - "Are you sure you want to force delete the selected resources?": "আপনি কি নিশ্চিতরূপে নির্বাচিত রিসোর্স মুছে ফেলতে ইচ্ছুক?", - "Are you sure you want to force delete this resource?": "আপনি কি নিশ্চিতরূপে এটি মুছে ফেলতে ইচ্ছুক?", - "Are you sure you want to restore the selected resources?": "আপনি কি নিশ্চিতরূপে নির্বাচিত সম্পদ পুনরুদ্ধার করতে ইচ্ছুক?", - "Are you sure you want to restore this resource?": "আপনি কি নিশ্চিত যে আপনি এই সম্পদ পুনরুদ্ধার করতে চান?", - "Are you sure you want to run this action?": "আপনি কি নিশ্চিতরূপে এই কাজটি চালাতে চান?", - "Are you sure you would like to delete this API token?": "আপনি কি নিশ্চিত যে আপনি এই এপিআই টোকেন মুছতে চান?", - "Are you sure you would like to leave this team?": "আপনি কি নিশ্চিত যে আপনি এই দল ছেড়ে চলে যেতে চান?", - "Are you sure you would like to remove this person from the team?": "আপনি কি নিশ্চিত যে আপনি দল থেকে এই ব্যক্তির অপসারণ চান?", - "Argentina": "আর্জেন্টিনা", - "Armenia": "আর্মেনিয়া", - "Aruba": "আরুবা", - "Attach": "সংযুক্ত করুন", - "Attach & Attach Another": "সংযুক্ত & অন্য একটি সংযুক্ত করুন", - "Attach :resource": "সংযুক্ত করুন :resource", - "August": "আগস্ট", - "Australia": "অস্ট্রেলিয়া", - "Austria": "অস্ট্রিয়া", - "Azerbaijan": "আজারবাইজান", - "Bahamas": "বাহামা", - "Bahrain": "বাহরাইন", - "Bangladesh": "বাংলাদেশ", - "Barbados": "বার্বাডোস", "Before proceeding, please check your email for a verification link.": "অগ্রসর হওয়ার আগে, যাচাইকরণ লিঙ্কটির জন্য আপনার ইমেল চেক করুন।", - "Belarus": "বেলারুশ", - "Belgium": "বেলজিয়াম", - "Belize": "আফগানিস্তান", - "Benin": "বেনিন", - "Bermuda": "বারমুডা", - "Bhutan": "ভুটান", - "Billing Information": "বিল সংক্রান্ত তথ্য", - "Billing Management": "বিল সংক্রান্ত ব্যাবস্থাপনা", - "Bolivia": "বলিভিয়া", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "বোনেয়ার, সিন্ট ইউস্টাটিয়াস এবং সাবা", - "Bosnia And Herzegovina": "বসনিয়া ও হার্জেগোভিনা", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "অ্যাঙ্গিলা", - "Bouvet Island": "যাচাইকৃত অ্যাকাউন্ট", - "Brazil": "ব্রাজিল", - "British Indian Ocean Territory": "ব্রিটিশ ভারত মহাসাগর অঞ্চল", - "Browser Sessions": "ব্রাউজার সেশন", - "Brunei Darussalam": "Brunei", - "Bulgaria": "আর্জেন্তিনা", - "Burkina Faso": "আর্মেনিয়া", - "Burundi": "আরুবা", - "Cambodia": "কাম্বোডিয়া", - "Cameroon": "অস্ট্রেলিয়া", - "Canada": "কানাডা", - "Cancel": "বাতিল করা হয়েছে", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "আজেরবাইজান", - "Card": "কার্ড", - "Cayman Islands": "কেম্যান দ্বীপপুঞ্জ", - "Central African Republic": "মধ্য আফ্রিকান প্রজাতন্ত্র", - "Chad": "বাংলাদেশ", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "পরিবর্তন", - "Chile": "বারবাডোস", - "China": "চীনি", - "Choose": "বেছে নিন", - "Choose :field": "নির্বাচন করুন :field", - "Choose :resource": ":resource চয়ন করুন", - "Choose an option": "একটি অপশন নির্বাচন করুন", - "Choose date": "তারিখ নির্বাচন করুন", - "Choose File": "ফাইল নির্বাচন করুন", - "Choose Type": "ধরন বেছে নিন", - "Christmas Island": "ক্রিসমাস দ্বীপ", - "City": "City", "click here to request another": "অন্য অনুরোধ করতে এখানে ক্লিক করুন", - "Click to choose": "নির্বাচনের জন্য ক্লিক করুন", - "Close": "বন্ধ", - "Cocos (Keeling) Islands": "কোকোস (কিলিং) দ্বীপপুঞ্জ", - "Code": "কোড", - "Colombia": "বেলজিয়াম", - "Comoros": "বেলিজে", - "Confirm": "নিশ্চিত করুন", - "Confirm Password": "পাসওয়ার্ড নিশ্চিত করুন", - "Confirm Payment": "পেমেন্ট নিশ্চিত করুন", - "Confirm your :amount payment": "আপনার নিশ্চিত :amount প্রদান", - "Congo": "বেনিন", - "Congo, Democratic Republic": "কঙ্গো", - "Congo, the Democratic Republic of the": "কঙ্গো", - "Constant": "ধ্রুবক", - "Cook Islands": "কুক দ্বীপপুঞ্জ", - "Costa Rica": "ভূটান", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "খুঁজে পাওয়া যায়নি.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "তৈরি করো", - "Create & Add Another": "তৈরি করুন অন্য যোগ করুন", - "Create :resource": "তৈরি করুন :resource", - "Create a new team to collaborate with others on projects.": "প্রকল্পে অন্যদের সঙ্গে সহযোগিতা করার জন্য একটি নতুন দল তৈরি করুন.", - "Create Account": "অ্যাকাউন্ট তৈরি করুন", - "Create API Token": "কম্পিউটার কোড", - "Create New Team": "নতুন দল তৈরি করো", - "Create Team": "নতুন পরিচিতি", - "Created.": "তৈরি.", - "Croatia": "বলিভিয়া", - "Cuba": "বসনিয়া ও হার্জেগোভিনা", - "Curaçao": "কুরাকাও", - "Current Password": "বর্তমান পাসওয়ার্ড", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "স্বনির্বাচিত", - "Cyprus": "বটসোয়ানা", - "Czech Republic": "পশ্চিম ফ্রিসিয়", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "ড্যাশবোর্ড", - "December": "ডিসেম্বর", - "Decrease": "মার্কিন", - "Delete": "মুছে ফেলা হবে", - "Delete Account": "অ্যাকাউন্ট মুছে ফেলুন", - "Delete API Token": "টোকেন মুছুন", - "Delete File": "ফাইল মুছে ফেলো", - "Delete Resource": "রিসোর্স মুছে ফেলুন", - "Delete Selected": "নির্বাচিত", - "Delete Team": "দল মুছে ফেলো", - "Denmark": "ব্রুনেই", - "Detach": "আলাদা করো", - "Detach Resource": "সম্পদ আলাদা করো", - "Detach Selected": "নির্বাচিত অংশ মুছে ফেলুন", - "Details": "বিস্তারিত", - "Disable": "নিষ্ক্রিয়", - "Djibouti": "বুলগেরিয়া", - "Do you really want to leave? You have unsaved changes.": "আপনি কি আসলেই চলে যেতে চান? তোমার পরিবর্তন অসংরক্ষিত.", - "Dominica": "রবিবার", - "Dominican Republic": "বুরুন্ডি", - "Done.": "হয়ে যাবে", - "Download": "ডাউনলোড করো", - "Download Receipt": "Download Receipt", "E-Mail Address": "ইমেইল ঠিকানা:", - "Ecuador": "ক্যাম্বোডিয়া", - "Edit": "সম্পাদনা", - "Edit :resource": "সম্পাদনা :resource", - "Edit Attached": "সংযুক্ত সম্পাদনা করুন", - "Editor": "সম্পাদক", - "Editor users have the ability to read, create, and update.": "সম্পাদক ব্যবহারকারীদের পড়তে তৈরি, এবং আপডেট করার ক্ষমতা আছে.", - "Egypt": "ক্যামেরুন", - "El Salvador": "কানাডা", - "Email": "ই-মেইল", - "Email Address": "ই-মেইল ঠিকানা", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "ইমেল পাসওয়ার্ড রিসেট লিংক", - "Enable": "সক্রিয় করো", - "Ensure your account is using a long, random password to stay secure.": "আপনার অ্যাকাউন্ট নিরাপদ থাকার একটি দীর্ঘ, র্যান্ডম পাসওয়ার্ড ব্যবহার করা হয় তা নিশ্চিত করুন.", - "Equatorial Guinea": "কেপ ভার্ডি", - "Eritrea": "কেমেন আইল্যাণ্ড", - "Estonia": "অধাতু", - "Ethiopia": "ইথিওপিয়া", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "অতিরিক্ত নিশ্চিতকরণ আপনার পেমেন্ট প্রক্রিয়া প্রয়োজন হয়. নিচে আপনার পেমেন্ট বিবরণ পূরণ করে আপনার পেমেন্ট নিশ্চিত করুন.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "অতিরিক্ত নিশ্চিতকরণ আপনার পেমেন্ট প্রক্রিয়া প্রয়োজন হয়. নিচের বাটনে ক্লিক করে পেমেন্ট পাতা দয়া করে চালিয়ে যান.", - "Falkland Islands (Malvinas)": "বিষয়শ্রেণীসমূহ:)", - "Faroe Islands": "কলোম্বিয়া", - "February": "ফেব্রুয়ারী", - "Fiji": "কমোরোস", - "Finland": "কঙ্গো", - "For your security, please confirm your password to continue.": "আপনার নিরাপত্তার জন্য, অনুগ্রহ করে আপনার পাসওয়ার্ড চালিয়ে যান৷", "Forbidden": "নিষিদ্ধ", - "Force Delete": "মুছে ফেলুন", - "Force Delete Resource": "রিসোর্স মুছে ফেলো", - "Force Delete Selected": "নির্বাচিত অংশ মুছে ফেলুন", - "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.": "আপনার পাসওয়ার্ড ভুলে গেছেন? সমস্যা নেই. শুধু আমাদের আপনার ইমেল ঠিকানা জানাতে এবং আমরা আপনাকে একটি নতুন নির্বাচন করার অনুমতি দেবে যে একটি পাসওয়ার্ড রিসেট লিঙ্ক ইমেইল হবে.", - "France": "বর্ণালী সংরক্ষণ করো", - "French Guiana": "ফরাসি দক্ষিণ এবং অ্যান্টার্কটিক ভূমি", - "French Polynesia": "কেম্যান দ্বীপপুঞ্জ", - "French Southern Territories": "ফরাসি দক্ষিণ অঞ্চল", - "Full name": "সম্পূর্ণ নাম", - "Gabon": "ক্রোয়েশিয়া", - "Gambia": "কিউবা", - "Georgia": "জর্জিয়া", - "Germany": "চেক রিপাবলিক", - "Ghana": "ডেনমার্ক", - "Gibraltar": "জিব্রাল্টার", - "Go back": "পূর্বাবস্থায় যান", - "Go Home": "বাড়িতে যান", "Go to page :page": "পাতা :page এ যান", - "Great! You have accepted the invitation to join the :team team.": "খুব ভালো! আপনি আমন্ত্রণ :team দল যোগদানের জন্য গ্রহণ করেছেন.", - "Greece": "গ্রীস", - "Greenland": "ডোমিনিকা", - "Grenada": "ডমিনিকান রিপাবলিক", - "Guadeloupe": "গুয়াডেলুপে", - "Guam": "ইকুয়েডর", - "Guatemala": "মিশর", - "Guernsey": "প্যাটসি", - "Guinea": "এল সালভাডোর", - "Guinea-Bissau": "ইকুয়েটোরিয়াল গিনি", - "Guyana": "এরিট্রিয়া", - "Haiti": "এস্টোনিয়া", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "হার্ড দ্বীপ এবং ম্যাকডোনাল্ড দ্বীপপুঞ্জ", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "হ্যালো!", - "Hide Content": "বিষয়বস্তু আড়াল করা হবে", - "Hold Up!": "দাড়াও!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "ইংল্যাণ্ড", - "Hong Kong": "ইথিওপিয়া", - "Hungary": "ইউরোপিয়ান ইউনিয়ন", - "I agree to the :terms_of_service and :privacy_policy": "আমি একমত :terms_অফ_অফসিস এবং :privacy_টানফ", - "Iceland": "আইসল্যান্ড", - "ID": "আইডি", - "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 logout 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 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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "আপনি \"ক্লিক সমস্যা ভোগ করছি :action পাঠ্য\" বোতাম, কপি এবং নীচের ইউআরএল পেস্ট\nআপনার ওয়েব ব্রাউজারে:", - "Increase": "বৃদ্ধি", - "India": "ইন্ডিয়া", - "Indonesia": "ফিজি", "Invalid signature.": "এই শ্রেণীতে নেই", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "ফিনল্যাণ্ড", - "Iraq": "ফ্রান্স", - "Ireland": "ফরাসী পলিনেসিয়া", - "Isle of Man": "Isle of Man", - "Isle Of Man": "আইল অব ম্যান", - "Israel": "গ্যাবন", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "গ্যামবিয়া", - "Jamaica": "আমেরিকা \/ জামাইকা", - "January": "জানুয়ারী", - "Japan": "নিরপেক্ষ", - "Jersey": "জার্সি", - "Jordan": "জর্ডান", - "July": "জুলাই", - "June": "জুন", - "Kazakhstan": "গ্রীনল্যাণ্ড", - "Kenya": "কেনিয়া", - "Key": "কী", - "Kiribati": "গুয়াম", - "Korea": "দক্ষিণ কোরিয়া", - "Korea, Democratic People's Republic of": "উত্তর কোরিয়া", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "কসোভো", - "Kuwait": "কুয়েত", - "Kyrgyzstan": "গায়ানা", - "Lao People's Democratic Republic": "হাইতি", - "Last active": "সর্বশেষ সক্রিয়", - "Last used": "সর্বশেষ ব্যবহার", - "Latvia": "হন্ডুরাস", - "Leave": "ত্যাগ", - "Leave Team": "ত্যাগ দল", - "Lebanon": "হং কং", - "Lens": "অর্লিনস", - "Lesotho": "হাঙ্গেরী", - "Liberia": "ভারত", - "Libyan Arab Jamahiriya": "লিবিয়া", - "Liechtenstein": "ইরান", - "Lithuania": "ইরাক", - "Load :perPage More": ":perপেজ আরো লোড করুন", - "Log in": "লগইন করুন", "Log out": "লগ-আউট", - "Log Out": "লগ-আউট", - "Log Out Other Browser Sessions": "অন্য ব্রাউজার সেশনে লগ আউট করুন", - "Login": "লগইন", - "Logout": "লগ-আউট", "Logout Other Browser Sessions": "লগআউট অন্যান্য ব্রাউজার সেশন", - "Luxembourg": "আয়ারল্যাণ্ড", - "Macao": "ম্যাকাও", - "Macedonia": "উত্তর ম্যাসেডোনিয়া", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "ইতালী", - "Malawi": "আইভরি কোস্ট", - "Malaysia": "জামাইকা", - "Maldives": "মালদ্বীপ", - "Mali": "ছোট", - "Malta": "কাজাখস্তান", - "Manage Account": "অ্যাকাউন্ট পরিচালনা", - "Manage and log out your active sessions on other browsers and devices.": "গালাগাল প্রতিবেদন করো এবং অন্যান্য ব্রাউজার এবং ডিভাইসের উপর আপনার সক্রিয় সেশন লগ আউট.", "Manage and logout your active sessions on other browsers and devices.": "গালাগাল প্রতিবেদন করো এবং অন্যান্য ব্রাউজার এবং ডিভাইসের উপর আপনার সক্রিয় সেশন লগ আউট.", - "Manage API Tokens": "এপিআই টোকেন পরিচালনা", - "Manage Role": "ভূমিকা পরিচালনা", - "Manage Team": "দল পরিচালনা", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "মার্চ", - "Marshall Islands": "কেনিয়া", - "Martinique": "কিরিবাটি", - "Mauritania": "কোরিয়া, উত্তর", - "Mauritius": "কোরিয়া, দক্ষিণ", - "May": "মে", - "Mayotte": "মায়োট", - "Mexico": "মেক্সিকো", - "Micronesia, Federated States Of": "মাইক্রোনেশিয়া", - "Moldova": "লাওস", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "লাতভিয়া", - "Mongolia": "লেবানন", - "Montenegro": "মন্টিনিগ্রো", - "Month To Date": "তারিখ থেকে মাস", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "লেসোথো", - "Morocco": "লাইবেরিয়া", - "Mozambique": "লিবিয়া", - "Myanmar": "মায়ানমার", - "Name": "নাম", - "Namibia": "লিথুয়েনেয়া", - "Nauru": "লুক্সেমবুর্গ", - "Nepal": "মাকাও", - "Netherlands": "মাদাগাস্কার", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "কিছু মনে করবেন না", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "নতুন", - "New :resource": "নতুন :resource", - "New Caledonia": "নিউ ক্যালেডোনিয়া", - "New Password": "নতুন পাসওয়ার্ড", - "New Zealand": "নিউজিল্যান্ড", - "Next": "পরবর্তী", - "Nicaragua": "মালি", - "Niger": "মল্টা", - "Nigeria": "মার্শাল দ্বীপপুঞ্জ", - "Niue": "মার্টিনিক", - "No": "না", - "No :resource matched the given criteria.": "কোন :resource দেওয়া মানদণ্ডের মিলেছে.", - "No additional information...": "কোন অতিরিক্ত তথ্য...", - "No Current Data": "বর্তমান কোনো তথ্য নেই", - "No Data": "কোনো বার্তা নেই", - "no file selected": "কোনো ফাইল নির্বাচন করা হয়নি", - "No Increase": "কোন বৃদ্ধি নেই", - "No Prior Data": "পূর্বে কোনো তথ্য নেই", - "No Results Found.": "কোন ফলাফল পাওয়া যায় নি.", - "Norfolk Island": "নরফোক দ্বীপ", - "Northern Mariana Islands": "উত্তর মারিয়ানা দ্বীপপুঞ্জ", - "Norway": "নরওয়ে", "Not Found": "পাওয়া যায় নি", - "Nova User": "নোভা ব্যবহারকারী", - "November": "নভেম্বর", - "October": "অক্টোবর", - "of": "সর্বমোট", "Oh no": "ওহ না", - "Oman": "মলডোভা", - "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 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 Trashed": "শুধু ড্যাশ", - "Original": "মূল", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "মেয়াদউত্তীর্ণ", "Pagination Navigation": "পত্রাঙ্ক ন্যাভিগেশন", - "Pakistan": "পাকিস্তান", - "Palau": "মঙ্গোলিয়া", - "Palestinian Territory, Occupied": "ফিলিস্তিনি অঞ্চল", - "Panama": "পানামা", - "Papua New Guinea": "নিউ ক্যালেডোনিয়া", - "Paraguay": "মায়ানমার", - "Password": "পাসওয়ার্ড", - "Pay :amount": "পে :amount", - "Payment Cancelled": "পেমেন্ট বাতিল করা হয়েছে", - "Payment Confirmation": "পেমেন্ট নিশ্চিতকরণ", - "Payment Information": "Payment Information", - "Payment Successful": "পেমেন্ট সফল", - "Pending Team Invitations": "অপেক্ষারত দলের আমন্ত্রণ", - "Per Page": "প্রতি পৃষ্ঠায়", - "Permanently delete this team.": "স্থায়ীভাবে এই দল মুছে.", - "Permanently delete your account.": "স্থায়ীভাবে আপনার অ্যাকাউন্ট মুছে দিন.", - "Permissions": "অনুমতি", - "Peru": "পেরু", - "Philippines": "ফিলিপাইন", - "Photo": "ছবি", - "Pitcairn": "মৃত্যুর স্থান", "Please click the button below to verify your email address.": "আপনার ইমেল ঠিকানা যাচাই করার জন্য নিচের বাটনে ক্লিক করুন.", - "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 your password before continuing.": "অব্যাহত আগে আপনার পাসওয়ার্ড নিশ্চিত করুন.", - "Please copy your new API token. For your security, it won't be shown again.": "আপনার নতুন এপিআই টোকেন কপি করুন. আপনার নিরাপত্তার জন্য, এটা আবার দেখানো হবে না.", - "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 logout of your other browser sessions across all of your devices.": "আপনি আপনার ডিভাইসের সমস্ত জুড়ে আপনার অন্য ব্রাউজার সেশন লগ আউট করতে চান তা নিশ্চিত করার জন্য আপনার পাসওয়ার্ড লিখুন.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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. The email address must be associated with an existing account.": "আপনি এই দলের যোগ করতে চাই ব্যক্তির ইমেল ঠিকানা প্রদান করুন. ইমেল ঠিকানা একটি বিদ্যমান অ্যাকাউন্টের সাথে যুক্ত করতে হবে.", - "Please provide your name.": "আপনার নাম প্রদান করুন.", - "Poland": "রং", - "Portugal": "নেদারল্যাণ্ড", - "Press \/ to search": "প্রেস \/ অনুসন্ধান করার জন্য", - "Preview": "প্রাকদর্শন", - "Previous": "পূর্ববর্তী", - "Privacy Policy": "গোপনীয়তা নীতি", - "Profile": "প্রোফাইল", - "Profile Information": "প্রোফাইল তথ্য", - "Puerto Rico": "নেদারল্যাণ্ড অ্যানটিল", - "Qatar": "কাতার", - "Quarter To Date": "তারিখ থেকে চতুর্থাংশ", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "পুনরুদ্ধারের কোড", "Regards": "শুভেচ্ছা", - "Regenerate Recovery Codes": "পুনরূত্পাদিত পুনরুদ্ধারের কোড", - "Register": "নিবন্ধন", - "Reload": "নতুন করে পড়ো", - "Remember me": "আমাকে মনে রাখুন", - "Remember Me": "আমাকে মনে রাখুন", - "Remove": "& সরিয়ে ফেলো", - "Remove Photo": "তালিকা মুছে ফেলো", - "Remove Team Member": "দলের সদস্য সরান", - "Resend Verification Email": "যাচাই ইমেইল পুনরায় পাঠান", - "Reset Filters": "ফিল্টার রিসেট করো", - "Reset Password": "পাসওয়ার্ড রিসেট করুন", - "Reset Password Notification": "পাসওয়ার্ড বিজ্ঞপ্তি রিসেট করুন", - "resource": "রিসোর্স", - "Resources": "রিসোর্সসমূহ", - "resources": "রিসোর্সসমূহ", - "Restore": "পুনঃস্থাপন করো", - "Restore Resource": "রিসোর্স পুনরুদ্ধার করুন", - "Restore Selected": "নির্বাচিত", "results": "ফলাফল", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "মিটিং", - "Role": "ভূমিকা", - "Romania": "অক্সিজেন", - "Run Action": "কাজ চালানো হবে", - "Russian Federation": "ক্যামেরার", - "Rwanda": "নাইজের", - "Réunion": "Réunion", - "Saint Barthelemy": "সেন্ট Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "সেন্ট হেলেনা", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "নাইজেরিয়া", - "Saint Lucia": "নিউই", - "Saint Martin": "সেন্ট মার্টিন", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "সেন্ট পিয়ের ও মিকুয়েলন", - "Saint Vincent And Grenadines": "উত্তর কোরিয়া", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "সামোয়া", - "San Marino": "উত্তর আয়ারল্যাণ্ড", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "সাও টোমে এবং প্রিনসিপে", - "Saudi Arabia": "নরওয়ে", - "Save": "সংরক্ষণ", - "Saved.": "সংরক্ষিত.", - "Search": "অনুসন্ধান", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "একটি নতুন ছবি নির্বাচন করুন", - "Select Action": "কাজ নির্বাচন করুন", - "Select All": "সমগ্র নির্বাচন", - "Select All Matching": "সমস্ত & মিলসমূহ নির্বাচন করুন", - "Send Password Reset Link": "পাসওয়ার্ড রিসেট লিংক পাঠান", - "Senegal": "ওমান", - "September": "সেপ্টেম্বর", - "Serbia": "সার্বিয়া", "Server Error": "সার্ভারের ত্রুটি", "Service Unavailable": "সার্ভিস উপলব্ধ নয়", - "Seychelles": "পালাউ", - "Show All Fields": "সকল ক্ষেত্র প্রদর্শন করা হবে", - "Show Content": "বিষয়বস্তু দেখাও", - "Show Recovery Codes": "পুনরুদ্ধারের কোড প্রদর্শন", "Showing": "প্রদর্শন করা হচ্ছে", - "Sierra Leone": "সিয়েরা লিয়ন", - "Signed in as": "Signed in as", - "Singapore": "সিঙ্গাপুর", - "Sint Maarten (Dutch part)": "সিন্ট মার্টেন", - "Slovakia": "স্লোভাকিয়া", - "Slovenia": "প্যারাগুয়ে", - "Solomon Islands": "পেরু", - "Somalia": "ফিলিপিনস", - "Something went wrong.": "কিছু ভুল হয়েছে.", - "Sorry! You are not authorized to perform this action.": "দুঃখিত! আপনি এই কাজ সম্পাদন করতে বাধ্য নন.", - "Sorry, your session has expired.": "দুঃখিত, তোমার মেয়াদ শেষ হয়ে গেছে", - "South Africa": "সাউথ আফ্রিকা", - "South Georgia And Sandwich Isl.": "দক্ষিণ জর্জিয়া ও দক্ষিণ স্যান্ডউইচ দ্বীপপুঞ্জ", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "দক্ষিণ সুদান", - "Spain": "অভিজাত গ্যাস", - "Sri Lanka": "শ্রীলঙ্কা", - "Start Polling": "নির্বাচনের আরম্ভ করুন", - "State \/ County": "State \/ County", - "Stop Polling": "ভোটদান বন্ধ করুন", - "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.": "একটি নিরাপদ পাসওয়ার্ড ম্যানেজার এই পুনরুদ্ধারের কোড সংরক্ষণ. আপনার দুই ফ্যাক্টর প্রমাণীকরণ ডিভাইস নষ্ট হয়, তাহলে তারা আপনার অ্যাকাউন্টে অ্যাক্সেস পুনরুদ্ধার করতে ব্যবহার করা যেতে পারে.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "রোমানিয়া", - "Suriname": "রাশিয়া", - "Svalbard And Jan Mayen": "ভালবার্ড ও জ্যান মায়েন", - "Swaziland": "Eswatini", - "Sweden": "লুক্সেমবার্গীয়", - "Switch Teams": "সুইচ দলসমূহ", - "Switzerland": "সেন্ট লুসিয়া", - "Syrian Arab Republic": "সিরিয়া", - "Taiwan": "তাইওয়ান", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "তাজিকিস্তান", - "Tanzania": "সৌদি আরবিয়া", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "দলের বিবরণ", - "Team Invitation": "টিমের আমন্ত্রণ", - "Team Members": "দলের সদস্যদের", - "Team Name": "টিমের নাম", - "Team Owner": "দলের মালিক", - "Team Settings": "টিম সেটিংসমূহ", - "Terms of Service": "পরিষেবার শর্তাদি", - "Thailand": "থাইল্যান্ড", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "ঐ :attribute একটি বৈধ ভূমিকা থাকতে হবে.", - "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 and 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 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 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.": ":attribute অন্তত হতে হবে :length অক্ষর.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "দী :resource নির্মিত হয়েছিল!", - "The :resource was deleted!": ":resource মুছে ফেলা হয়েছিল!", - "The :resource was restored!": ":resource পুনরুদ্ধার হয়েছিল!", - "The :resource was updated!": "দী :resource আপডেট করা হয়েছে!", - "The action ran successfully!": "কর্ম সফলভাবে দৌড়ে!", - "The file was deleted!": "ফাইল মুছে ফেলা হয়েছে!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "সরকার আমাদের আপনাদের দেখাবে না যে এই দরজা পিছনে কি আছে", - "The HasOne relationship has already been filled.": "প্রায়শ্চিত্ত সম্পর্ক ইতিমধ্যে ভরাট করা হয়েছে.", - "The payment was successful.": "পেমেন্ট সফল ছিল.", - "The provided coupon code is invalid.": "The provided coupon code is 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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "সম্পদ আপডেট করা হয়েছে!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "দলের নাম এবং মালিক তথ্য.", - "There are no available options for this resource.": "এই সম্পদ জন্য কোনো উপলব্ধ অপশন আছে.", - "There was a problem executing the action.": "কর্মের একটি সমস্যা নির্বাহ ছিল.", - "There was a problem submitting the form.": "ফর্ম জমা একটি সমস্যা ছিল.", - "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.": "এই মানুষ আপনার দলের আমন্ত্রণ জানানো হয়েছে এবং একটি আমন্ত্রণ ইমেল পাঠানো হয়েছে. তারা ইমেইল আমন্ত্রণ গ্রহণ করে দলের যোগদান করতে পারে.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "এই কর্ম অননুমোদিত.", - "This device": "এই ডিভাইসটি", - "This file field is read-only.": "এই ফাইলটি ক্ষেত্র শুধুমাত্র পাঠযোগ্য.", - "This image": "এই ছবি", - "This is a secure area of the application. Please confirm your password before continuing.": "এই অ্যাপ্লিকেশনটি একটি নিরাপদ এলাকা. অব্যাহত আগে আপনার পাসওয়ার্ড নিশ্চিত করুন.", - "This password does not match our records.": "এই পাসওয়ার্ড আমাদের রেকর্ড মেলে না.", "This password reset link will expire in :count minutes.": "এই পাসওয়ার্ড রিসেট লিঙ্কটি :count মিনিটের মধ্যে এর মেয়াদ শেষ হবে.", - "This payment was already successfully confirmed.": "এই পেমেন্ট ইতিমধ্যে সফলভাবে নিশ্চিত করা হয়েছে.", - "This payment was cancelled.": "এই পেমেন্ট বাতিল করা হয়েছে.", - "This resource no longer exists": "এই সম্পদ বর্তমানে উপস্থিত নেই", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "এই ব্যবহারকারী ইতিমধ্যে দলের জন্যে.", - "This user has already been invited to the team.": "এই ব্যবহারকারী ইতিমধ্যে দলের আমন্ত্রণ জানানো হয়েছে.", - "Timor-Leste": "সুন্দরি সেক্সি মহিলার", "to": "প্রাপক", - "Today": "আজ", "Toggle navigation": "জন্য অনুসন্ধান করুন:", - "Togo": "সেচেলিস", - "Tokelau": "টোকেলাউ", - "Token Name": "টোকেন নাম", - "Tonga": "আয়", "Too Many Attempts.": "অনেক প্রচেষ্টা.", "Too Many Requests": "অনেক অনুরোধ", - "total": "মোট", - "Total:": "Total:", - "Trashed": "ড্যাশ", - "Trinidad And Tobago": "সিঙ্গাপুর", - "Tunisia": "স্লোভাকিয়া", - "Turkey": "বর্ণালী সংরক্ষণ করো", - "Turkmenistan": "উজবেকিস্তান", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "লাতিন ভাষার লেখা রয়েছে এমন নিবন্ধ", - "Tuvalu": "দক্ষিণ আফ্রিকা", - "Two Factor Authentication": "দুই ফ্যাক্টর প্রমাণীকরণ", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "দুই ফ্যাক্টর প্রমাণীকরণ এখন সক্রিয় করা হয়. আপনার ফোন এর প্রমাণকারী অ্যাপ্লিকেশন ব্যবহার করে নিম্নলিখিত কিউ কোড স্ক্যান করুন.", - "Uganda": "দক্ষিণ কোরিয়া", - "Ukraine": "স্পেন", "Unauthorized": "অনুমোদিত নয়", - "United Arab Emirates": "আরবি ভাষার লেখা রয়েছে এমন নিবন্ধ", - "United Kingdom": "যুক্তরাজ্য", - "United States": "মার্কিন যুক্তরাষ্ট্র-বেকারত্বের হার-পূর্বাভাস", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "অধীনস্থ এলাকা এবং চুক্তি দ্বারা নির্ধারিত বিশেষ এলাকা", - "Update": "আপডেট", - "Update & Continue Editing": "আপডেট & সম্পাদনা চালিয়ে যাও", - "Update :resource": "আপডেট :resource", - "Update :resource: :title": "আপডেট :resource: :title", - "Update attached :resource: :title": "সংযুক্ত আপডেট :resource: :title", - "Update Password": "পাসওয়ার্ড আপডেট করুন", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "আপনার অ্যাকাউন্ট এর প্রোফাইল তথ্য এবং ইমেল ঠিকানা আপডেট করুন.", - "Uruguay": "সোয়াজিল্যাণ্ড", - "Use a recovery code": "একটি পুনরুদ্ধারের কোড ব্যবহার করুন", - "Use an authentication code": "প্রমাণীকরণ কোড ব্যবহার করো", - "Uzbekistan": "সুইডেন", - "Value": "মান", - "Vanuatu": "সুইজারল্যাণ্ড", - "VAT Number": "VAT Number", - "Venezuela": "তাইওয়ান", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "ই-মেইল ঠিকানা যাচাই করুন", "Verify Your Email Address": "আপনার ইমেল ঠিকানা যাচাই করুন", - "Viet Nam": "Vietnam", - "View": "প্রদর্শন", - "Virgin Islands, British": "ব্রিটিশ ভার্জিন দ্বীপপুঞ্জ", - "Virgin Islands, U.S.": "মার্কিন ভার্জিন দ্বীপপুঞ্জ", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "আল্লাহর নাম ও সিফাতের তাওহীদ", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "আমরা এই ইমেল ঠিকানা সহ রেজিস্টার্ড ব্যবহারকারী খুঁজে পেতে অসমর্থ ছিল.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "আমরা কয়েক ঘন্টার জন্য আবার আপনার পাসওয়ার্ড জিজ্ঞাসা করবে না.", - "We're lost in space. The page you were trying to view does not exist.": "মহাকাশে হারিয়ে গেছে আপনি দেখতে চেষ্টা হয়েছে পাতা অস্তিত্ব নেই.", - "Welcome Back!": "স্বাগতম!", - "Western Sahara": "পশ্চিমা সাহারা", - "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.": "প্রমাণীকরণ সক্রিয় করা হয় দুই ফ্যাক্টর, আপনি অনুমোদনের সময় একটি নিরাপদ, র্যান্ডম টোকেন জন্য অনুরোধ করা হবে. আপনি আপনার ফোন এর গুগল প্রমাণকারী অ্যাপ্লিকেশন থেকে এই টোকেন উদ্ধার হতে পারে.", - "Whoops": "উপসস", - "Whoops!": "ওপস!", - "Whoops! Something went wrong.": "ওপস! কিছু ভুল হয়েছে.", - "With Trashed": "ট্র্যাশে পাঠানো হয় সঙ্গে", - "Write": "লেখা", - "Year To Date": "তারিখ থেকে বছর", - "Yearly": "Yearly", - "Yemen": "ইয়েমেনি", - "Yes": "হ্যাঁ", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "আপনি লগ ইন করা হয়!", - "You are receiving this email because we received a password reset request for your account.": "আমরা আপনার অ্যাকাউন্টের জন্য একটি পাসওয়ার্ড রিসেট অনুরোধ পেয়েছি, কারণ আপনি এই ইমেইল পাচ্ছেন.", - "You have been invited to join the :team team!": "আপনি :team দলের যোগদানের জন্য আমন্ত্রণ জানানো হয়েছে!", - "You have enabled two factor authentication.": "আপনি দুটি ফ্যাক্টর প্রমাণীকরণ সক্রিয় আছে.", - "You have not enabled two factor authentication.": "আপনি দুটি ফ্যাক্টর প্রমাণীকরণ সক্রিয় করা হয়নি.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.": "আপনি আপনার তৈরি করা একটি দল ছেড়ে না পারে.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "আপনার ইমেল ঠিকানা যাচাই করা হয় না.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "টোঙ্গা", - "Zimbabwe": "ত্রিনিদাদ ও টোবাগো", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "আপনার ইমেল ঠিকানা যাচাই করা হয় না." } diff --git a/locales/bn/packages/cashier.json b/locales/bn/packages/cashier.json new file mode 100644 index 00000000000..de429eaf4d4 --- /dev/null +++ b/locales/bn/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "সমস্ত অধিকার সংরক্ষিত।", + "Card": "কার্ড", + "Confirm Payment": "পেমেন্ট নিশ্চিত করুন", + "Confirm your :amount payment": "আপনার নিশ্চিত :amount প্রদান", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "অতিরিক্ত নিশ্চিতকরণ আপনার পেমেন্ট প্রক্রিয়া প্রয়োজন হয়. নিচে আপনার পেমেন্ট বিবরণ পূরণ করে আপনার পেমেন্ট নিশ্চিত করুন.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "অতিরিক্ত নিশ্চিতকরণ আপনার পেমেন্ট প্রক্রিয়া প্রয়োজন হয়. নিচের বাটনে ক্লিক করে পেমেন্ট পাতা দয়া করে চালিয়ে যান.", + "Full name": "সম্পূর্ণ নাম", + "Go back": "পূর্বাবস্থায় যান", + "Jane Doe": "Jane Doe", + "Pay :amount": "পে :amount", + "Payment Cancelled": "পেমেন্ট বাতিল করা হয়েছে", + "Payment Confirmation": "পেমেন্ট নিশ্চিতকরণ", + "Payment Successful": "পেমেন্ট সফল", + "Please provide your name.": "আপনার নাম প্রদান করুন.", + "The payment was successful.": "পেমেন্ট সফল ছিল.", + "This payment was already successfully confirmed.": "এই পেমেন্ট ইতিমধ্যে সফলভাবে নিশ্চিত করা হয়েছে.", + "This payment was cancelled.": "এই পেমেন্ট বাতিল করা হয়েছে." +} diff --git a/locales/bn/packages/fortify.json b/locales/bn/packages/fortify.json new file mode 100644 index 00000000000..3dcc3dc9902 --- /dev/null +++ b/locales/bn/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 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 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.": ":attribute অন্তত হতে হবে :length অক্ষর.", + "The provided password does not match your current password.": "প্রদত্ত পাসওয়ার্ড আপনার বর্তমান পাসওয়ার্ড মেলে না.", + "The provided password was incorrect.": "প্রদত্ত পাসওয়ার্ড ভুল ছিল.", + "The provided two factor authentication code was invalid.": "প্রদত্ত দুটি ফ্যাক্টর প্রমাণীকরণ কোড অবৈধ ছিল." +} diff --git a/locales/bn/packages/jetstream.json b/locales/bn/packages/jetstream.json new file mode 100644 index 00000000000..da1e3a4b979 --- /dev/null +++ b/locales/bn/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "একটি নতুন যাচাইকরণ লিঙ্ক আপনার রেজিস্ট্রেশন করার সময় দেওয়া ইমেইল ঠিকানায় পাঠানো হয়েছে।", + "Accept Invitation": "আমন্ত্রণ গ্রহণ", + "Add": "যোগ করুন", + "Add a new team member to your team, allowing them to collaborate with you.": "আপনার দলে একজন নতুন সদস্য যোগ করুন, তারা আপনার সাথে সহযোগিতা করতে সক্ষম হবেন।", + "Add additional security to your account using two factor authentication.": "দুই ফ্যাক্টর প্রমাণীকরণ ব্যবহার করে আপনার অ্যাকাউন্টে অতিরিক্ত নিরাপত্তা যোগ করুন।", + "Add Team Member": "দলে সদস্য যোগ করুন", + "Added.": "যোগ করা হয়েছে.", + "Administrator": "অ্যাডমিনস্ট্রেটর", + "Administrator users can perform any action.": "অ্যাডমিনিস্ট্রেটর ব্যবহারকারীরা যে কোন কাজ করতে পারেন।", + "All of the people that are part of this team.": "এই দলের অংশ যারা", + "Already registered?": "ইতিমধ্যে নিবন্ধন করেছেন?", + "API Token": "এপিআই টোকেন", + "API Token Permissions": "এপিআই টোকেন পারমিশন", + "API Tokens": "এপিআই টোকেনগুলি", + "API tokens allow third-party services to authenticate with our application on your behalf.": "এপিআই টোকেন তৃতীয় পক্ষের সেবা গ্রহনের জন্য আপনার পক্ষ থেকে আমাদের আবেদন প্রমাণ করার অনুমতি দেয়।", + "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 delete this API token?": "আপনি কি নিশ্চিত যে আপনি এই এপিআই টোকেন মুছতে চান?", + "Are you sure you would like to leave this team?": "আপনি কি নিশ্চিত যে আপনি এই দল ছেড়ে চলে যেতে চান?", + "Are you sure you would like to remove this person from the team?": "আপনি কি নিশ্চিত যে আপনি দল থেকে এই ব্যক্তির অপসারণ চান?", + "Browser Sessions": "ব্রাউজার সেশন", + "Cancel": "বাতিল করা হয়েছে", + "Close": "বন্ধ", + "Code": "কোড", + "Confirm": "নিশ্চিত করুন", + "Confirm Password": "পাসওয়ার্ড নিশ্চিত করুন", + "Create": "তৈরি করো", + "Create a new team to collaborate with others on projects.": "প্রকল্পে অন্যদের সঙ্গে সহযোগিতা করার জন্য একটি নতুন দল তৈরি করুন.", + "Create Account": "অ্যাকাউন্ট তৈরি করুন", + "Create API Token": "কম্পিউটার কোড", + "Create New Team": "নতুন দল তৈরি করো", + "Create Team": "নতুন পরিচিতি", + "Created.": "তৈরি.", + "Current Password": "বর্তমান পাসওয়ার্ড", + "Dashboard": "ড্যাশবোর্ড", + "Delete": "মুছে ফেলা হবে", + "Delete Account": "অ্যাকাউন্ট মুছে ফেলুন", + "Delete API Token": "টোকেন মুছুন", + "Delete Team": "দল মুছে ফেলো", + "Disable": "নিষ্ক্রিয়", + "Done.": "হয়ে যাবে", + "Editor": "সম্পাদক", + "Editor users have the ability to read, create, and update.": "সম্পাদক ব্যবহারকারীদের পড়তে তৈরি, এবং আপডেট করার ক্ষমতা আছে.", + "Email": "ই-মেইল", + "Email Password Reset Link": "ইমেল পাসওয়ার্ড রিসেট লিংক", + "Enable": "সক্রিয় করো", + "Ensure your account is using a long, random password to stay secure.": "আপনার অ্যাকাউন্ট নিরাপদ থাকার একটি দীর্ঘ, র্যান্ডম পাসওয়ার্ড ব্যবহার করা হয় তা নিশ্চিত করুন.", + "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.": "আপনার পাসওয়ার্ড ভুলে গেছেন? সমস্যা নেই. শুধু আমাদের আপনার ইমেল ঠিকানা জানাতে এবং আমরা আপনাকে একটি নতুন নির্বাচন করার অনুমতি দেবে যে একটি পাসওয়ার্ড রিসেট লিঙ্ক ইমেইল হবে.", + "Great! You have accepted the invitation to join the :team team.": "খুব ভালো! আপনি আমন্ত্রণ :team দল যোগদানের জন্য গ্রহণ করেছেন.", + "I agree to the :terms_of_service and :privacy_policy": "আমি একমত :terms_অফ_অফসিস এবং :privacy_টানফ", + "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 you already have an account, you may accept this invitation by clicking the button below:": "যদি আপনি ইতিমধ্যে একটি একাউন্ট আছে, আপনি নিচের বাটনে ক্লিক করে এই আমন্ত্রণ গ্রহণ করতে পারে:", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "আপনি যদি কোন একাউন্ট না থাকে, আপনি নিচের বাটনে ক্লিক করে এক তৈরি করতে পারেন. একটি অ্যাকাউন্ট তৈরি করার পর, আপনি দলের আমন্ত্রণ গ্রহণ করার জন্য এই ইমেইল আমন্ত্রণ গ্রহণযোগ্যতা বাটন ক্লিক করতে পারেন:", + "Last active": "সর্বশেষ সক্রিয়", + "Last used": "সর্বশেষ ব্যবহার", + "Leave": "ত্যাগ", + "Leave Team": "ত্যাগ দল", + "Log in": "লগইন করুন", + "Log Out": "লগ-আউট", + "Log Out Other Browser Sessions": "অন্য ব্রাউজার সেশনে লগ আউট করুন", + "Manage Account": "অ্যাকাউন্ট পরিচালনা", + "Manage and log out your active sessions on other browsers and devices.": "গালাগাল প্রতিবেদন করো এবং অন্যান্য ব্রাউজার এবং ডিভাইসের উপর আপনার সক্রিয় সেশন লগ আউট.", + "Manage API Tokens": "এপিআই টোকেন পরিচালনা", + "Manage Role": "ভূমিকা পরিচালনা", + "Manage Team": "দল পরিচালনা", + "Name": "নাম", + "New Password": "নতুন পাসওয়ার্ড", + "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 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.": "আপনার অ্যাকাউন্ট মুছে ফেলা হয়, তার সম্পদ ও তথ্য সব স্থায়ীভাবে মুছে ফেলা হবে. আপনার অ্যাকাউন্ট মুছে ফেলার পূর্বে, আপনি বজায় রাখতে চান যে কোনো তথ্য বা তথ্য ডাউনলোড করুন.", + "Password": "পাসওয়ার্ড", + "Pending Team Invitations": "অপেক্ষারত দলের আমন্ত্রণ", + "Permanently delete this team.": "স্থায়ীভাবে এই দল মুছে.", + "Permanently delete your account.": "স্থায়ীভাবে আপনার অ্যাকাউন্ট মুছে দিন.", + "Permissions": "অনুমতি", + "Photo": "ছবি", + "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 copy your new API token. For your security, it won't be shown again.": "আপনার নতুন এপিআই টোকেন কপি করুন. আপনার নিরাপত্তার জন্য, এটা আবার দেখানো হবে না.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "আপনি আপনার ডিভাইসের সমস্ত জুড়ে আপনার অন্য ব্রাউজার সেশন লগ আউট করতে চান তা নিশ্চিত করার জন্য আপনার পাসওয়ার্ড লিখুন.", + "Please provide the email address of the person you would like to add to this team.": "আপনি এই দলের যোগ করতে চাই ব্যক্তির ইমেল ঠিকানা প্রদান করুন.", + "Privacy Policy": "গোপনীয়তা নীতি", + "Profile": "প্রোফাইল", + "Profile Information": "প্রোফাইল তথ্য", + "Recovery Code": "পুনরুদ্ধারের কোড", + "Regenerate Recovery Codes": "পুনরূত্পাদিত পুনরুদ্ধারের কোড", + "Register": "নিবন্ধন", + "Remember me": "আমাকে মনে রাখুন", + "Remove": "& সরিয়ে ফেলো", + "Remove Photo": "তালিকা মুছে ফেলো", + "Remove Team Member": "দলের সদস্য সরান", + "Resend Verification Email": "যাচাই ইমেইল পুনরায় পাঠান", + "Reset Password": "পাসওয়ার্ড রিসেট করুন", + "Role": "ভূমিকা", + "Save": "সংরক্ষণ", + "Saved.": "সংরক্ষিত.", + "Select A New Photo": "একটি নতুন ছবি নির্বাচন করুন", + "Show Recovery Codes": "পুনরুদ্ধারের কোড প্রদর্শন", + "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.": "একটি নিরাপদ পাসওয়ার্ড ম্যানেজার এই পুনরুদ্ধারের কোড সংরক্ষণ. আপনার দুই ফ্যাক্টর প্রমাণীকরণ ডিভাইস নষ্ট হয়, তাহলে তারা আপনার অ্যাকাউন্টে অ্যাক্সেস পুনরুদ্ধার করতে ব্যবহার করা যেতে পারে.", + "Switch Teams": "সুইচ দলসমূহ", + "Team Details": "দলের বিবরণ", + "Team Invitation": "টিমের আমন্ত্রণ", + "Team Members": "দলের সদস্যদের", + "Team Name": "টিমের নাম", + "Team Owner": "দলের মালিক", + "Team Settings": "টিম সেটিংসমূহ", + "Terms of Service": "পরিষেবার শর্তাদি", + "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 a valid role.": "ঐ :attribute একটি বৈধ ভূমিকা থাকতে হবে.", + "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 and 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 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 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.": ":attribute অন্তত হতে হবে :length অক্ষর.", + "The provided password does not match your current password.": "প্রদত্ত পাসওয়ার্ড আপনার বর্তমান পাসওয়ার্ড মেলে না.", + "The provided password was incorrect.": "প্রদত্ত পাসওয়ার্ড ভুল ছিল.", + "The provided two factor authentication code was invalid.": "প্রদত্ত দুটি ফ্যাক্টর প্রমাণীকরণ কোড অবৈধ ছিল.", + "The team's name and owner information.": "দলের নাম এবং মালিক তথ্য.", + "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.": "এই মানুষ আপনার দলের আমন্ত্রণ জানানো হয়েছে এবং একটি আমন্ত্রণ ইমেল পাঠানো হয়েছে. তারা ইমেইল আমন্ত্রণ গ্রহণ করে দলের যোগদান করতে পারে.", + "This device": "এই ডিভাইসটি", + "This is a secure area of the application. Please confirm your password before continuing.": "এই অ্যাপ্লিকেশনটি একটি নিরাপদ এলাকা. অব্যাহত আগে আপনার পাসওয়ার্ড নিশ্চিত করুন.", + "This password does not match our records.": "এই পাসওয়ার্ড আমাদের রেকর্ড মেলে না.", + "This user already belongs to the team.": "এই ব্যবহারকারী ইতিমধ্যে দলের জন্যে.", + "This user has already been invited to the team.": "এই ব্যবহারকারী ইতিমধ্যে দলের আমন্ত্রণ জানানো হয়েছে.", + "Token Name": "টোকেন নাম", + "Two Factor Authentication": "দুই ফ্যাক্টর প্রমাণীকরণ", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "দুই ফ্যাক্টর প্রমাণীকরণ এখন সক্রিয় করা হয়. আপনার ফোন এর প্রমাণকারী অ্যাপ্লিকেশন ব্যবহার করে নিম্নলিখিত কিউ কোড স্ক্যান করুন.", + "Update Password": "পাসওয়ার্ড আপডেট করুন", + "Update your account's profile information and email address.": "আপনার অ্যাকাউন্ট এর প্রোফাইল তথ্য এবং ইমেল ঠিকানা আপডেট করুন.", + "Use a recovery code": "একটি পুনরুদ্ধারের কোড ব্যবহার করুন", + "Use an authentication code": "প্রমাণীকরণ কোড ব্যবহার করো", + "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.": "প্রমাণীকরণ সক্রিয় করা হয় দুই ফ্যাক্টর, আপনি অনুমোদনের সময় একটি নিরাপদ, র্যান্ডম টোকেন জন্য অনুরোধ করা হবে. আপনি আপনার ফোন এর গুগল প্রমাণকারী অ্যাপ্লিকেশন থেকে এই টোকেন উদ্ধার হতে পারে.", + "Whoops! Something went wrong.": "ওপস! কিছু ভুল হয়েছে.", + "You have been invited to join the :team team!": "আপনি :team দলের যোগদানের জন্য আমন্ত্রণ জানানো হয়েছে!", + "You have enabled two factor authentication.": "আপনি দুটি ফ্যাক্টর প্রমাণীকরণ সক্রিয় আছে.", + "You have not enabled two factor authentication.": "আপনি দুটি ফ্যাক্টর প্রমাণীকরণ সক্রিয় করা হয়নি.", + "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.": "আপনি আপনার তৈরি করা একটি দল ছেড়ে না পারে." +} diff --git a/locales/bn/packages/nova.json b/locales/bn/packages/nova.json new file mode 100644 index 00000000000..0dcc053f42c --- /dev/null +++ b/locales/bn/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 দিন", + "60 Days": "60 দিন", + "90 Days": "90 দিন", + ":amount Total": ":amount মোট", + ":resource Details": ":resource বিস্তারিত", + ":resource Details: :title": ":resource বিবরণ: :title", + "Action": "কাজ", + "Action Happened At": "ঘটেছে", + "Action Initiated By": "প্রকাশনার তারিখ", + "Action Name": "নাম", + "Action Status": "অবস্থা", + "Action Target": "টার্গেট", + "Actions": "কাজ", + "Add row": "সারি যোগ করো", + "Afghanistan": "আফগানিস্তান", + "Aland Islands": "আলান্ড দ্বীপপুঞ্জ", + "Albania": "আলবেনিয়া", + "Algeria": "আলজেরিয়া", + "All resources loaded.": "সবগুলি রিসোর্স লোড করা হয়েছে।", + "American Samoa": "আমেরিকান সামোয়া ", + "An error occured while uploading the file.": "ফাইল আপলোড করার সময় একটি ত্রুটির পাওয়া গিয়েছে।", + "Andorra": "আন্ডোরা", + "Angola": "অ্যাঙ্গোলা", + "Anguilla": "প্রস্তুতকারক", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "এই পৃষ্ঠা লোড হওয়ার পর থেকে অন্য ব্যবহারকারী রিসোর্সটি আপডেট করেছেন। পৃষ্ঠাটি রিফ্রেশ করুন এবং আবার চেষ্টা করুন।", + "Antarctica": "ফোন মডেল", + "Antigua And Barbuda": "অ্যান্টিগুয়া ও বার্বুডা", + "April": "এপ্রিল", + "Are you sure you want to delete the selected resources?": "আপনি কি নিশ্চিতরূপে নির্বাচিত রিসোর্সটি মুছে ফেলতে ইচ্ছুক?", + "Are you sure you want to delete this file?": "আপনি কি নিশ্চিতরূপে এই ফাইলটি মুছে ফেলতে চান?", + "Are you sure you want to delete this resource?": "আপনি কি নিশ্চিত যে আপনি এই রিসোর্স মুছে ফেলতে চান?", + "Are you sure you want to detach the selected resources?": "আপনি কি নির্বাচিত রিসোর্স বিচ্ছিন্ন করতে চান?", + "Are you sure you want to detach this resource?": "আপনি কি নিশ্চিত যে আপনি এই রিসোর্স বিচ্ছিন্ন করতে চান?", + "Are you sure you want to force delete the selected resources?": "আপনি কি নিশ্চিতরূপে নির্বাচিত রিসোর্স মুছে ফেলতে ইচ্ছুক?", + "Are you sure you want to force delete this resource?": "আপনি কি নিশ্চিতরূপে এটি মুছে ফেলতে ইচ্ছুক?", + "Are you sure you want to restore the selected resources?": "আপনি কি নিশ্চিতরূপে নির্বাচিত সম্পদ পুনরুদ্ধার করতে ইচ্ছুক?", + "Are you sure you want to restore this resource?": "আপনি কি নিশ্চিত যে আপনি এই সম্পদ পুনরুদ্ধার করতে চান?", + "Are you sure you want to run this action?": "আপনি কি নিশ্চিতরূপে এই কাজটি চালাতে চান?", + "Argentina": "আর্জেন্টিনা", + "Armenia": "আর্মেনিয়া", + "Aruba": "আরুবা", + "Attach": "সংযুক্ত করুন", + "Attach & Attach Another": "সংযুক্ত & অন্য একটি সংযুক্ত করুন", + "Attach :resource": "সংযুক্ত করুন :resource", + "August": "আগস্ট", + "Australia": "অস্ট্রেলিয়া", + "Austria": "অস্ট্রিয়া", + "Azerbaijan": "আজারবাইজান", + "Bahamas": "বাহামা", + "Bahrain": "বাহরাইন", + "Bangladesh": "বাংলাদেশ", + "Barbados": "বার্বাডোস", + "Belarus": "বেলারুশ", + "Belgium": "বেলজিয়াম", + "Belize": "আফগানিস্তান", + "Benin": "বেনিন", + "Bermuda": "বারমুডা", + "Bhutan": "ভুটান", + "Bolivia": "বলিভিয়া", + "Bonaire, Sint Eustatius and Saba": "বোনেয়ার, সিন্ট ইউস্টাটিয়াস এবং সাবা", + "Bosnia And Herzegovina": "বসনিয়া ও হার্জেগোভিনা", + "Botswana": "অ্যাঙ্গিলা", + "Bouvet Island": "যাচাইকৃত অ্যাকাউন্ট", + "Brazil": "ব্রাজিল", + "British Indian Ocean Territory": "ব্রিটিশ ভারত মহাসাগর অঞ্চল", + "Brunei Darussalam": "Brunei", + "Bulgaria": "আর্জেন্তিনা", + "Burkina Faso": "আর্মেনিয়া", + "Burundi": "আরুবা", + "Cambodia": "কাম্বোডিয়া", + "Cameroon": "অস্ট্রেলিয়া", + "Canada": "কানাডা", + "Cancel": "বাতিল করা হয়েছে", + "Cape Verde": "আজেরবাইজান", + "Cayman Islands": "কেম্যান দ্বীপপুঞ্জ", + "Central African Republic": "মধ্য আফ্রিকান প্রজাতন্ত্র", + "Chad": "বাংলাদেশ", + "Changes": "পরিবর্তন", + "Chile": "বারবাডোস", + "China": "চীনি", + "Choose": "বেছে নিন", + "Choose :field": "নির্বাচন করুন :field", + "Choose :resource": ":resource চয়ন করুন", + "Choose an option": "একটি অপশন নির্বাচন করুন", + "Choose date": "তারিখ নির্বাচন করুন", + "Choose File": "ফাইল নির্বাচন করুন", + "Choose Type": "ধরন বেছে নিন", + "Christmas Island": "ক্রিসমাস দ্বীপ", + "Click to choose": "নির্বাচনের জন্য ক্লিক করুন", + "Cocos (Keeling) Islands": "কোকোস (কিলিং) দ্বীপপুঞ্জ", + "Colombia": "বেলজিয়াম", + "Comoros": "বেলিজে", + "Confirm Password": "পাসওয়ার্ড নিশ্চিত করুন", + "Congo": "বেনিন", + "Congo, Democratic Republic": "কঙ্গো", + "Constant": "ধ্রুবক", + "Cook Islands": "কুক দ্বীপপুঞ্জ", + "Costa Rica": "ভূটান", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "খুঁজে পাওয়া যায়নি.", + "Create": "তৈরি করো", + "Create & Add Another": "তৈরি করুন অন্য যোগ করুন", + "Create :resource": "তৈরি করুন :resource", + "Croatia": "বলিভিয়া", + "Cuba": "বসনিয়া ও হার্জেগোভিনা", + "Curaçao": "কুরাকাও", + "Customize": "স্বনির্বাচিত", + "Cyprus": "বটসোয়ানা", + "Czech Republic": "পশ্চিম ফ্রিসিয়", + "Dashboard": "ড্যাশবোর্ড", + "December": "ডিসেম্বর", + "Decrease": "মার্কিন", + "Delete": "মুছে ফেলা হবে", + "Delete File": "ফাইল মুছে ফেলো", + "Delete Resource": "রিসোর্স মুছে ফেলুন", + "Delete Selected": "নির্বাচিত", + "Denmark": "ব্রুনেই", + "Detach": "আলাদা করো", + "Detach Resource": "সম্পদ আলাদা করো", + "Detach Selected": "নির্বাচিত অংশ মুছে ফেলুন", + "Details": "বিস্তারিত", + "Djibouti": "বুলগেরিয়া", + "Do you really want to leave? You have unsaved changes.": "আপনি কি আসলেই চলে যেতে চান? তোমার পরিবর্তন অসংরক্ষিত.", + "Dominica": "রবিবার", + "Dominican Republic": "বুরুন্ডি", + "Download": "ডাউনলোড করো", + "Ecuador": "ক্যাম্বোডিয়া", + "Edit": "সম্পাদনা", + "Edit :resource": "সম্পাদনা :resource", + "Edit Attached": "সংযুক্ত সম্পাদনা করুন", + "Egypt": "ক্যামেরুন", + "El Salvador": "কানাডা", + "Email Address": "ই-মেইল ঠিকানা", + "Equatorial Guinea": "কেপ ভার্ডি", + "Eritrea": "কেমেন আইল্যাণ্ড", + "Estonia": "অধাতু", + "Ethiopia": "ইথিওপিয়া", + "Falkland Islands (Malvinas)": "বিষয়শ্রেণীসমূহ:)", + "Faroe Islands": "কলোম্বিয়া", + "February": "ফেব্রুয়ারী", + "Fiji": "কমোরোস", + "Finland": "কঙ্গো", + "Force Delete": "মুছে ফেলুন", + "Force Delete Resource": "রিসোর্স মুছে ফেলো", + "Force Delete Selected": "নির্বাচিত অংশ মুছে ফেলুন", + "Forgot Your Password?": "আপনার পাসওয়ার্ড ভুলে গেছেন?", + "Forgot your password?": "আপনার পাসওয়ার্ড ভুলে গেছেন?", + "France": "বর্ণালী সংরক্ষণ করো", + "French Guiana": "ফরাসি দক্ষিণ এবং অ্যান্টার্কটিক ভূমি", + "French Polynesia": "কেম্যান দ্বীপপুঞ্জ", + "French Southern Territories": "ফরাসি দক্ষিণ অঞ্চল", + "Gabon": "ক্রোয়েশিয়া", + "Gambia": "কিউবা", + "Georgia": "জর্জিয়া", + "Germany": "চেক রিপাবলিক", + "Ghana": "ডেনমার্ক", + "Gibraltar": "জিব্রাল্টার", + "Go Home": "বাড়িতে যান", + "Greece": "গ্রীস", + "Greenland": "ডোমিনিকা", + "Grenada": "ডমিনিকান রিপাবলিক", + "Guadeloupe": "গুয়াডেলুপে", + "Guam": "ইকুয়েডর", + "Guatemala": "মিশর", + "Guernsey": "প্যাটসি", + "Guinea": "এল সালভাডোর", + "Guinea-Bissau": "ইকুয়েটোরিয়াল গিনি", + "Guyana": "এরিট্রিয়া", + "Haiti": "এস্টোনিয়া", + "Heard Island & Mcdonald Islands": "হার্ড দ্বীপ এবং ম্যাকডোনাল্ড দ্বীপপুঞ্জ", + "Hide Content": "বিষয়বস্তু আড়াল করা হবে", + "Hold Up!": "দাড়াও!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "ইংল্যাণ্ড", + "Hong Kong": "ইথিওপিয়া", + "Hungary": "ইউরোপিয়ান ইউনিয়ন", + "Iceland": "আইসল্যান্ড", + "ID": "আইডি", + "If you did not request a password reset, no further action is required.": "আপনি একটি পাসওয়ার্ড রিসেট অনুরোধ না করে থাকেন তাহলে, কোনো পদক্ষেপ প্রয়োজন বোধ করা হয়.", + "Increase": "বৃদ্ধি", + "India": "ইন্ডিয়া", + "Indonesia": "ফিজি", + "Iran, Islamic Republic Of": "ফিনল্যাণ্ড", + "Iraq": "ফ্রান্স", + "Ireland": "ফরাসী পলিনেসিয়া", + "Isle Of Man": "আইল অব ম্যান", + "Israel": "গ্যাবন", + "Italy": "গ্যামবিয়া", + "Jamaica": "আমেরিকা \/ জামাইকা", + "January": "জানুয়ারী", + "Japan": "নিরপেক্ষ", + "Jersey": "জার্সি", + "Jordan": "জর্ডান", + "July": "জুলাই", + "June": "জুন", + "Kazakhstan": "গ্রীনল্যাণ্ড", + "Kenya": "কেনিয়া", + "Key": "কী", + "Kiribati": "গুয়াম", + "Korea": "দক্ষিণ কোরিয়া", + "Korea, Democratic People's Republic of": "উত্তর কোরিয়া", + "Kosovo": "কসোভো", + "Kuwait": "কুয়েত", + "Kyrgyzstan": "গায়ানা", + "Lao People's Democratic Republic": "হাইতি", + "Latvia": "হন্ডুরাস", + "Lebanon": "হং কং", + "Lens": "অর্লিনস", + "Lesotho": "হাঙ্গেরী", + "Liberia": "ভারত", + "Libyan Arab Jamahiriya": "লিবিয়া", + "Liechtenstein": "ইরান", + "Lithuania": "ইরাক", + "Load :perPage More": ":perপেজ আরো লোড করুন", + "Login": "লগইন", + "Logout": "লগ-আউট", + "Luxembourg": "আয়ারল্যাণ্ড", + "Macao": "ম্যাকাও", + "Macedonia": "উত্তর ম্যাসেডোনিয়া", + "Madagascar": "ইতালী", + "Malawi": "আইভরি কোস্ট", + "Malaysia": "জামাইকা", + "Maldives": "মালদ্বীপ", + "Mali": "ছোট", + "Malta": "কাজাখস্তান", + "March": "মার্চ", + "Marshall Islands": "কেনিয়া", + "Martinique": "কিরিবাটি", + "Mauritania": "কোরিয়া, উত্তর", + "Mauritius": "কোরিয়া, দক্ষিণ", + "May": "মে", + "Mayotte": "মায়োট", + "Mexico": "মেক্সিকো", + "Micronesia, Federated States Of": "মাইক্রোনেশিয়া", + "Moldova": "লাওস", + "Monaco": "লাতভিয়া", + "Mongolia": "লেবানন", + "Montenegro": "মন্টিনিগ্রো", + "Month To Date": "তারিখ থেকে মাস", + "Montserrat": "লেসোথো", + "Morocco": "লাইবেরিয়া", + "Mozambique": "লিবিয়া", + "Myanmar": "মায়ানমার", + "Namibia": "লিথুয়েনেয়া", + "Nauru": "লুক্সেমবুর্গ", + "Nepal": "মাকাও", + "Netherlands": "মাদাগাস্কার", + "New": "নতুন", + "New :resource": "নতুন :resource", + "New Caledonia": "নিউ ক্যালেডোনিয়া", + "New Zealand": "নিউজিল্যান্ড", + "Next": "পরবর্তী", + "Nicaragua": "মালি", + "Niger": "মল্টা", + "Nigeria": "মার্শাল দ্বীপপুঞ্জ", + "Niue": "মার্টিনিক", + "No": "না", + "No :resource matched the given criteria.": "কোন :resource দেওয়া মানদণ্ডের মিলেছে.", + "No additional information...": "কোন অতিরিক্ত তথ্য...", + "No Current Data": "বর্তমান কোনো তথ্য নেই", + "No Data": "কোনো বার্তা নেই", + "no file selected": "কোনো ফাইল নির্বাচন করা হয়নি", + "No Increase": "কোন বৃদ্ধি নেই", + "No Prior Data": "পূর্বে কোনো তথ্য নেই", + "No Results Found.": "কোন ফলাফল পাওয়া যায় নি.", + "Norfolk Island": "নরফোক দ্বীপ", + "Northern Mariana Islands": "উত্তর মারিয়ানা দ্বীপপুঞ্জ", + "Norway": "নরওয়ে", + "Nova User": "নোভা ব্যবহারকারী", + "November": "নভেম্বর", + "October": "অক্টোবর", + "of": "সর্বমোট", + "Oman": "মলডোভা", + "Only Trashed": "শুধু ড্যাশ", + "Original": "মূল", + "Pakistan": "পাকিস্তান", + "Palau": "মঙ্গোলিয়া", + "Palestinian Territory, Occupied": "ফিলিস্তিনি অঞ্চল", + "Panama": "পানামা", + "Papua New Guinea": "নিউ ক্যালেডোনিয়া", + "Paraguay": "মায়ানমার", + "Password": "পাসওয়ার্ড", + "Per Page": "প্রতি পৃষ্ঠায়", + "Peru": "পেরু", + "Philippines": "ফিলিপাইন", + "Pitcairn": "মৃত্যুর স্থান", + "Poland": "রং", + "Portugal": "নেদারল্যাণ্ড", + "Press \/ to search": "প্রেস \/ অনুসন্ধান করার জন্য", + "Preview": "প্রাকদর্শন", + "Previous": "পূর্ববর্তী", + "Puerto Rico": "নেদারল্যাণ্ড অ্যানটিল", + "Qatar": "কাতার", + "Quarter To Date": "তারিখ থেকে চতুর্থাংশ", + "Reload": "নতুন করে পড়ো", + "Remember Me": "আমাকে মনে রাখুন", + "Reset Filters": "ফিল্টার রিসেট করো", + "Reset Password": "পাসওয়ার্ড রিসেট করুন", + "Reset Password Notification": "পাসওয়ার্ড বিজ্ঞপ্তি রিসেট করুন", + "resource": "রিসোর্স", + "Resources": "রিসোর্সসমূহ", + "resources": "রিসোর্সসমূহ", + "Restore": "পুনঃস্থাপন করো", + "Restore Resource": "রিসোর্স পুনরুদ্ধার করুন", + "Restore Selected": "নির্বাচিত", + "Reunion": "মিটিং", + "Romania": "অক্সিজেন", + "Run Action": "কাজ চালানো হবে", + "Russian Federation": "ক্যামেরার", + "Rwanda": "নাইজের", + "Saint Barthelemy": "সেন্ট Barthélemy", + "Saint Helena": "সেন্ট হেলেনা", + "Saint Kitts And Nevis": "নাইজেরিয়া", + "Saint Lucia": "নিউই", + "Saint Martin": "সেন্ট মার্টিন", + "Saint Pierre And Miquelon": "সেন্ট পিয়ের ও মিকুয়েলন", + "Saint Vincent And Grenadines": "উত্তর কোরিয়া", + "Samoa": "সামোয়া", + "San Marino": "উত্তর আয়ারল্যাণ্ড", + "Sao Tome And Principe": "সাও টোমে এবং প্রিনসিপে", + "Saudi Arabia": "নরওয়ে", + "Search": "অনুসন্ধান", + "Select Action": "কাজ নির্বাচন করুন", + "Select All": "সমগ্র নির্বাচন", + "Select All Matching": "সমস্ত & মিলসমূহ নির্বাচন করুন", + "Send Password Reset Link": "পাসওয়ার্ড রিসেট লিংক পাঠান", + "Senegal": "ওমান", + "September": "সেপ্টেম্বর", + "Serbia": "সার্বিয়া", + "Seychelles": "পালাউ", + "Show All Fields": "সকল ক্ষেত্র প্রদর্শন করা হবে", + "Show Content": "বিষয়বস্তু দেখাও", + "Sierra Leone": "সিয়েরা লিয়ন", + "Singapore": "সিঙ্গাপুর", + "Sint Maarten (Dutch part)": "সিন্ট মার্টেন", + "Slovakia": "স্লোভাকিয়া", + "Slovenia": "প্যারাগুয়ে", + "Solomon Islands": "পেরু", + "Somalia": "ফিলিপিনস", + "Something went wrong.": "কিছু ভুল হয়েছে.", + "Sorry! You are not authorized to perform this action.": "দুঃখিত! আপনি এই কাজ সম্পাদন করতে বাধ্য নন.", + "Sorry, your session has expired.": "দুঃখিত, তোমার মেয়াদ শেষ হয়ে গেছে", + "South Africa": "সাউথ আফ্রিকা", + "South Georgia And Sandwich Isl.": "দক্ষিণ জর্জিয়া ও দক্ষিণ স্যান্ডউইচ দ্বীপপুঞ্জ", + "South Sudan": "দক্ষিণ সুদান", + "Spain": "অভিজাত গ্যাস", + "Sri Lanka": "শ্রীলঙ্কা", + "Start Polling": "নির্বাচনের আরম্ভ করুন", + "Stop Polling": "ভোটদান বন্ধ করুন", + "Sudan": "রোমানিয়া", + "Suriname": "রাশিয়া", + "Svalbard And Jan Mayen": "ভালবার্ড ও জ্যান মায়েন", + "Swaziland": "Eswatini", + "Sweden": "লুক্সেমবার্গীয়", + "Switzerland": "সেন্ট লুসিয়া", + "Syrian Arab Republic": "সিরিয়া", + "Taiwan": "তাইওয়ান", + "Tajikistan": "তাজিকিস্তান", + "Tanzania": "সৌদি আরবিয়া", + "Thailand": "থাইল্যান্ড", + "The :resource was created!": "দী :resource নির্মিত হয়েছিল!", + "The :resource was deleted!": ":resource মুছে ফেলা হয়েছিল!", + "The :resource was restored!": ":resource পুনরুদ্ধার হয়েছিল!", + "The :resource was updated!": "দী :resource আপডেট করা হয়েছে!", + "The action ran successfully!": "কর্ম সফলভাবে দৌড়ে!", + "The file was deleted!": "ফাইল মুছে ফেলা হয়েছে!", + "The government won't let us show you what's behind these doors": "সরকার আমাদের আপনাদের দেখাবে না যে এই দরজা পিছনে কি আছে", + "The HasOne relationship has already been filled.": "প্রায়শ্চিত্ত সম্পর্ক ইতিমধ্যে ভরাট করা হয়েছে.", + "The resource was updated!": "সম্পদ আপডেট করা হয়েছে!", + "There are no available options for this resource.": "এই সম্পদ জন্য কোনো উপলব্ধ অপশন আছে.", + "There was a problem executing the action.": "কর্মের একটি সমস্যা নির্বাহ ছিল.", + "There was a problem submitting the form.": "ফর্ম জমা একটি সমস্যা ছিল.", + "This file field is read-only.": "এই ফাইলটি ক্ষেত্র শুধুমাত্র পাঠযোগ্য.", + "This image": "এই ছবি", + "This resource no longer exists": "এই সম্পদ বর্তমানে উপস্থিত নেই", + "Timor-Leste": "সুন্দরি সেক্সি মহিলার", + "Today": "আজ", + "Togo": "সেচেলিস", + "Tokelau": "টোকেলাউ", + "Tonga": "আয়", + "total": "মোট", + "Trashed": "ড্যাশ", + "Trinidad And Tobago": "সিঙ্গাপুর", + "Tunisia": "স্লোভাকিয়া", + "Turkey": "বর্ণালী সংরক্ষণ করো", + "Turkmenistan": "উজবেকিস্তান", + "Turks And Caicos Islands": "লাতিন ভাষার লেখা রয়েছে এমন নিবন্ধ", + "Tuvalu": "দক্ষিণ আফ্রিকা", + "Uganda": "দক্ষিণ কোরিয়া", + "Ukraine": "স্পেন", + "United Arab Emirates": "আরবি ভাষার লেখা রয়েছে এমন নিবন্ধ", + "United Kingdom": "যুক্তরাজ্য", + "United States": "মার্কিন যুক্তরাষ্ট্র-বেকারত্বের হার-পূর্বাভাস", + "United States Outlying Islands": "অধীনস্থ এলাকা এবং চুক্তি দ্বারা নির্ধারিত বিশেষ এলাকা", + "Update": "আপডেট", + "Update & Continue Editing": "আপডেট & সম্পাদনা চালিয়ে যাও", + "Update :resource": "আপডেট :resource", + "Update :resource: :title": "আপডেট :resource: :title", + "Update attached :resource: :title": "সংযুক্ত আপডেট :resource: :title", + "Uruguay": "সোয়াজিল্যাণ্ড", + "Uzbekistan": "সুইডেন", + "Value": "মান", + "Vanuatu": "সুইজারল্যাণ্ড", + "Venezuela": "তাইওয়ান", + "Viet Nam": "Vietnam", + "View": "প্রদর্শন", + "Virgin Islands, British": "ব্রিটিশ ভার্জিন দ্বীপপুঞ্জ", + "Virgin Islands, U.S.": "মার্কিন ভার্জিন দ্বীপপুঞ্জ", + "Wallis And Futuna": "আল্লাহর নাম ও সিফাতের তাওহীদ", + "We're lost in space. The page you were trying to view does not exist.": "মহাকাশে হারিয়ে গেছে আপনি দেখতে চেষ্টা হয়েছে পাতা অস্তিত্ব নেই.", + "Welcome Back!": "স্বাগতম!", + "Western Sahara": "পশ্চিমা সাহারা", + "Whoops": "উপসস", + "Whoops!": "ওপস!", + "With Trashed": "ট্র্যাশে পাঠানো হয় সঙ্গে", + "Write": "লেখা", + "Year To Date": "তারিখ থেকে বছর", + "Yemen": "ইয়েমেনি", + "Yes": "হ্যাঁ", + "You are receiving this email because we received a password reset request for your account.": "আমরা আপনার অ্যাকাউন্টের জন্য একটি পাসওয়ার্ড রিসেট অনুরোধ পেয়েছি, কারণ আপনি এই ইমেইল পাচ্ছেন.", + "Zambia": "টোঙ্গা", + "Zimbabwe": "ত্রিনিদাদ ও টোবাগো" +} diff --git a/locales/bn/packages/spark-paddle.json b/locales/bn/packages/spark-paddle.json new file mode 100644 index 00000000000..3ec8743e5cf --- /dev/null +++ b/locales/bn/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "একটি অপ্রত্যাশিত ত্রুটি ঘটেছে এবং আমরা সাপোর্ট দলকে অবহিত করেছি। পুনরায় চেস্টা করুন।", + "Billing Management": "বিল সংক্রান্ত ব্যাবস্থাপনা", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "পরিষেবার শর্তাদি", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "ওপস! কিছু ভুল হয়েছে.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/bn/packages/spark-stripe.json b/locales/bn/packages/spark-stripe.json new file mode 100644 index 00000000000..701c5d0b57d --- /dev/null +++ b/locales/bn/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days দিনের ট্রায়াল", + "Add VAT Number": "ভ্যাট নাম্বার যোগ করুন", + "Address": "ঠিকানা", + "Address Line 2": "ঠিকানা ২য় লাইন", + "Afghanistan": "আফগানিস্তান", + "Albania": "আলবেনিয়া", + "Algeria": "আলজেরিয়া", + "American Samoa": "আমেরিকান সামোয়া ", + "An unexpected error occurred and we have notified our support team. Please try again later.": "একটি অপ্রত্যাশিত ত্রুটি ঘটেছে এবং আমরা সাপোর্ট দলকে অবহিত করেছি। পুনরায় চেস্টা করুন।", + "Andorra": "আন্ডোরা", + "Angola": "অ্যাঙ্গোলা", + "Anguilla": "প্রস্তুতকারক", + "Antarctica": "ফোন মডেল", + "Antigua and Barbuda": "অ্যান্টিগুয়া ও বার্বুডা", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "আর্জেন্টিনা", + "Armenia": "আর্মেনিয়া", + "Aruba": "আরুবা", + "Australia": "অস্ট্রেলিয়া", + "Austria": "অস্ট্রিয়া", + "Azerbaijan": "আজারবাইজান", + "Bahamas": "বাহামা", + "Bahrain": "বাহরাইন", + "Bangladesh": "বাংলাদেশ", + "Barbados": "বার্বাডোস", + "Belarus": "বেলারুশ", + "Belgium": "বেলজিয়াম", + "Belize": "আফগানিস্তান", + "Benin": "বেনিন", + "Bermuda": "বারমুডা", + "Bhutan": "ভুটান", + "Billing Information": "বিল সংক্রান্ত তথ্য", + "Billing Management": "বিল সংক্রান্ত ব্যাবস্থাপনা", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "অ্যাঙ্গিলা", + "Bouvet Island": "যাচাইকৃত অ্যাকাউন্ট", + "Brazil": "ব্রাজিল", + "British Indian Ocean Territory": "ব্রিটিশ ভারত মহাসাগর অঞ্চল", + "Brunei Darussalam": "Brunei", + "Bulgaria": "আর্জেন্তিনা", + "Burkina Faso": "আর্মেনিয়া", + "Burundi": "আরুবা", + "Cambodia": "কাম্বোডিয়া", + "Cameroon": "অস্ট্রেলিয়া", + "Canada": "কানাডা", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "আজেরবাইজান", + "Card": "কার্ড", + "Cayman Islands": "কেম্যান দ্বীপপুঞ্জ", + "Central African Republic": "মধ্য আফ্রিকান প্রজাতন্ত্র", + "Chad": "বাংলাদেশ", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "বারবাডোস", + "China": "চীনি", + "Christmas Island": "ক্রিসমাস দ্বীপ", + "City": "City", + "Cocos (Keeling) Islands": "কোকোস (কিলিং) দ্বীপপুঞ্জ", + "Colombia": "বেলজিয়াম", + "Comoros": "বেলিজে", + "Confirm Payment": "পেমেন্ট নিশ্চিত করুন", + "Confirm your :amount payment": "আপনার নিশ্চিত :amount প্রদান", + "Congo": "বেনিন", + "Congo, the Democratic Republic of the": "কঙ্গো", + "Cook Islands": "কুক দ্বীপপুঞ্জ", + "Costa Rica": "ভূটান", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "বলিভিয়া", + "Cuba": "বসনিয়া ও হার্জেগোভিনা", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "বটসোয়ানা", + "Czech Republic": "পশ্চিম ফ্রিসিয়", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "ব্রুনেই", + "Djibouti": "বুলগেরিয়া", + "Dominica": "রবিবার", + "Dominican Republic": "বুরুন্ডি", + "Download Receipt": "Download Receipt", + "Ecuador": "ক্যাম্বোডিয়া", + "Egypt": "ক্যামেরুন", + "El Salvador": "কানাডা", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "কেপ ভার্ডি", + "Eritrea": "কেমেন আইল্যাণ্ড", + "Estonia": "অধাতু", + "Ethiopia": "ইথিওপিয়া", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "অতিরিক্ত নিশ্চিতকরণ আপনার পেমেন্ট প্রক্রিয়া প্রয়োজন হয়. নিচের বাটনে ক্লিক করে পেমেন্ট পাতা দয়া করে চালিয়ে যান.", + "Falkland Islands (Malvinas)": "বিষয়শ্রেণীসমূহ:)", + "Faroe Islands": "কলোম্বিয়া", + "Fiji": "কমোরোস", + "Finland": "কঙ্গো", + "France": "বর্ণালী সংরক্ষণ করো", + "French Guiana": "ফরাসি দক্ষিণ এবং অ্যান্টার্কটিক ভূমি", + "French Polynesia": "কেম্যান দ্বীপপুঞ্জ", + "French Southern Territories": "ফরাসি দক্ষিণ অঞ্চল", + "Gabon": "ক্রোয়েশিয়া", + "Gambia": "কিউবা", + "Georgia": "জর্জিয়া", + "Germany": "চেক রিপাবলিক", + "Ghana": "ডেনমার্ক", + "Gibraltar": "জিব্রাল্টার", + "Greece": "গ্রীস", + "Greenland": "ডোমিনিকা", + "Grenada": "ডমিনিকান রিপাবলিক", + "Guadeloupe": "গুয়াডেলুপে", + "Guam": "ইকুয়েডর", + "Guatemala": "মিশর", + "Guernsey": "প্যাটসি", + "Guinea": "এল সালভাডোর", + "Guinea-Bissau": "ইকুয়েটোরিয়াল গিনি", + "Guyana": "এরিট্রিয়া", + "Haiti": "এস্টোনিয়া", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "ইংল্যাণ্ড", + "Hong Kong": "ইথিওপিয়া", + "Hungary": "ইউরোপিয়ান ইউনিয়ন", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "আইসল্যান্ড", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "ইন্ডিয়া", + "Indonesia": "ফিজি", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "ফ্রান্স", + "Ireland": "ফরাসী পলিনেসিয়া", + "Isle of Man": "Isle of Man", + "Israel": "গ্যাবন", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "গ্যামবিয়া", + "Jamaica": "আমেরিকা \/ জামাইকা", + "Japan": "নিরপেক্ষ", + "Jersey": "জার্সি", + "Jordan": "জর্ডান", + "Kazakhstan": "গ্রীনল্যাণ্ড", + "Kenya": "কেনিয়া", + "Kiribati": "গুয়াম", + "Korea, Democratic People's Republic of": "উত্তর কোরিয়া", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "কুয়েত", + "Kyrgyzstan": "গায়ানা", + "Lao People's Democratic Republic": "হাইতি", + "Latvia": "হন্ডুরাস", + "Lebanon": "হং কং", + "Lesotho": "হাঙ্গেরী", + "Liberia": "ভারত", + "Libyan Arab Jamahiriya": "লিবিয়া", + "Liechtenstein": "ইরান", + "Lithuania": "ইরাক", + "Luxembourg": "আয়ারল্যাণ্ড", + "Macao": "ম্যাকাও", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "ইতালী", + "Malawi": "আইভরি কোস্ট", + "Malaysia": "জামাইকা", + "Maldives": "মালদ্বীপ", + "Mali": "ছোট", + "Malta": "কাজাখস্তান", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "কেনিয়া", + "Martinique": "কিরিবাটি", + "Mauritania": "কোরিয়া, উত্তর", + "Mauritius": "কোরিয়া, দক্ষিণ", + "Mayotte": "মায়োট", + "Mexico": "মেক্সিকো", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "লাতভিয়া", + "Mongolia": "লেবানন", + "Montenegro": "মন্টিনিগ্রো", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "লেসোথো", + "Morocco": "লাইবেরিয়া", + "Mozambique": "লিবিয়া", + "Myanmar": "মায়ানমার", + "Namibia": "লিথুয়েনেয়া", + "Nauru": "লুক্সেমবুর্গ", + "Nepal": "মাকাও", + "Netherlands": "মাদাগাস্কার", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "নিউ ক্যালেডোনিয়া", + "New Zealand": "নিউজিল্যান্ড", + "Nicaragua": "মালি", + "Niger": "মল্টা", + "Nigeria": "মার্শাল দ্বীপপুঞ্জ", + "Niue": "মার্টিনিক", + "Norfolk Island": "নরফোক দ্বীপ", + "Northern Mariana Islands": "উত্তর মারিয়ানা দ্বীপপুঞ্জ", + "Norway": "নরওয়ে", + "Oman": "মলডোভা", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "পাকিস্তান", + "Palau": "মঙ্গোলিয়া", + "Palestinian Territory, Occupied": "ফিলিস্তিনি অঞ্চল", + "Panama": "পানামা", + "Papua New Guinea": "নিউ ক্যালেডোনিয়া", + "Paraguay": "মায়ানমার", + "Payment Information": "Payment Information", + "Peru": "পেরু", + "Philippines": "ফিলিপাইন", + "Pitcairn": "মৃত্যুর স্থান", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "রং", + "Portugal": "নেদারল্যাণ্ড", + "Puerto Rico": "নেদারল্যাণ্ড অ্যানটিল", + "Qatar": "কাতার", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "অক্সিজেন", + "Russian Federation": "ক্যামেরার", + "Rwanda": "নাইজের", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "সেন্ট হেলেনা", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "নিউই", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "সামোয়া", + "San Marino": "উত্তর আয়ারল্যাণ্ড", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "নরওয়ে", + "Save": "সংরক্ষণ", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "ওমান", + "Serbia": "সার্বিয়া", + "Seychelles": "পালাউ", + "Sierra Leone": "সিয়েরা লিয়ন", + "Signed in as": "Signed in as", + "Singapore": "সিঙ্গাপুর", + "Slovakia": "স্লোভাকিয়া", + "Slovenia": "প্যারাগুয়ে", + "Solomon Islands": "পেরু", + "Somalia": "ফিলিপিনস", + "South Africa": "সাউথ আফ্রিকা", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "অভিজাত গ্যাস", + "Sri Lanka": "শ্রীলঙ্কা", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "রোমানিয়া", + "Suriname": "রাশিয়া", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "লুক্সেমবার্গীয়", + "Switzerland": "সেন্ট লুসিয়া", + "Syrian Arab Republic": "সিরিয়া", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "তাজিকিস্তান", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "পরিষেবার শর্তাদি", + "Thailand": "থাইল্যান্ড", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "সুন্দরি সেক্সি মহিলার", + "Togo": "সেচেলিস", + "Tokelau": "টোকেলাউ", + "Tonga": "আয়", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "স্লোভাকিয়া", + "Turkey": "বর্ণালী সংরক্ষণ করো", + "Turkmenistan": "উজবেকিস্তান", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "দক্ষিণ আফ্রিকা", + "Uganda": "দক্ষিণ কোরিয়া", + "Ukraine": "স্পেন", + "United Arab Emirates": "আরবি ভাষার লেখা রয়েছে এমন নিবন্ধ", + "United Kingdom": "যুক্তরাজ্য", + "United States": "মার্কিন যুক্তরাষ্ট্র-বেকারত্বের হার-পূর্বাভাস", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "আপডেট", + "Update Payment Information": "Update Payment Information", + "Uruguay": "সোয়াজিল্যাণ্ড", + "Uzbekistan": "সুইডেন", + "Vanuatu": "সুইজারল্যাণ্ড", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "ব্রিটিশ ভার্জিন দ্বীপপুঞ্জ", + "Virgin Islands, U.S.": "মার্কিন ভার্জিন দ্বীপপুঞ্জ", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "পশ্চিমা সাহারা", + "Whoops! Something went wrong.": "ওপস! কিছু ভুল হয়েছে.", + "Yearly": "Yearly", + "Yemen": "ইয়েমেনি", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "টোঙ্গা", + "Zimbabwe": "ত্রিনিদাদ ও টোবাগো", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/bs/bs.json b/locales/bs/bs.json index fd0563c73fa..259b4242f4c 100644 --- a/locales/bs/bs.json +++ b/locales/bs/bs.json @@ -1,710 +1,48 @@ { - "30 Days": "30 dana", - "60 Days": "60 dana", - "90 Days": "90 dana", - ":amount Total": ":amount ukupno.", - ":days day trial": ":days day trial", - ":resource Details": ":resource detalji", - ":resource Details: :title": ":resource detalji: :title", "A fresh verification link has been sent to your email address.": "Nova verifikacijska veza je poslata na Vašu email adresu.", - "A new verification link has been sent to the email address you provided during registration.": "Nova verifikacijska veza je poslana na email adresu koju ste dali tokom registracije.", - "Accept Invitation": "Prihvati Poziv", - "Action": "Akcija", - "Action Happened At": "Dogodilo Se ... ", - "Action Initiated By": "Inicirano", - "Action Name": "Ime", - "Action Status": "Status akcije", - "Action Target": "Meta", - "Actions": "Radnje", - "Add": "Dodaj", - "Add a new team member to your team, allowing them to collaborate with you.": "Dodajte novog člana tima vašem timu, koji će im dozvoliti da sarađuju sa vama.", - "Add additional security to your account using two factor authentication.": "Dodajte dodatnu sigurnost na vaš račun koristeći dvije faktor autentifikacije.", - "Add row": "Dodaj red", - "Add Team Member": "Dodaj Člana Tima", - "Add VAT Number": "Add VAT Number", - "Added.": "Dodano.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administrator", - "Administrator users can perform any action.": "Korisnici administratora mogu izvršiti svaku radnju.", - "Afghanistan": "Pakistan", - "Aland Islands": "Åland Ostrvima", - "Albania": "Albanija", - "Algeria": "Alžirsamoa", - "All of the people that are part of this team.": "Svi ljudi koji su dio ovog tima.", - "All resources loaded.": "Svi resursi učitani.", - "All rights reserved.": "Sva prava su zasticena.", - "Already registered?": "Već registrovan?", - "American Samoa": "American Samoa", - "An error occured while uploading the file.": "Dogodila se greška pri uploadanju datoteke.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorran", - "Angola": "Mongolija", - "Anguilla": "Aquadillacountry", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Još jedan korisnik je ažurirao ovaj resurs od kada je stranica učitana. Molim vas osvježite stranicu i pokušajte ponovo.", - "Antarctica": "Antarktika", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antiga i Barbuda", - "API Token": "API Token", - "API Token Permissions": "Dozvole po Oktalnom sistemu", - "API Tokens": "API tokeni", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API tokeni omogućavaju usluge treće strane da potvrde našu prijavu u vaše ime.", - "April": "April", - "Are you sure you want to delete the selected resources?": "Sigurni ste da želite obrisati izabrane resurse?", - "Are you sure you want to delete this file?": "Sigurni ste da želite obrisati ovu datoteku?", - "Are you sure you want to delete this resource?": "Sigurni ste da želite obrisati ove resurse?", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Jeste li sigurni da želite obrisati ovaj tim? Kad se tim obriše, svi njegovi resursi i podaci će biti trajno izbrisani.", - "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.": "Sigurno želite izbrisati vaš unos u dnevniku? Kad vaš račun bude izbrisan, svi njegovi resursi i podaci će biti trajno izbrisani. Unesite ĺˇifru da potvrdite da želite trajno obrisati nalog.", - "Are you sure you want to detach the selected resources?": "Jeste li sigurni da želite odvojiti izabrane resurse?", - "Are you sure you want to detach this resource?": "Jeste li sigurni da želite odvojiti resurse?", - "Are you sure you want to force delete the selected resources?": "Sigurni ste da želite obrisati izabrane resurse?", - "Are you sure you want to force delete this resource?": "Sigurni ste da želite obrisati ove resurse?", - "Are you sure you want to restore the selected resources?": "Jeste li sigurni da želite povratiti izabrane resurse?", - "Are you sure you want to restore this resource?": "Jeste li sigurni da želite povratiti ovaj resurs?", - "Are you sure you want to run this action?": "Jeste li sigurni da želite pokrenuti ovu akciju?", - "Are you sure you would like to delete this API token?": "Jeste li sigurni da želite obrisati ovaj API token?", - "Are you sure you would like to leave this team?": "Jeste li sigurni da želite napustiti ovaj tim?", - "Are you sure you would like to remove this person from the team?": "Jeste li sigurni da želite da uklonite ovu osobu iz tima?", - "Argentina": "Argentina", - "Armenia": "Armenija.", - "Aruba": "Abha", - "Attach": "Pripajanje", - "Attach & Attach Another": "Attach & Attach Drugo", - "Attach :resource": "Obustavi :resource", - "August": "Full month name", - "Australia": "Australija", - "Austria": "Austrija", - "Azerbaijan": "Azerbejdžan", - "Bahamas": "Bahama", - "Bahrain": "Bahrain", - "Bangladesh": "Bangalore", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Prije nego nastavimo, provjerite email za verifikacijsku link.", - "Belarus": "België", - "Belgium": "Belgija", - "Belize": "Beliz", - "Benin": "Benina", - "Bermuda": "Bermuda", - "Bhutan": "Butan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivija", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sábado", - "Bosnia And Herzegovina": "Bosna i Hercegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Bocvana", - "Bouvet Island": "Block Island", - "Brazil": "Brazil", - "British Indian Ocean Territory": "Teritorija Britanskog Indijskog Okeana", - "Browser Sessions": "Preglednik Sesija", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bugarska", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Kambodža", - "Cameroon": "Kamerun", - "Canada": "Kanada", - "Cancel": "Odustani", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Cape Girardeau", - "Card": "Karta", - "Cayman Islands": "Cayman Islands", - "Central African Republic": "Dominikanska Republika", - "Chad": "Chadron", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Promjene", - "Chile": "Čile", - "China": "Chino", - "Choose": "Izaberi", - "Choose :field": "Izaberi :field", - "Choose :resource": "Izaberi :resource.", - "Choose an option": "Izaberite opciju", - "Choose date": "Izaberite datum", - "Choose File": "Evolution ICalendar Uvoznik", - "Choose Type": "Izaberite Tip", - "Christmas Island": "Božićni Otok", - "City": "City", "click here to request another": "kliknite ovdje za dodavanje učesnika", - "Click to choose": "Kliknite za otvaranje", - "Close": "_zatvori", - "Cocos (Keeling) Islands": "Cocos Island", - "Code": "Šifra", - "Colombia": "Kolumbija", - "Comoros": "Comox", - "Confirm": "Potvrdi", - "Confirm Password": "Šifra", - "Confirm Payment": "Potvrdi Isplatu", - "Confirm your :amount payment": "Potvrdi isplatu za :amount.", - "Congo": "Kongo", - "Congo, Democratic Republic": "Demokratska Narodna Republika Korejacongo", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Konstanto", - "Cook Islands": "Cocos Island", - "Costa Rica": "Kosta Rika", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "ne može se naći.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Kreiraj", - "Create & Add Another": "Napravi & Dodaj Drugi", - "Create :resource": "Kreirajte :resource", - "Create a new team to collaborate with others on projects.": "Stvoriti novi tim koji će sarađivati s drugima na projektima.", - "Create Account": "Unesi Delegata", - "Create API Token": "Napravi novi dokument", - "Create New Team": "Napravi Novi Tim", - "Create Team": "Kreirajte Tim", - "Created.": "Stvoreno.", - "Croatia": "Hrvatska", - "Cuba": "Kuba", - "Curaçao": "Caracas", - "Current Password": "Upišite Šifru", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Prilagodi", - "Cyprus": "Kipar", - "Czech Republic": "Češka", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Instrument tabla", - "December": "Decembar", - "Decrease": "Smanji", - "Delete": "Obriši", - "Delete Account": "Delegiraj Za:", - "Delete API Token": "Izbriši API Token", - "Delete File": "Izbriši Datoteku", - "Delete Resource": "Resurs Brisanja", - "Delete Selected": "Obriši Izabrani", - "Delete Team": "Obriši Tim", - "Denmark": "Danska", - "Detach": "Odvoji", - "Detach Resource": "Odvoji Resurs", - "Detach Selected": "_snimi Izabrano", - "Details": "Detalji", - "Disable": "Isključi", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Stvarno želiš otići? Imate neželjene promjene.", - "Dominica": "Nedjelja", - "Dominican Republic": "Dominikanska Republika", - "Done.": "Gotovo.", - "Download": "Preuzmi", - "Download Receipt": "Download Receipt", "E-Mail Address": "Email Adresa", - "Ecuador": "Ekvador", - "Edit": "Izmijeni", - "Edit :resource": "Uredite :resource", - "Edit Attached": "Izmijeni Prikačenost", - "Editor": "Urednik", - "Editor users have the ability to read, create, and update.": "Korisnici Editora imaju sposobnost čitanja, kreiranja i ažuriranja.", - "Egypt": "Egipat", - "El Salvador": "Salvador", - "Email": "Email", - "Email Address": "Email Adresa", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Email Linka Za Reset Šifre", - "Enable": "Omogući", - "Ensure your account is using a long, random password to stay secure.": "Osiguraj da tvoj račun koristi dugu, nasumičnu lozinku da ostane siguran.", - "Equatorial Guinea": "Ekvatorijalna Gvineja", - "Eritrea": "Eritrea", - "Estonia": "Estonija", - "Ethiopia": "Etiopija", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Potrebna je dodatna potvrda da obradite isplatu. Potvrdite isplatu ispunjavanjem vaših unosa.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Potrebna je dodatna potvrda da obradite isplatu. Molimo nastavite sa plaćanjem stranice klikom na dugme ispod.", - "Falkland Islands (Malvinas)": "Falkland Islandski (Malvinas))", - "Faroe Islands": "Barter Island", - "February": "Februar", - "Fiji": "Fiji", - "Finland": "Finska", - "For your security, please confirm your password to continue.": "Radi vaše sigurnosti, molim vas potvrdite lozinku za nastavak.", "Forbidden": "Zabranjeno", - "Force Delete": "Prisili Izbriši", - "Force Delete Resource": "Resurs Brisanja", - "Force Delete Selected": "Obriši Izabrani Tekst", - "Forgot Your Password?": "Zaboravio Si Lozinku?", - "Forgot your password?": "Zaboravio si lozinku?", - "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.": "Zaboravio si lozinku? Nema problema. Samo reci nam vašu email adresu i mi ćemo vam poslati lozinku reset vezu koja će ti dozvoliti da izaberem novog.", - "France": "Francuska", - "French Guiana": "Francuska Guiana", - "French Polynesia": "French Polinezia", - "French Southern Territories": "Sjeverozapadne Teritorije", - "Full name": "Puno ime", - "Gabon": "Gabon", - "Gambia": "Gambell", - "Georgia": "Georgia", - "Germany": "Njemačka", - "Ghana": "Gana", - "Gibraltar": "Gibraltar", - "Go back": "Vrati se.", - "Go Home": "Idi Kući.", "Go to page :page": "Idi na stranicu :page", - "Great! You have accepted the invitation to join the :team team.": "Sjajno! Prihvatili ste poziv da se pridružite timu :team.", - "Greece": "Grčka", - "Greenland": "Irska", - "Grenada": "Granada", - "Guadeloupe": "Guadalupe pass", - "Guam": "Guam", - "Guatemala": "Gvatemala", - "Guernsey": "Guernsey", - "Guinea": "Gatineau", - "Guinea-Bissau": "Gvineja-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Hear Island and McDonald Island", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Zdravo!", - "Hide Content": "Sakrij Sadržaj", - "Hold Up!": "Stani!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Mađarska", - "I agree to the :terms_of_service and :privacy_policy": "Pristajem na :terms_of_service i 887_police", - "Iceland": "Island", - "ID": "ID", - "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.": "Ako je potrebno, možete se odjaviti iz svih vaših drugih preglednika sesija preko svih vaših uređaja. Neke od vaših nedavnih sesija su navedene ispod; međutim, ova lista možda nije iscrpna. Ako mislite da vam je račun ugrožen, trebali biste ažurirati i lozinku.", "If necessary, you may logout 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.": "Ako je potrebno, možete odjaviti sve vaše ostale preglednike preko svih vaših uređaja. Neke od vaših nedavnih sesija su navedene ispod; međutim, ova lista možda nije iscrpna. Ako mislite da vam je račun ugrožen, trebali biste ažurirati i lozinku.", - "If you already have an account, you may accept this invitation by clicking the button below:": "Ako već imate račun, možete prihvatiti ovaj poziv pritiskom na dugme ispod:", "If you did not create an account, no further action is required.": "Ako niste napravili račun, nema potrebe za daljnjom akcijom.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Ako niste očekivali da ćete dobiti poziv za ovaj tim, možete odbaciti ovaj e-mail.", "If you did not receive the email": "Ako niste primili email", - "If you did not request a password reset, no further action is required.": "Ako niste tražili password reset, nema potrebne daljnje akcije.", - "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:": "Ako nemate račun, možete ga stvoriti pritiskom na dugme ispod. Nakon što napravite račun, možete kliknuti na dugme za prihvaćanje poziva u ovom e-mailu da prihvatite poziv tima:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Ako imate problema s klikom na dugme \":actionText\", kopirajte i umetnite URL ispod\nu svoj web preglednik:", - "Increase": "Povećaj", - "India": "Indija", - "Indonesia": "Indonesia", "Invalid signature.": "Neispravan potpis.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Irak", - "Ireland": "Irska", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Isle of Man", - "Israel": "Izrael", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italija", - "Jamaica": "Džamajka", - "January": "Januar", - "Japan": "Japan", - "Jersey": "Džersi (Jersey)", - "Jordan": "Jordan", - "July": "Juli", - "June": "Juni", - "Kazakhstan": "Kazan", - "Kenya": "Kenya", - "Key": "Kenija", - "Kiribati": "Kiribati", - "Korea": "Južna Afrika", - "Korea, Democratic People's Republic of": "North Bay", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuvajt", - "Kyrgyzstan": "Kirgistan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Zadnji aktivno", - "Last used": "Zadnje korišteno", - "Latvia": "Latvija", - "Leave": "Odlazi.", - "Leave Team": "Leave Team", - "Lebanon": "Libanon", - "Lens": "Objektiv", - "Lesotho": "Lesotho", - "Liberia": "Liberija", - "Libyan Arab Jamahiriya": "Libija", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Litva", - "Load :perPage More": "Učitaj :perPage više", - "Log in": "Samo se _prijavi", "Log out": "Odjava", - "Log Out": "Odjava", - "Log Out Other Browser Sessions": "Odjavite Druge Sesije Preglednika", - "Login": "Prijava", - "Logout": "Sound event", "Logout Other Browser Sessions": "Zatvori I Druge Sesije Preglednika", - "Luxembourg": "Luksemburg", - "Macao": "Macakan", - "Macedonia": "Sjeverna Makedonija", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagaskar", - "Malawi": "Malezija", - "Malaysia": "Malezija", - "Maldives": "Glendive", - "Mali": "Mali", - "Malta": "Malta", - "Manage Account": "Isključi", - "Manage and log out your active sessions on other browsers and devices.": "Upravljajte i odjavite svoje aktivne sesije na drugim browsersima i uređajima.", "Manage and logout your active sessions on other browsers and devices.": "Upravljajte i odjavite svoje aktivne sesije na drugim browsersima i uređajima.", - "Manage API Tokens": "Upravljajte API tokenima", - "Manage Role": "Upravljajte Ulogom", - "Manage Team": "Upravljajte Timom", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Mart", - "Marshall Islands": "South Marsh Island", - "Martinique": "Martinsvil", - "Mauritania": "Catania", - "Mauritius": "Martinsburg", - "May": "Maj", - "Mayotte": "Charlotte", - "Mexico": "Meksiko", - "Micronesia, Federated States Of": "Micronesia", - "Moldova": "Moldavija", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monaka", - "Mongolia": "Mongolija", - "Montenegro": "Montpelier", - "Month To Date": "Mjesec Za Datum", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Monterrey", - "Morocco": "Maroko", - "Mozambique": "Myanmar", - "Myanmar": "Mianmar", - "Name": "Ime", - "Namibia": "Namibia", - "Nauru": "Bauru", - "Nepal": "Nepal", - "Netherlands": "Holandija", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Nema veze", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Novo", - "New :resource": "Novi :resource", - "New Caledonia": "Nju (New) Haven", - "New Password": "Nova Šifra", - "New Zealand": "Novi Zeland", - "Next": "Sljedeći", - "Nicaragua": "Nikaragva", - "Niger": "Liege", - "Nigeria": "Alžir", - "Niue": "Niue", - "No": "Ne.", - "No :resource matched the given criteria.": "Nijedan :resource ne odgovara datim kriterijima.", - "No additional information...": "Nema dodatnih informacija...", - "No Current Data": "Nema Trenutnih Podataka", - "No Data": "Nema Podataka", - "no file selected": "nije odabrana nijedna datoteka", - "No Increase": "Nema Povećanja", - "No Prior Data": "Nema Prethodnih Podataka", - "No Results Found.": "Nisu Pronađeni Rezultati.", - "Norfolk Island": "Norfolk Island", - "Northern Mariana Islands": "Sjeverna Irska", - "Norway": "Norveška", "Not Found": "Nijedan Pogodak Nije Pronađen.", - "Nova User": "Nova Korisnik", - "November": "Full month name", - "October": "Full month name", - "of": "od", "Oh no": "O, ne.", - "Oman": "Oman", - "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.": "Kad se tim obriše, svi njegovi resursi i podaci će biti trajno izbrisani. Prije brisanja ovog tima, molim vas download bilo podataka ili informacije o ovom timu koje želite zadržati.", - "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.": "Kad vaš račun bude izbrisan, svi njegovi resursi i podaci će biti trajno izbrisani. Prije brisanja vašeg računa, molim preuzmite sve podatke ili informacije koje želite zadržati.", - "Only Trashed": "Samo Smeće", - "Original": "Original", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Stranica Je Istekla", "Pagination Navigation": "Navigacija", - "Pakistan": "Pakistan", - "Palau": "Palanga", - "Palestinian Territory, Occupied": "Panamá", - "Panama": "Panama", - "Papua New Guinea": "Papua Nova Gvineja", - "Paraguay": "Paragvaj", - "Password": "Šifra", - "Pay :amount": "Platite :amount.", - "Payment Cancelled": "Nemoguće Pisati Na Uređaj % S", - "Payment Confirmation": "Potvrda Plaćanja", - "Payment Information": "Payment Information", - "Payment Successful": "Plaćanje Uspješno", - "Pending Team Invitations": "Čekam Tim Pozivnice", - "Per Page": "\/ Kreni \/ _sljedeća Stranica", - "Permanently delete this team.": "Trajno Izbriši ovaj tim.", - "Permanently delete your account.": "Trajno Izbriši profil", - "Permissions": "Dozvole", - "Peru": "Peru", - "Philippines": "Filipini", - "Photo": "Slika", - "Pitcairn": "Barter Island", "Please click the button below to verify your email address.": "Pritisnite dugme da provjerite vašu email adresu.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Molim vas potvrdite pristup vašem računu ukucavanjem jednog od vaših šifri za spašavanje.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Potvrdite pristup vašem računu unesenjem autentičnijeg koda.", "Please confirm your password before continuing.": "Molimo potvrdite vašu lozinku prije nastavka.", - "Please copy your new API token. For your security, it won't be shown again.": "Molim vas, prepišite vaš novi API token. Zbog vaše sigurnosti, neće se više prikazivati.", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Unesite šifru za kojom želite da se odjavite iz vašeg drugog preglednika preko svih vaših uređaja.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Unesite šifru da biste potvrdili da želite da se odjavite iz vašeg drugog preglednika preko svih vaših uređaja.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "Please provide the email address of the person you would like to add to this team.": "Molim vas dajte email adresu osobe koju želite dodati ovom timu.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Molim vas dajte email adresu osobe koju želite dodati ovom timu. Email adresa mora biti povezana s postojećim računom.", - "Please provide your name.": "Molim vas recite svoje ime.", - "Poland": "Poljska", - "Portugal": "Portugal", - "Press \/ to search": "Pritisnite \/ za pretragu", - "Preview": "Pregled unaprijed", - "Previous": "Prethodni", - "Privacy Policy": "Polica Privatnosti", - "Profile": "Profil", - "Profile Information": "Osobni Podaci", - "Puerto Rico": "Puerto Riko", - "Qatar": "Qatar", - "Quarter To Date": "Četvrt Do Datuma", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Šifrujem Poruku", "Regards": "Pozdrav", - "Regenerate Recovery Codes": "Regeneriraj Šifre Za Oporavak", - "Register": "Registar", - "Reload": "Učitaj ponovo", - "Remember me": "Zapamti me", - "Remember Me": "Zapamti Me", - "Remove": "Ukloni", - "Remove Photo": "Ukloni Sliku", - "Remove Team Member": "Ukloni Člana Tima", - "Resend Verification Email": "Pošalji Poruku Kontaktu", - "Reset Filters": "Resetuj Filtere", - "Reset Password": "Ponovo Postavi Šifru", - "Reset Password Notification": "Servis Za Alarm Obavijesti Evolution Kalendara", - "resource": "resurs", - "Resources": "Nadzor resursa", - "resources": "nadzor resursa", - "Restore": "Vrati", - "Restore Resource": "Vrati Resurs", - "Restore Selected": "_izbriši Odabrane Zadatke", "results": "rezultati", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Sastanak", - "Role": "Uloga", - "Romania": "Rumunija", - "Run Action": "Pokreni Akciju", - "Russian Federation": "Ruska Federacija", - "Rwanda": "Sandane", - "Réunion": "Réunion", - "Saint Barthelemy": "St Barthlemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "St. Kitts i Nevis", - "Saint Lucia": "St. Lucia", - "Saint Martin": "St. Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "St. Pierre i Miquelon", - "Saint Vincent And Grenadines": "American Samoa", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samos", - "San Marino": "Santa Maria", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "Sao Tomé i Píncipe", - "Saudi Arabia": "Saudijska Arabija", - "Save": "Snimi", - "Saved.": "Spašen.", - "Search": "_traži", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Nova Fotografija:", - "Select Action": "Izaberite Akciju", - "Select All": "Izaberi Sve", - "Select All Matching": "Izaberi Sve Poklapanje", - "Send Password Reset Link": "Pošalji Link Password Reset", - "Senegal": "Sepang", - "September": "Full month name", - "Serbia": "Srbija", "Server Error": "Greška Kod Servera", "Service Unavailable": "Servis", - "Seychelles": "The Dalles", - "Show All Fields": "Polje", - "Show Content": "Pokaži Sadržaj", - "Show Recovery Codes": "Pokaži Kodove Za Oporavak", "Showing": "Pokaži", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapur", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovačka", - "Slovenia": "Slovenija", - "Solomon Islands": "Cayman Islands", - "Somalia": "Sedalia", - "Something went wrong.": "Nešto je pošlo po zlu.", - "Sorry! You are not authorized to perform this action.": "Izvini! Niste ovlašteni za obavljanje ove akcije.", - "Sorry, your session has expired.": "Žao mi je, vaša sesija je istekla.", - "South Africa": "Južna Afrika", - "South Georgia And Sandwich Isl.": "South Marsh Island", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "South Bend", - "Spain": "Španija", - "Sri Lanka": "Salta", - "Start Polling": "Počni Anketu.", - "State \/ County": "State \/ County", - "Stop Polling": "Prestani Anketirati.", - "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.": "Pohranite ove kodove za oporavak u zaštićenom menadžeru lozinki. Mogu se koristiti za povrat pristupa vašem računu ako je vaš uređaj za autorizaciju izgubljen.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sandane", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard i Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Švedska", - "Switch Teams": "Zamijenite Timove.", - "Switzerland": "Švicarska", - "Syrian Arab Republic": "Sirija", - "Taiwan": "Tajvan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Pakistan", - "Tanzania": "Manzanillo", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Detalji Tima", - "Team Invitation": "Tim Poziv", - "Team Members": "Članovi Tima", - "Team Name": "Ime Tima", - "Team Owner": "Vlasnik Tima", - "Team Settings": "Postavke Za X", - "Terms of Service": "Uslovi službe", - "Thailand": "Tajlandeast Timor", - "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.": "Hvala što si se prijavio! Prije nego što počnemo, možete li potvrditi svoju email adresu klikom na link koji smo vam upravo poslali? Ako niste primili e-mail, rado ćemo vam poslati još jedan.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute mora biti valjana uloga.", - "The :attribute must be at least :length characters and contain at least one number.": ":attribute mora biti najmanje :length znakova i sadrži najmanje jedan broj.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute mora biti najmanje :length znakova i sadrži najmanje jedan poseban i jedan broj.", - "The :attribute must be at least :length characters and contain at least one special character.": "Taj :attribute mora biti najmanje :length znakova i sadrži najmanje jedan poseban znak.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute mora biti najmanje :length znakova i sadrži najmanje jedan višebojni znak i jedan broj.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "72221 mora biti najmanje :length znakova i sadrži najmanje jedan višebojni znak i jedan poseban znak.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute mora biti najmanje :length znakova i sadrži najmanje jedan višenamjenski znak, jedan broj, i jedan poseban znak.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute mora biti najmanje :length znakova i sadrži najmanje jedan stariji karakter.", - "The :attribute must be at least :length characters.": ":attribute mora biti najmanje :length znakova.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource je stvoren!", - "The :resource was deleted!": ":resource je izbrisano!", - "The :resource was restored!": ":resource je obnovljeno!", - "The :resource was updated!": ":resource je ažuriran!", - "The action ran successfully!": "Akcija je uspešno pokrenuta!", - "The file was deleted!": "Datoteka je obrisana!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Vlada nam ne dozvoljava da vam pokažemo šta je iza ovih vrata.", - "The HasOne relationship has already been filled.": "Jedna veza je već popunjena.", - "The payment was successful.": "Uplata je bila uspješna.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Navedena šifra se ne poklapa sa vašom trenutnom šifrom.", - "The provided password was incorrect.": "Navedena šifra nije bila tačna.", - "The provided two factor authentication code was invalid.": "Navedeni dva faktorijalna autentifikacijska koda je nevažeći.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Resurs je ažuriran!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Ime tima i informacije vlasnika.", - "There are no available options for this resource.": "Za ovaj resurs nema dostupnih opcija.", - "There was a problem executing the action.": "Bilo je problema sa izvršenjem akcije.", - "There was a problem submitting the form.": "Došlo je do problema u podnošenju formulara.", - "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.": "Ovi ljudi su pozvani u vaš tim i poslali su im E-mail. Možda se pridruže timu prihvatajući email pozivnicu.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Ova akcija je neovlaštena.", - "This device": "Ovaj uređaj", - "This file field is read-only.": "Polje datoteka je samo za čitanje.", - "This image": "Ova slika", - "This is a secure area of the application. Please confirm your password before continuing.": "Ovo je sigurno područje prijave. Molimo potvrdite vašu lozinku prije nastavka.", - "This password does not match our records.": "Ova lozinka ne odgovara našim podacima.", "This password reset link will expire in :count minutes.": "Ovaj link za resetovanje lozinke istice za :count minuta.", - "This payment was already successfully confirmed.": "Ova isplata je već uspešno potvrđena.", - "This payment was cancelled.": "Ova isplata je otkazana.", - "This resource no longer exists": "Ovaj resurs više ne postoji", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Ovaj korisnik već pripada timu.", - "This user has already been invited to the team.": "Ovaj korisnik je već pozvan u tim.", - "Timor-Leste": "Trst (Trieste)", "to": "do", - "Today": "Danas", "Toggle navigation": "Navigacija", - "Togo": "Togo aerodrom", - "Tokelau": "Tokelau", - "Token Name": "Token", - "Tonga": "Dođi.", "Too Many Attempts.": "Previše Pokušaja.", "Too Many Requests": "Previše Zahtjeva", - "total": "ukupno", - "Total:": "Total:", - "Trashed": "Smeće", - "Trinidad And Tobago": "Trinidad i Tobago", - "Tunisia": "Tunis", - "Turkey": "Turska", - "Turkmenistan": "Pakistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "San Nicholas Island", - "Tuvalu": "Oulu", - "Two Factor Authentication": "Dva Faktora Autentifikacije", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Omogućena je dva faktora autentifikacije. Skenirajte sljedeći QR kod koristeći autentifikator telefona.", - "Uganda": "Sandane", - "Ukraine": "Ukrajina", "Unauthorized": "Neovlašteno", - "United Arab Emirates": "Ujedinjeni Arapski Emirati", - "United Kingdom": "Velika Britanija", - "United States": "Sjedinjene Američke Države", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "Rishiri Island", - "Update": "Ažuriraj", - "Update & Continue Editing": "Ažuriraj & Nastavi Izmjene", - "Update :resource": "Ažuriraj :resource", - "Update :resource: :title": "Ažuriraj :resource: :title", - "Update attached :resource: :title": "Ažuriraj u :resource: :title", - "Update Password": "Upišite Šifru", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Ažuriraj podatke o profilu i email adresu svog računa.", - "Uruguay": "Urugvaj", - "Use a recovery code": "Koristi kod za oporavak", - "Use an authentication code": "Autentičnost pozvana", - "Uzbekistan": "Pakistan", - "Value": "Vrijednost", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venecuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Provjeri Email Adresu", "Verify Your Email Address": "Provjeri Svoju Email Adresu", - "Viet Nam": "Vietnam", - "View": "Pogled", - "Virgin Islands, British": "Rishiri Island", - "Virgin Islands, U.S.": "Rishiri Island", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis i Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Nismo mogli pronaći registriranog korisnika sa ovom e-mailom.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Nećemo pitati za lozinku ponovo za nekoliko sati.", - "We're lost in space. The page you were trying to view does not exist.": "Izgubljeni smo u svemiru. Stranica koju ste željeli pogledati ne postoji.", - "Welcome Back!": "Dobrodošao Nazad!", - "Western Sahara": "Zapadna Sahara", - "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.": "Kada je omogućena dva faktora autorizacije, bićete zahtijevani za siguran, slučajan token tokom autentifikacije. Možete dobiti ovaj žeton iz Google Autorizatora.", - "Whoops": "Ups!", - "Whoops!": "Ups!", - "Whoops! Something went wrong.": "Ups! Nešto je pošlo po zlu.", - "With Trashed": "Smeće", - "Write": "_piši", - "Year To Date": "Godinu Za Datum", - "Yearly": "Yearly", - "Yemen": "Jemen", - "Yes": "Da.", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Ti si ulogovan!", - "You are receiving this email because we received a password reset request for your account.": "Primate ovaj e-mail jer smo primili zahtjev za resetovanje lozinke za vas racun.", - "You have been invited to join the :team team!": "Pozvani ste da se pridružite timu :team!", - "You have enabled two factor authentication.": "Imate omogućenu dva faktora autentifikacije.", - "You have not enabled two factor authentication.": "Nemate dozvole za dva faktora.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "Možete izbrisati bilo koji od vaših postojećih znakova ako oni više nisu potrebni.", - "You may not delete your personal team.": "Ne možete izbrisati svoj lični tim.", - "You may not leave a team that you created.": "Ne smijete napustiti tim koji ste stvorili.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Vaša email adresa nije potvrđena.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Džamajka", - "Zimbabwe": "Zimbabve", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Vaša email adresa nije potvrđena." } diff --git a/locales/bs/packages/cashier.json b/locales/bs/packages/cashier.json new file mode 100644 index 00000000000..dede148058d --- /dev/null +++ b/locales/bs/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Sva prava su zasticena.", + "Card": "Karta", + "Confirm Payment": "Potvrdi Isplatu", + "Confirm your :amount payment": "Potvrdi isplatu za :amount.", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Potrebna je dodatna potvrda da obradite isplatu. Potvrdite isplatu ispunjavanjem vaših unosa.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Potrebna je dodatna potvrda da obradite isplatu. Molimo nastavite sa plaćanjem stranice klikom na dugme ispod.", + "Full name": "Puno ime", + "Go back": "Vrati se.", + "Jane Doe": "Jane Doe", + "Pay :amount": "Platite :amount.", + "Payment Cancelled": "Nemoguće Pisati Na Uređaj % S", + "Payment Confirmation": "Potvrda Plaćanja", + "Payment Successful": "Plaćanje Uspješno", + "Please provide your name.": "Molim vas recite svoje ime.", + "The payment was successful.": "Uplata je bila uspješna.", + "This payment was already successfully confirmed.": "Ova isplata je već uspešno potvrđena.", + "This payment was cancelled.": "Ova isplata je otkazana." +} diff --git a/locales/bs/packages/fortify.json b/locales/bs/packages/fortify.json new file mode 100644 index 00000000000..650a8b7cd41 --- /dev/null +++ b/locales/bs/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": ":attribute mora biti najmanje :length znakova i sadrži najmanje jedan broj.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute mora biti najmanje :length znakova i sadrži najmanje jedan poseban i jedan broj.", + "The :attribute must be at least :length characters and contain at least one special character.": "Taj :attribute mora biti najmanje :length znakova i sadrži najmanje jedan poseban znak.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute mora biti najmanje :length znakova i sadrži najmanje jedan višebojni znak i jedan broj.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "72221 mora biti najmanje :length znakova i sadrži najmanje jedan višebojni znak i jedan poseban znak.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute mora biti najmanje :length znakova i sadrži najmanje jedan višenamjenski znak, jedan broj, i jedan poseban znak.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute mora biti najmanje :length znakova i sadrži najmanje jedan stariji karakter.", + "The :attribute must be at least :length characters.": ":attribute mora biti najmanje :length znakova.", + "The provided password does not match your current password.": "Navedena šifra se ne poklapa sa vašom trenutnom šifrom.", + "The provided password was incorrect.": "Navedena šifra nije bila tačna.", + "The provided two factor authentication code was invalid.": "Navedeni dva faktorijalna autentifikacijska koda je nevažeći." +} diff --git a/locales/bs/packages/jetstream.json b/locales/bs/packages/jetstream.json new file mode 100644 index 00000000000..eb45ebb13c9 --- /dev/null +++ b/locales/bs/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Nova verifikacijska veza je poslana na email adresu koju ste dali tokom registracije.", + "Accept Invitation": "Prihvati Poziv", + "Add": "Dodaj", + "Add a new team member to your team, allowing them to collaborate with you.": "Dodajte novog člana tima vašem timu, koji će im dozvoliti da sarađuju sa vama.", + "Add additional security to your account using two factor authentication.": "Dodajte dodatnu sigurnost na vaš račun koristeći dvije faktor autentifikacije.", + "Add Team Member": "Dodaj Člana Tima", + "Added.": "Dodano.", + "Administrator": "Administrator", + "Administrator users can perform any action.": "Korisnici administratora mogu izvršiti svaku radnju.", + "All of the people that are part of this team.": "Svi ljudi koji su dio ovog tima.", + "Already registered?": "Već registrovan?", + "API Token": "API Token", + "API Token Permissions": "Dozvole po Oktalnom sistemu", + "API Tokens": "API tokeni", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API tokeni omogućavaju usluge treće strane da potvrde našu prijavu u vaše ime.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Jeste li sigurni da želite obrisati ovaj tim? Kad se tim obriše, svi njegovi resursi i podaci će biti trajno izbrisani.", + "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.": "Sigurno želite izbrisati vaš unos u dnevniku? Kad vaš račun bude izbrisan, svi njegovi resursi i podaci će biti trajno izbrisani. Unesite ĺˇifru da potvrdite da želite trajno obrisati nalog.", + "Are you sure you would like to delete this API token?": "Jeste li sigurni da želite obrisati ovaj API token?", + "Are you sure you would like to leave this team?": "Jeste li sigurni da želite napustiti ovaj tim?", + "Are you sure you would like to remove this person from the team?": "Jeste li sigurni da želite da uklonite ovu osobu iz tima?", + "Browser Sessions": "Preglednik Sesija", + "Cancel": "Odustani", + "Close": "_zatvori", + "Code": "Šifra", + "Confirm": "Potvrdi", + "Confirm Password": "Šifra", + "Create": "Kreiraj", + "Create a new team to collaborate with others on projects.": "Stvoriti novi tim koji će sarađivati s drugima na projektima.", + "Create Account": "Unesi Delegata", + "Create API Token": "Napravi novi dokument", + "Create New Team": "Napravi Novi Tim", + "Create Team": "Kreirajte Tim", + "Created.": "Stvoreno.", + "Current Password": "Upišite Šifru", + "Dashboard": "Instrument tabla", + "Delete": "Obriši", + "Delete Account": "Delegiraj Za:", + "Delete API Token": "Izbriši API Token", + "Delete Team": "Obriši Tim", + "Disable": "Isključi", + "Done.": "Gotovo.", + "Editor": "Urednik", + "Editor users have the ability to read, create, and update.": "Korisnici Editora imaju sposobnost čitanja, kreiranja i ažuriranja.", + "Email": "Email", + "Email Password Reset Link": "Email Linka Za Reset Šifre", + "Enable": "Omogući", + "Ensure your account is using a long, random password to stay secure.": "Osiguraj da tvoj račun koristi dugu, nasumičnu lozinku da ostane siguran.", + "For your security, please confirm your password to continue.": "Radi vaše sigurnosti, molim vas potvrdite lozinku za nastavak.", + "Forgot your password?": "Zaboravio si lozinku?", + "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.": "Zaboravio si lozinku? Nema problema. Samo reci nam vašu email adresu i mi ćemo vam poslati lozinku reset vezu koja će ti dozvoliti da izaberem novog.", + "Great! You have accepted the invitation to join the :team team.": "Sjajno! Prihvatili ste poziv da se pridružite timu :team.", + "I agree to the :terms_of_service and :privacy_policy": "Pristajem na :terms_of_service i 887_police", + "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.": "Ako je potrebno, možete se odjaviti iz svih vaših drugih preglednika sesija preko svih vaših uređaja. Neke od vaših nedavnih sesija su navedene ispod; međutim, ova lista možda nije iscrpna. Ako mislite da vam je račun ugrožen, trebali biste ažurirati i lozinku.", + "If you already have an account, you may accept this invitation by clicking the button below:": "Ako već imate račun, možete prihvatiti ovaj poziv pritiskom na dugme ispod:", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Ako niste očekivali da ćete dobiti poziv za ovaj tim, možete odbaciti ovaj 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:": "Ako nemate račun, možete ga stvoriti pritiskom na dugme ispod. Nakon što napravite račun, možete kliknuti na dugme za prihvaćanje poziva u ovom e-mailu da prihvatite poziv tima:", + "Last active": "Zadnji aktivno", + "Last used": "Zadnje korišteno", + "Leave": "Odlazi.", + "Leave Team": "Leave Team", + "Log in": "Samo se _prijavi", + "Log Out": "Odjava", + "Log Out Other Browser Sessions": "Odjavite Druge Sesije Preglednika", + "Manage Account": "Isključi", + "Manage and log out your active sessions on other browsers and devices.": "Upravljajte i odjavite svoje aktivne sesije na drugim browsersima i uređajima.", + "Manage API Tokens": "Upravljajte API tokenima", + "Manage Role": "Upravljajte Ulogom", + "Manage Team": "Upravljajte Timom", + "Name": "Ime", + "New Password": "Nova Šifra", + "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.": "Kad se tim obriše, svi njegovi resursi i podaci će biti trajno izbrisani. Prije brisanja ovog tima, molim vas download bilo podataka ili informacije o ovom timu koje želite zadržati.", + "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.": "Kad vaš račun bude izbrisan, svi njegovi resursi i podaci će biti trajno izbrisani. Prije brisanja vašeg računa, molim preuzmite sve podatke ili informacije koje želite zadržati.", + "Password": "Šifra", + "Pending Team Invitations": "Čekam Tim Pozivnice", + "Permanently delete this team.": "Trajno Izbriši ovaj tim.", + "Permanently delete your account.": "Trajno Izbriši profil", + "Permissions": "Dozvole", + "Photo": "Slika", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Molim vas potvrdite pristup vašem računu ukucavanjem jednog od vaših šifri za spašavanje.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Potvrdite pristup vašem računu unesenjem autentičnijeg koda.", + "Please copy your new API token. For your security, it won't be shown again.": "Molim vas, prepišite vaš novi API token. Zbog vaše sigurnosti, neće se više prikazivati.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Unesite šifru za kojom želite da se odjavite iz vašeg drugog preglednika preko svih vaših uređaja.", + "Please provide the email address of the person you would like to add to this team.": "Molim vas dajte email adresu osobe koju želite dodati ovom timu.", + "Privacy Policy": "Polica Privatnosti", + "Profile": "Profil", + "Profile Information": "Osobni Podaci", + "Recovery Code": "Šifrujem Poruku", + "Regenerate Recovery Codes": "Regeneriraj Šifre Za Oporavak", + "Register": "Registar", + "Remember me": "Zapamti me", + "Remove": "Ukloni", + "Remove Photo": "Ukloni Sliku", + "Remove Team Member": "Ukloni Člana Tima", + "Resend Verification Email": "Pošalji Poruku Kontaktu", + "Reset Password": "Ponovo Postavi Šifru", + "Role": "Uloga", + "Save": "Snimi", + "Saved.": "Spašen.", + "Select A New Photo": "Nova Fotografija:", + "Show Recovery Codes": "Pokaži Kodove Za Oporavak", + "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.": "Pohranite ove kodove za oporavak u zaštićenom menadžeru lozinki. Mogu se koristiti za povrat pristupa vašem računu ako je vaš uređaj za autorizaciju izgubljen.", + "Switch Teams": "Zamijenite Timove.", + "Team Details": "Detalji Tima", + "Team Invitation": "Tim Poziv", + "Team Members": "Članovi Tima", + "Team Name": "Ime Tima", + "Team Owner": "Vlasnik Tima", + "Team Settings": "Postavke Za X", + "Terms of Service": "Uslovi službe", + "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.": "Hvala što si se prijavio! Prije nego što počnemo, možete li potvrditi svoju email adresu klikom na link koji smo vam upravo poslali? Ako niste primili e-mail, rado ćemo vam poslati još jedan.", + "The :attribute must be a valid role.": ":attribute mora biti valjana uloga.", + "The :attribute must be at least :length characters and contain at least one number.": ":attribute mora biti najmanje :length znakova i sadrži najmanje jedan broj.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute mora biti najmanje :length znakova i sadrži najmanje jedan poseban i jedan broj.", + "The :attribute must be at least :length characters and contain at least one special character.": "Taj :attribute mora biti najmanje :length znakova i sadrži najmanje jedan poseban znak.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute mora biti najmanje :length znakova i sadrži najmanje jedan višebojni znak i jedan broj.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "72221 mora biti najmanje :length znakova i sadrži najmanje jedan višebojni znak i jedan poseban znak.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute mora biti najmanje :length znakova i sadrži najmanje jedan višenamjenski znak, jedan broj, i jedan poseban znak.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute mora biti najmanje :length znakova i sadrži najmanje jedan stariji karakter.", + "The :attribute must be at least :length characters.": ":attribute mora biti najmanje :length znakova.", + "The provided password does not match your current password.": "Navedena šifra se ne poklapa sa vašom trenutnom šifrom.", + "The provided password was incorrect.": "Navedena šifra nije bila tačna.", + "The provided two factor authentication code was invalid.": "Navedeni dva faktorijalna autentifikacijska koda je nevažeći.", + "The team's name and owner information.": "Ime tima i informacije vlasnika.", + "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.": "Ovi ljudi su pozvani u vaš tim i poslali su im E-mail. Možda se pridruže timu prihvatajući email pozivnicu.", + "This device": "Ovaj uređaj", + "This is a secure area of the application. Please confirm your password before continuing.": "Ovo je sigurno područje prijave. Molimo potvrdite vašu lozinku prije nastavka.", + "This password does not match our records.": "Ova lozinka ne odgovara našim podacima.", + "This user already belongs to the team.": "Ovaj korisnik već pripada timu.", + "This user has already been invited to the team.": "Ovaj korisnik je već pozvan u tim.", + "Token Name": "Token", + "Two Factor Authentication": "Dva Faktora Autentifikacije", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Omogućena je dva faktora autentifikacije. Skenirajte sljedeći QR kod koristeći autentifikator telefona.", + "Update Password": "Upišite Šifru", + "Update your account's profile information and email address.": "Ažuriraj podatke o profilu i email adresu svog računa.", + "Use a recovery code": "Koristi kod za oporavak", + "Use an authentication code": "Autentičnost pozvana", + "We were unable to find a registered user with this email address.": "Nismo mogli pronaći registriranog korisnika sa ovom e-mailom.", + "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.": "Kada je omogućena dva faktora autorizacije, bićete zahtijevani za siguran, slučajan token tokom autentifikacije. Možete dobiti ovaj žeton iz Google Autorizatora.", + "Whoops! Something went wrong.": "Ups! Nešto je pošlo po zlu.", + "You have been invited to join the :team team!": "Pozvani ste da se pridružite timu :team!", + "You have enabled two factor authentication.": "Imate omogućenu dva faktora autentifikacije.", + "You have not enabled two factor authentication.": "Nemate dozvole za dva faktora.", + "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.": "Možete izbrisati bilo koji od vaših postojećih znakova ako oni više nisu potrebni.", + "You may not delete your personal team.": "Ne možete izbrisati svoj lični tim.", + "You may not leave a team that you created.": "Ne smijete napustiti tim koji ste stvorili." +} diff --git a/locales/bs/packages/nova.json b/locales/bs/packages/nova.json new file mode 100644 index 00000000000..03f1c798aa0 --- /dev/null +++ b/locales/bs/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 dana", + "60 Days": "60 dana", + "90 Days": "90 dana", + ":amount Total": ":amount ukupno.", + ":resource Details": ":resource detalji", + ":resource Details: :title": ":resource detalji: :title", + "Action": "Akcija", + "Action Happened At": "Dogodilo Se ... ", + "Action Initiated By": "Inicirano", + "Action Name": "Ime", + "Action Status": "Status akcije", + "Action Target": "Meta", + "Actions": "Radnje", + "Add row": "Dodaj red", + "Afghanistan": "Pakistan", + "Aland Islands": "Åland Ostrvima", + "Albania": "Albanija", + "Algeria": "Alžirsamoa", + "All resources loaded.": "Svi resursi učitani.", + "American Samoa": "American Samoa", + "An error occured while uploading the file.": "Dogodila se greška pri uploadanju datoteke.", + "Andorra": "Andorran", + "Angola": "Mongolija", + "Anguilla": "Aquadillacountry", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Još jedan korisnik je ažurirao ovaj resurs od kada je stranica učitana. Molim vas osvježite stranicu i pokušajte ponovo.", + "Antarctica": "Antarktika", + "Antigua And Barbuda": "Antiga i Barbuda", + "April": "April", + "Are you sure you want to delete the selected resources?": "Sigurni ste da želite obrisati izabrane resurse?", + "Are you sure you want to delete this file?": "Sigurni ste da želite obrisati ovu datoteku?", + "Are you sure you want to delete this resource?": "Sigurni ste da želite obrisati ove resurse?", + "Are you sure you want to detach the selected resources?": "Jeste li sigurni da želite odvojiti izabrane resurse?", + "Are you sure you want to detach this resource?": "Jeste li sigurni da želite odvojiti resurse?", + "Are you sure you want to force delete the selected resources?": "Sigurni ste da želite obrisati izabrane resurse?", + "Are you sure you want to force delete this resource?": "Sigurni ste da želite obrisati ove resurse?", + "Are you sure you want to restore the selected resources?": "Jeste li sigurni da želite povratiti izabrane resurse?", + "Are you sure you want to restore this resource?": "Jeste li sigurni da želite povratiti ovaj resurs?", + "Are you sure you want to run this action?": "Jeste li sigurni da želite pokrenuti ovu akciju?", + "Argentina": "Argentina", + "Armenia": "Armenija.", + "Aruba": "Abha", + "Attach": "Pripajanje", + "Attach & Attach Another": "Attach & Attach Drugo", + "Attach :resource": "Obustavi :resource", + "August": "Full month name", + "Australia": "Australija", + "Austria": "Austrija", + "Azerbaijan": "Azerbejdžan", + "Bahamas": "Bahama", + "Bahrain": "Bahrain", + "Bangladesh": "Bangalore", + "Barbados": "Barbados", + "Belarus": "België", + "Belgium": "Belgija", + "Belize": "Beliz", + "Benin": "Benina", + "Bermuda": "Bermuda", + "Bhutan": "Butan", + "Bolivia": "Bolivija", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sábado", + "Bosnia And Herzegovina": "Bosna i Hercegovina", + "Botswana": "Bocvana", + "Bouvet Island": "Block Island", + "Brazil": "Brazil", + "British Indian Ocean Territory": "Teritorija Britanskog Indijskog Okeana", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bugarska", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodža", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel": "Odustani", + "Cape Verde": "Cape Girardeau", + "Cayman Islands": "Cayman Islands", + "Central African Republic": "Dominikanska Republika", + "Chad": "Chadron", + "Changes": "Promjene", + "Chile": "Čile", + "China": "Chino", + "Choose": "Izaberi", + "Choose :field": "Izaberi :field", + "Choose :resource": "Izaberi :resource.", + "Choose an option": "Izaberite opciju", + "Choose date": "Izaberite datum", + "Choose File": "Evolution ICalendar Uvoznik", + "Choose Type": "Izaberite Tip", + "Christmas Island": "Božićni Otok", + "Click to choose": "Kliknite za otvaranje", + "Cocos (Keeling) Islands": "Cocos Island", + "Colombia": "Kolumbija", + "Comoros": "Comox", + "Confirm Password": "Šifra", + "Congo": "Kongo", + "Congo, Democratic Republic": "Demokratska Narodna Republika Korejacongo", + "Constant": "Konstanto", + "Cook Islands": "Cocos Island", + "Costa Rica": "Kosta Rika", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "ne može se naći.", + "Create": "Kreiraj", + "Create & Add Another": "Napravi & Dodaj Drugi", + "Create :resource": "Kreirajte :resource", + "Croatia": "Hrvatska", + "Cuba": "Kuba", + "Curaçao": "Caracas", + "Customize": "Prilagodi", + "Cyprus": "Kipar", + "Czech Republic": "Češka", + "Dashboard": "Instrument tabla", + "December": "Decembar", + "Decrease": "Smanji", + "Delete": "Obriši", + "Delete File": "Izbriši Datoteku", + "Delete Resource": "Resurs Brisanja", + "Delete Selected": "Obriši Izabrani", + "Denmark": "Danska", + "Detach": "Odvoji", + "Detach Resource": "Odvoji Resurs", + "Detach Selected": "_snimi Izabrano", + "Details": "Detalji", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Stvarno želiš otići? Imate neželjene promjene.", + "Dominica": "Nedjelja", + "Dominican Republic": "Dominikanska Republika", + "Download": "Preuzmi", + "Ecuador": "Ekvador", + "Edit": "Izmijeni", + "Edit :resource": "Uredite :resource", + "Edit Attached": "Izmijeni Prikačenost", + "Egypt": "Egipat", + "El Salvador": "Salvador", + "Email Address": "Email Adresa", + "Equatorial Guinea": "Ekvatorijalna Gvineja", + "Eritrea": "Eritrea", + "Estonia": "Estonija", + "Ethiopia": "Etiopija", + "Falkland Islands (Malvinas)": "Falkland Islandski (Malvinas))", + "Faroe Islands": "Barter Island", + "February": "Februar", + "Fiji": "Fiji", + "Finland": "Finska", + "Force Delete": "Prisili Izbriši", + "Force Delete Resource": "Resurs Brisanja", + "Force Delete Selected": "Obriši Izabrani Tekst", + "Forgot Your Password?": "Zaboravio Si Lozinku?", + "Forgot your password?": "Zaboravio si lozinku?", + "France": "Francuska", + "French Guiana": "Francuska Guiana", + "French Polynesia": "French Polinezia", + "French Southern Territories": "Sjeverozapadne Teritorije", + "Gabon": "Gabon", + "Gambia": "Gambell", + "Georgia": "Georgia", + "Germany": "Njemačka", + "Ghana": "Gana", + "Gibraltar": "Gibraltar", + "Go Home": "Idi Kući.", + "Greece": "Grčka", + "Greenland": "Irska", + "Grenada": "Granada", + "Guadeloupe": "Guadalupe pass", + "Guam": "Guam", + "Guatemala": "Gvatemala", + "Guernsey": "Guernsey", + "Guinea": "Gatineau", + "Guinea-Bissau": "Gvineja-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Hear Island and McDonald Island", + "Hide Content": "Sakrij Sadržaj", + "Hold Up!": "Stani!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Mađarska", + "Iceland": "Island", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "Ako niste tražili password reset, nema potrebne daljnje akcije.", + "Increase": "Povećaj", + "India": "Indija", + "Indonesia": "Indonesia", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Irak", + "Ireland": "Irska", + "Isle Of Man": "Isle of Man", + "Israel": "Izrael", + "Italy": "Italija", + "Jamaica": "Džamajka", + "January": "Januar", + "Japan": "Japan", + "Jersey": "Džersi (Jersey)", + "Jordan": "Jordan", + "July": "Juli", + "June": "Juni", + "Kazakhstan": "Kazan", + "Kenya": "Kenya", + "Key": "Kenija", + "Kiribati": "Kiribati", + "Korea": "Južna Afrika", + "Korea, Democratic People's Republic of": "North Bay", + "Kosovo": "Kosovo", + "Kuwait": "Kuvajt", + "Kyrgyzstan": "Kirgistan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvija", + "Lebanon": "Libanon", + "Lens": "Objektiv", + "Lesotho": "Lesotho", + "Liberia": "Liberija", + "Libyan Arab Jamahiriya": "Libija", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litva", + "Load :perPage More": "Učitaj :perPage više", + "Login": "Prijava", + "Logout": "Sound event", + "Luxembourg": "Luksemburg", + "Macao": "Macakan", + "Macedonia": "Sjeverna Makedonija", + "Madagascar": "Madagaskar", + "Malawi": "Malezija", + "Malaysia": "Malezija", + "Maldives": "Glendive", + "Mali": "Mali", + "Malta": "Malta", + "March": "Mart", + "Marshall Islands": "South Marsh Island", + "Martinique": "Martinsvil", + "Mauritania": "Catania", + "Mauritius": "Martinsburg", + "May": "Maj", + "Mayotte": "Charlotte", + "Mexico": "Meksiko", + "Micronesia, Federated States Of": "Micronesia", + "Moldova": "Moldavija", + "Monaco": "Monaka", + "Mongolia": "Mongolija", + "Montenegro": "Montpelier", + "Month To Date": "Mjesec Za Datum", + "Montserrat": "Monterrey", + "Morocco": "Maroko", + "Mozambique": "Myanmar", + "Myanmar": "Mianmar", + "Namibia": "Namibia", + "Nauru": "Bauru", + "Nepal": "Nepal", + "Netherlands": "Holandija", + "New": "Novo", + "New :resource": "Novi :resource", + "New Caledonia": "Nju (New) Haven", + "New Zealand": "Novi Zeland", + "Next": "Sljedeći", + "Nicaragua": "Nikaragva", + "Niger": "Liege", + "Nigeria": "Alžir", + "Niue": "Niue", + "No": "Ne.", + "No :resource matched the given criteria.": "Nijedan :resource ne odgovara datim kriterijima.", + "No additional information...": "Nema dodatnih informacija...", + "No Current Data": "Nema Trenutnih Podataka", + "No Data": "Nema Podataka", + "no file selected": "nije odabrana nijedna datoteka", + "No Increase": "Nema Povećanja", + "No Prior Data": "Nema Prethodnih Podataka", + "No Results Found.": "Nisu Pronađeni Rezultati.", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Sjeverna Irska", + "Norway": "Norveška", + "Nova User": "Nova Korisnik", + "November": "Full month name", + "October": "Full month name", + "of": "od", + "Oman": "Oman", + "Only Trashed": "Samo Smeće", + "Original": "Original", + "Pakistan": "Pakistan", + "Palau": "Palanga", + "Palestinian Territory, Occupied": "Panamá", + "Panama": "Panama", + "Papua New Guinea": "Papua Nova Gvineja", + "Paraguay": "Paragvaj", + "Password": "Šifra", + "Per Page": "\/ Kreni \/ _sljedeća Stranica", + "Peru": "Peru", + "Philippines": "Filipini", + "Pitcairn": "Barter Island", + "Poland": "Poljska", + "Portugal": "Portugal", + "Press \/ to search": "Pritisnite \/ za pretragu", + "Preview": "Pregled unaprijed", + "Previous": "Prethodni", + "Puerto Rico": "Puerto Riko", + "Qatar": "Qatar", + "Quarter To Date": "Četvrt Do Datuma", + "Reload": "Učitaj ponovo", + "Remember Me": "Zapamti Me", + "Reset Filters": "Resetuj Filtere", + "Reset Password": "Ponovo Postavi Šifru", + "Reset Password Notification": "Servis Za Alarm Obavijesti Evolution Kalendara", + "resource": "resurs", + "Resources": "Nadzor resursa", + "resources": "nadzor resursa", + "Restore": "Vrati", + "Restore Resource": "Vrati Resurs", + "Restore Selected": "_izbriši Odabrane Zadatke", + "Reunion": "Sastanak", + "Romania": "Rumunija", + "Run Action": "Pokreni Akciju", + "Russian Federation": "Ruska Federacija", + "Rwanda": "Sandane", + "Saint Barthelemy": "St Barthlemy", + "Saint Helena": "Helena", + "Saint Kitts And Nevis": "St. Kitts i Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin": "St. Martin", + "Saint Pierre And Miquelon": "St. Pierre i Miquelon", + "Saint Vincent And Grenadines": "American Samoa", + "Samoa": "Samos", + "San Marino": "Santa Maria", + "Sao Tome And Principe": "Sao Tomé i Píncipe", + "Saudi Arabia": "Saudijska Arabija", + "Search": "_traži", + "Select Action": "Izaberite Akciju", + "Select All": "Izaberi Sve", + "Select All Matching": "Izaberi Sve Poklapanje", + "Send Password Reset Link": "Pošalji Link Password Reset", + "Senegal": "Sepang", + "September": "Full month name", + "Serbia": "Srbija", + "Seychelles": "The Dalles", + "Show All Fields": "Polje", + "Show Content": "Pokaži Sadržaj", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapur", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovačka", + "Slovenia": "Slovenija", + "Solomon Islands": "Cayman Islands", + "Somalia": "Sedalia", + "Something went wrong.": "Nešto je pošlo po zlu.", + "Sorry! You are not authorized to perform this action.": "Izvini! Niste ovlašteni za obavljanje ove akcije.", + "Sorry, your session has expired.": "Žao mi je, vaša sesija je istekla.", + "South Africa": "Južna Afrika", + "South Georgia And Sandwich Isl.": "South Marsh Island", + "South Sudan": "South Bend", + "Spain": "Španija", + "Sri Lanka": "Salta", + "Start Polling": "Počni Anketu.", + "Stop Polling": "Prestani Anketirati.", + "Sudan": "Sandane", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard i Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Švedska", + "Switzerland": "Švicarska", + "Syrian Arab Republic": "Sirija", + "Taiwan": "Tajvan", + "Tajikistan": "Pakistan", + "Tanzania": "Manzanillo", + "Thailand": "Tajlandeast Timor", + "The :resource was created!": ":resource je stvoren!", + "The :resource was deleted!": ":resource je izbrisano!", + "The :resource was restored!": ":resource je obnovljeno!", + "The :resource was updated!": ":resource je ažuriran!", + "The action ran successfully!": "Akcija je uspešno pokrenuta!", + "The file was deleted!": "Datoteka je obrisana!", + "The government won't let us show you what's behind these doors": "Vlada nam ne dozvoljava da vam pokažemo šta je iza ovih vrata.", + "The HasOne relationship has already been filled.": "Jedna veza je već popunjena.", + "The resource was updated!": "Resurs je ažuriran!", + "There are no available options for this resource.": "Za ovaj resurs nema dostupnih opcija.", + "There was a problem executing the action.": "Bilo je problema sa izvršenjem akcije.", + "There was a problem submitting the form.": "Došlo je do problema u podnošenju formulara.", + "This file field is read-only.": "Polje datoteka je samo za čitanje.", + "This image": "Ova slika", + "This resource no longer exists": "Ovaj resurs više ne postoji", + "Timor-Leste": "Trst (Trieste)", + "Today": "Danas", + "Togo": "Togo aerodrom", + "Tokelau": "Tokelau", + "Tonga": "Dođi.", + "total": "ukupno", + "Trashed": "Smeće", + "Trinidad And Tobago": "Trinidad i Tobago", + "Tunisia": "Tunis", + "Turkey": "Turska", + "Turkmenistan": "Pakistan", + "Turks And Caicos Islands": "San Nicholas Island", + "Tuvalu": "Oulu", + "Uganda": "Sandane", + "Ukraine": "Ukrajina", + "United Arab Emirates": "Ujedinjeni Arapski Emirati", + "United Kingdom": "Velika Britanija", + "United States": "Sjedinjene Američke Države", + "United States Outlying Islands": "Rishiri Island", + "Update": "Ažuriraj", + "Update & Continue Editing": "Ažuriraj & Nastavi Izmjene", + "Update :resource": "Ažuriraj :resource", + "Update :resource: :title": "Ažuriraj :resource: :title", + "Update attached :resource: :title": "Ažuriraj u :resource: :title", + "Uruguay": "Urugvaj", + "Uzbekistan": "Pakistan", + "Value": "Vrijednost", + "Vanuatu": "Vanuatu", + "Venezuela": "Venecuela", + "Viet Nam": "Vietnam", + "View": "Pogled", + "Virgin Islands, British": "Rishiri Island", + "Virgin Islands, U.S.": "Rishiri Island", + "Wallis And Futuna": "Wallis i Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Izgubljeni smo u svemiru. Stranica koju ste željeli pogledati ne postoji.", + "Welcome Back!": "Dobrodošao Nazad!", + "Western Sahara": "Zapadna Sahara", + "Whoops": "Ups!", + "Whoops!": "Ups!", + "With Trashed": "Smeće", + "Write": "_piši", + "Year To Date": "Godinu Za Datum", + "Yemen": "Jemen", + "Yes": "Da.", + "You are receiving this email because we received a password reset request for your account.": "Primate ovaj e-mail jer smo primili zahtjev za resetovanje lozinke za vas racun.", + "Zambia": "Džamajka", + "Zimbabwe": "Zimbabve" +} diff --git a/locales/bs/packages/spark-paddle.json b/locales/bs/packages/spark-paddle.json new file mode 100644 index 00000000000..03611294e82 --- /dev/null +++ b/locales/bs/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Uslovi službe", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Ups! Nešto je pošlo po zlu.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/bs/packages/spark-stripe.json b/locales/bs/packages/spark-stripe.json new file mode 100644 index 00000000000..36d4bf4143f --- /dev/null +++ b/locales/bs/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Pakistan", + "Albania": "Albanija", + "Algeria": "Alžirsamoa", + "American Samoa": "American Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorran", + "Angola": "Mongolija", + "Anguilla": "Aquadillacountry", + "Antarctica": "Antarktika", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armenija.", + "Aruba": "Abha", + "Australia": "Australija", + "Austria": "Austrija", + "Azerbaijan": "Azerbejdžan", + "Bahamas": "Bahama", + "Bahrain": "Bahrain", + "Bangladesh": "Bangalore", + "Barbados": "Barbados", + "Belarus": "België", + "Belgium": "Belgija", + "Belize": "Beliz", + "Benin": "Benina", + "Bermuda": "Bermuda", + "Bhutan": "Butan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Bocvana", + "Bouvet Island": "Block Island", + "Brazil": "Brazil", + "British Indian Ocean Territory": "Teritorija Britanskog Indijskog Okeana", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bugarska", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodža", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Cape Girardeau", + "Card": "Karta", + "Cayman Islands": "Cayman Islands", + "Central African Republic": "Dominikanska Republika", + "Chad": "Chadron", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Čile", + "China": "Chino", + "Christmas Island": "Božićni Otok", + "City": "City", + "Cocos (Keeling) Islands": "Cocos Island", + "Colombia": "Kolumbija", + "Comoros": "Comox", + "Confirm Payment": "Potvrdi Isplatu", + "Confirm your :amount payment": "Potvrdi isplatu za :amount.", + "Congo": "Kongo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Cocos Island", + "Costa Rica": "Kosta Rika", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Hrvatska", + "Cuba": "Kuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Kipar", + "Czech Republic": "Češka", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Danska", + "Djibouti": "Djibouti", + "Dominica": "Nedjelja", + "Dominican Republic": "Dominikanska Republika", + "Download Receipt": "Download Receipt", + "Ecuador": "Ekvador", + "Egypt": "Egipat", + "El Salvador": "Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Ekvatorijalna Gvineja", + "Eritrea": "Eritrea", + "Estonia": "Estonija", + "Ethiopia": "Etiopija", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Potrebna je dodatna potvrda da obradite isplatu. Molimo nastavite sa plaćanjem stranice klikom na dugme ispod.", + "Falkland Islands (Malvinas)": "Falkland Islandski (Malvinas))", + "Faroe Islands": "Barter Island", + "Fiji": "Fiji", + "Finland": "Finska", + "France": "Francuska", + "French Guiana": "Francuska Guiana", + "French Polynesia": "French Polinezia", + "French Southern Territories": "Sjeverozapadne Teritorije", + "Gabon": "Gabon", + "Gambia": "Gambell", + "Georgia": "Georgia", + "Germany": "Njemačka", + "Ghana": "Gana", + "Gibraltar": "Gibraltar", + "Greece": "Grčka", + "Greenland": "Irska", + "Grenada": "Granada", + "Guadeloupe": "Guadalupe pass", + "Guam": "Guam", + "Guatemala": "Gvatemala", + "Guernsey": "Guernsey", + "Guinea": "Gatineau", + "Guinea-Bissau": "Gvineja-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Mađarska", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Island", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Indija", + "Indonesia": "Indonesia", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Irak", + "Ireland": "Irska", + "Isle of Man": "Isle of Man", + "Israel": "Izrael", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italija", + "Jamaica": "Džamajka", + "Japan": "Japan", + "Jersey": "Džersi (Jersey)", + "Jordan": "Jordan", + "Kazakhstan": "Kazan", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "North Bay", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuvajt", + "Kyrgyzstan": "Kirgistan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvija", + "Lebanon": "Libanon", + "Lesotho": "Lesotho", + "Liberia": "Liberija", + "Libyan Arab Jamahiriya": "Libija", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litva", + "Luxembourg": "Luksemburg", + "Macao": "Macakan", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagaskar", + "Malawi": "Malezija", + "Malaysia": "Malezija", + "Maldives": "Glendive", + "Mali": "Mali", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "South Marsh Island", + "Martinique": "Martinsvil", + "Mauritania": "Catania", + "Mauritius": "Martinsburg", + "Mayotte": "Charlotte", + "Mexico": "Meksiko", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monaka", + "Mongolia": "Mongolija", + "Montenegro": "Montpelier", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Monterrey", + "Morocco": "Maroko", + "Mozambique": "Myanmar", + "Myanmar": "Mianmar", + "Namibia": "Namibia", + "Nauru": "Bauru", + "Nepal": "Nepal", + "Netherlands": "Holandija", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Nju (New) Haven", + "New Zealand": "Novi Zeland", + "Nicaragua": "Nikaragva", + "Niger": "Liege", + "Nigeria": "Alžir", + "Niue": "Niue", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Sjeverna Irska", + "Norway": "Norveška", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palanga", + "Palestinian Territory, Occupied": "Panamá", + "Panama": "Panama", + "Papua New Guinea": "Papua Nova Gvineja", + "Paraguay": "Paragvaj", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Filipini", + "Pitcairn": "Barter Island", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Poljska", + "Portugal": "Portugal", + "Puerto Rico": "Puerto Riko", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Rumunija", + "Russian Federation": "Ruska Federacija", + "Rwanda": "Sandane", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samos", + "San Marino": "Santa Maria", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saudijska Arabija", + "Save": "Snimi", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Sepang", + "Serbia": "Srbija", + "Seychelles": "The Dalles", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapur", + "Slovakia": "Slovačka", + "Slovenia": "Slovenija", + "Solomon Islands": "Cayman Islands", + "Somalia": "Sedalia", + "South Africa": "Južna Afrika", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Španija", + "Sri Lanka": "Salta", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sandane", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Švedska", + "Switzerland": "Švicarska", + "Syrian Arab Republic": "Sirija", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Pakistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Uslovi službe", + "Thailand": "Tajlandeast Timor", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Trst (Trieste)", + "Togo": "Togo aerodrom", + "Tokelau": "Tokelau", + "Tonga": "Dođi.", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunis", + "Turkey": "Turska", + "Turkmenistan": "Pakistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Oulu", + "Uganda": "Sandane", + "Ukraine": "Ukrajina", + "United Arab Emirates": "Ujedinjeni Arapski Emirati", + "United Kingdom": "Velika Britanija", + "United States": "Sjedinjene Američke Države", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Ažuriraj", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Urugvaj", + "Uzbekistan": "Pakistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Rishiri Island", + "Virgin Islands, U.S.": "Rishiri Island", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Zapadna Sahara", + "Whoops! Something went wrong.": "Ups! Nešto je pošlo po zlu.", + "Yearly": "Yearly", + "Yemen": "Jemen", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Džamajka", + "Zimbabwe": "Zimbabve", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/ca/ca.json b/locales/ca/ca.json index 9e7b2088bf9..3b5e2d6fca6 100644 --- a/locales/ca/ca.json +++ b/locales/ca/ca.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Dies", - "60 Days": "60 Dies", - "90 Days": "90 Dies", - ":amount Total": ":amount Total", - ":days day trial": ":days day trial", - ":resource Details": ":resource Detalls", - ":resource Details: :title": ":resource Detalls: :title", "A fresh verification link has been sent to your email address.": "S'ha enviat un nou enllaç de verificació a la vostra adreça electrònica.", - "A new verification link has been sent to the email address you provided during registration.": "Un nou enllaç de verificació ha estat enviat a l'adreça electrònica que heu proporcionat durant el registre.", - "Accept Invitation": "Acceptar La Invitació", - "Action": "Acció", - "Action Happened At": "Va Passar A", - "Action Initiated By": "Iniciat Per", - "Action Name": "Nom", - "Action Status": "Estat", - "Action Target": "Objectiu", - "Actions": "Accions", - "Add": "Afegir", - "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 additional security to your account using two factor authentication.": "Afegir seguretat addicional al vostre compte utilitzant dues factor d'autenticació.", - "Add row": "Afegir fila", - "Add Team Member": "Afegir Membre De L'Equip", - "Add VAT Number": "Add VAT Number", - "Added.": "Afegit.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administrador", - "Administrator users can perform any action.": "Administrador els usuaris poden dur a terme cap acció.", - "Afghanistan": "L'afganistan", - "Aland Islands": "Illes Åland", - "Albania": "Albània", - "Algeria": "Algèria", - "All of the people that are part of this team.": "Totes les persones que formen part d'aquest equip.", - "All resources loaded.": "Tots els recursos carregat.", - "All rights reserved.": "Tots els drets reservats.", - "Already registered?": "Ja estàs registrat?", - "American Samoa": "La Samoa Americana", - "An error occured while uploading the file.": "S'ha produït un error mentre pujar el fitxer.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Un altre usuari ha actualitzat aquest recurs des d'aquesta pàgina es va carregar. Si us plau, actualitzeu la pàgina i torneu a intentar.", - "Antarctica": "L'antàrtida", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua i Barbuda", - "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.", - "April": "D'abril", - "Are you sure you want to delete the selected resources?": "Esteu segur que voleu suprimir els recursos seleccionats?", - "Are you sure you want to delete this file?": "Esteu segur que voleu suprimir aquest fitxer?", - "Are you sure you want to delete this resource?": "Esteu segur que voleu suprimir aquest recurs?", - "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, a tots els seus recursos i les dades es perdran permanentment esborrada. Si us plau, introduïu la vostra contrasenya per confirmar que voleu suprimir permanentment el teu compte.", - "Are you sure you want to detach the selected resources?": "Està segur de voler desvincular els recursos seleccionats?", - "Are you sure you want to detach this resource?": "Esteu segur que voleu separar aquest recurs?", - "Are you sure you want to force delete the selected resources?": "Esteu segur que voleu forçar suprimir els recursos seleccionats?", - "Are you sure you want to force delete this resource?": "Esteu segur que voleu forçar esborrar aquest recurs?", - "Are you sure you want to restore the selected resources?": "Esteu segur que voleu restaurar els recursos seleccionats?", - "Are you sure you want to restore this resource?": "Esteu segur que voleu restaurar aquest recurs?", - "Are you sure you want to run this action?": "Esteu segur que voleu executar aquesta acció?", - "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 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?", - "Argentina": "Argentina", - "Armenia": "Armènia", - "Aruba": "Aruba", - "Attach": "Adjuntar", - "Attach & Attach Another": "Adjuntar & Adjuntar Un Altre", - "Attach :resource": "Adjuntar :resource", - "August": "Agost", - "Australia": "Austràlia", - "Austria": "Àustria", - "Azerbaijan": "Azerbaidjan", - "Bahamas": "Bahames", - "Bahrain": "Bahrain", - "Bangladesh": "Bangla desh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Abans de continuar, si us plau, confirmeu la vostra adreça electrònica amb l'enllaç de verificació que us hem enviat.", - "Belarus": "Bielorússia", - "Belgium": "Bèlgica", - "Belize": "Belize", - "Benin": "Benín", - "Bermuda": "De les bermudes", - "Bhutan": "Bhutan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolívia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius i Sábado", - "Bosnia And Herzegovina": "Bòsnia i Hercegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvet Island", - "Brazil": "Brasil", - "British Indian Ocean Territory": "Britànic De L'Oceà Índic Territori", - "Browser Sessions": "Sessions Del Navegador", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgària", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Cambodja", - "Cameroon": "Camerun", - "Canada": "Canadà", - "Cancel": "Cancel·la", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Cap Verd", - "Card": "Targeta", - "Cayman Islands": "Illes Caiman", - "Central African Republic": "La República Centreafricana", - "Chad": "Txad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Canvis", - "Chile": "Xile", - "China": "Xina", - "Choose": "Triar", - "Choose :field": "Triar :field", - "Choose :resource": "Triar :resource", - "Choose an option": "Tria una opció", - "Choose date": "Tria la data", - "Choose File": "Trieu Fitxer", - "Choose Type": "Esculli El Tipus De", - "Christmas Island": "Illa De Nadal", - "City": "City", "click here to request another": "feu clic aquí per sol·licitar-ne un altre", - "Click to choose": "Feu clic a escollir", - "Close": "Tancar", - "Cocos (Keeling) Islands": "Illa Del Coco (Keeling) Illes", - "Code": "Codi", - "Colombia": "Colòmbia", - "Comoros": "Comores", - "Confirm": "Confirmar", - "Confirm Password": "Confirmar contrasenya", - "Confirm Payment": "Confirmar El Pagament", - "Confirm your :amount payment": "Confirmeu la vostra :amount pagament", - "Congo": "Congo", - "Congo, Democratic Republic": "Congo, República Democràtica", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Constant", - "Cook Islands": "Illes Cook", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "no s'ha pogut trobar.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Crear", - "Create & Add Another": "Crear I Afegir Un Altre", - "Create :resource": "Crear :resource", - "Create a new team to collaborate with others on projects.": "Crear un equip nou a col·laborar amb els altres en projectes.", - "Create Account": "Crear Compte", - "Create API Token": "Crear API Fitxa", - "Create New Team": "Crear Un Nou Equip", - "Create Team": "Crear L'Equip", - "Created.": "Creat.", - "Croatia": "Croàcia", - "Cuba": "Cuba", - "Curaçao": "Curacao", - "Current Password": "Contrasenya Actual", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Personalitzar", - "Cyprus": "Xipre", - "Czech Republic": "Txèquia", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Tauler de control", - "December": "Desembre", - "Decrease": "Disminució", - "Delete": "Esborrar", - "Delete Account": "Esborra El Compte", - "Delete API Token": "Esborrar API Fitxa", - "Delete File": "Suprimeix El Fitxer", - "Delete Resource": "Suprimeix El Recurs", - "Delete Selected": "Suprimeix Seleccionada", - "Delete Team": "Esborrar Equip", - "Denmark": "Dinamarca", - "Detach": "Separa", - "Detach Resource": "Deslligar El Recurs", - "Detach Selected": "Separar Seleccionat", - "Details": "Detalls", - "Disable": "Deshabilitar", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Realment vols deixar? Teniu canvis sense desar.", - "Dominica": "Diumenge", - "Dominican Republic": "República Dominicana", - "Done.": "Fet.", - "Download": "Descarregar", - "Download Receipt": "Download Receipt", "E-Mail Address": "Adreça electrònica", - "Ecuador": "L'equador", - "Edit": "Edita", - "Edit :resource": "Edita :resource", - "Edit Attached": "Edita Connectat", - "Editor": "Editor", - "Editor users have the ability to read, create, and update.": "Editor els usuaris tenen la capacitat de llegir, crear i actualitzar.", - "Egypt": "Egipte", - "El Salvador": "Salvador", - "Email": "Correu electrònic", - "Email Address": "Adreça De Correu Electrònic", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Correu Electrònic Enllaç Per Restablir La Contrasenya", - "Enable": "Habiliteu", - "Ensure your account is using a long, random password to stay secure.": "Garantir el seu compte amb una llarga, l'atzar contrasenya per mantenir la seguretat.", - "Equatorial Guinea": "Guinea Equatorial", - "Eritrea": "Eritrea", - "Estonia": "Estònia", - "Ethiopia": "Etiòpia", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Extra confirmació és necessària per tramitar el seu pagament. Si us plau, confirmeu la vostra pagament per omplir les vostres dades de pagament a continuació.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmació és necessària per tramitar el seu pagament. Si us plau, continua a la pàgina de pagament per clic en el botó de sota.", - "Falkland Islands (Malvinas)": "Les Illes Malvines (Malvines)", - "Faroe Islands": "Illes Fèroe", - "February": "Febrer", - "Fiji": "Fiji", - "Finland": "Finlàndia", - "For your security, please confirm your password to continue.": "Per a la seva seguretat, si us plau, confirmeu la vostra contrasenya per a continuar.", "Forbidden": "Prohibit", - "Force Delete": "Força Suprimir", - "Force Delete Resource": "Força Suprimir Recurs", - "Force Delete Selected": "Força A Suprimeix Seleccionada", - "Forgot Your Password?": "Heu oblidat la vostra contrasenya?", - "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 un de nou.", - "France": "França", - "French Guiana": "Francès De Guaiana", - "French Polynesia": "Polinèsia Francesa", - "French Southern Territories": "Francès Territoris Meridionals", - "Full name": "Nom complet", - "Gabon": "Gabon", - "Gambia": "Gàmbia", - "Georgia": "Geòrgia", - "Germany": "Alemanya", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Tornar", - "Go Home": "Aneu a l'inici", "Go to page :page": "Aneu a la pàgina de :page", - "Great! You have accepted the invitation to join the :team team.": "Genial! Que han acceptat la invitació a unir-se a la :team equip.", - "Greece": "Grècia", - "Greenland": "Groenlàndia", - "Grenada": "Granada", - "Guadeloupe": "Guadalupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Atenes", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bissau", - "Guyana": "La guaiana", - "Haiti": "Haití", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Escoltar Illa i McDonald, Illes", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Hola!", - "Hide Content": "Amagar El Contingut", - "Hold Up!": "Agafador Amunt!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Hondures", - "Hong Kong": "Dòlar De Hong Kong", - "Hungary": "Hongria", - "I agree to the :terms_of_service and :privacy_policy": "Estic d'acord a la :terms_of_service i :privacy_policy", - "Iceland": "Islàndia", - "ID": "ID", - "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 entrar a terme totes les altres sessions del navegador a través de tots els dispositius. Algunes de les últimes sessions s'enumeren a continuació; no obstant això, aquesta llista pot no ser completa. Si creieu que el vostre compte estigui compromès, també hauríeu d'actualitzar la contrasenya.", "If necessary, you may logout 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 escau, es pot desconnectar-se de totes les altres sessions del navegador a través de tots els dispositius. Algunes de les últimes sessions s'enumeren a continuació; no obstant això, aquesta llista pot no ser completa. Si creieu que el vostre compte estigui compromès, també hauríeu d'actualitzar la contrasenya.", - "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 receive the email": "Si no heu rebut el 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "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 la següent URL \nal vostre navegador web:", - "Increase": "Augmentar", - "India": "L'índia", - "Indonesia": "Indonèsia", "Invalid signature.": "Firma no vàlida.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "L'Iran", - "Iraq": "L'Iraq", - "Ireland": "Irlanda", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Illa de Man", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Itàlia", - "Jamaica": "Jamaica", - "January": "Gener", - "Japan": "Japó", - "Jersey": "Jersey", - "Jordan": "Jordània", - "July": "Juliol", - "June": "Juny", - "Kazakhstan": "Kazakhstan", - "Kenya": "Kenya", - "Key": "Clau", - "Kiribati": "Kiribati", - "Korea": "Corea Del Sud", - "Korea, Democratic People's Republic of": "Corea Del Nord", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuwait", - "Kyrgyzstan": "Kirguizistan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Últim actiu", - "Last used": "Última utilitzat", - "Latvia": "Letònia", - "Leave": "Deixar", - "Leave Team": "Deixar Equip", - "Lebanon": "Líban", - "Lens": "Lent", - "Lesotho": "Lesotho", - "Liberia": "Libèria", - "Libyan Arab Jamahiriya": "Líbia", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Lituània", - "Load :perPage More": "Càrrega :perPage Més", - "Log in": "Registre a", "Log out": "Registre de sortida", - "Log Out": "Registre De Sortida", - "Log Out Other Browser Sessions": "Registre A Terme Altres Sessions Del Navegador", - "Login": "Entrar", - "Logout": "Sortir", "Logout Other Browser Sessions": "Sortir De La Resta De Sessions Del Navegador", - "Luxembourg": "Luxemburg", - "Macao": "Macau", - "Macedonia": "Nord De Macedònia", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagascar", - "Malawi": "Malawi", - "Malaysia": "Malàisia", - "Maldives": "Maldives", - "Mali": "Petit", - "Malta": "Malta", - "Manage Account": "Gestionar Compte", - "Manage and log out your active sessions on other browsers and devices.": "Gestionar i accedir a terme la seva sessions actives en altres navegadors i dispositius.", "Manage and logout your active sessions on other browsers and devices.": "Gestionar i sortir de la seva sessions actives en altres navegadors i dispositius.", - "Manage API Tokens": "Gestionar API Fitxes", - "Manage Role": "Gestionar El Paper", - "Manage Team": "Gestionar L'Equip De", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Març", - "Marshall Islands": "Illes Marshall", - "Martinique": "Martinica", - "Mauritania": "Mauritània", - "Mauritius": "Maurici", - "May": "Maig", - "Mayotte": "Mayotte", - "Mexico": "Mèxic", - "Micronesia, Federated States Of": "Micronèsia", - "Moldova": "Moldàvia", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Mònaco", - "Mongolia": "Mongòlia", - "Montenegro": "Montenegro", - "Month To Date": "Mes A La Data", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Marroc", - "Mozambique": "Moçambic", - "Myanmar": "Myanmar", - "Name": "Nom", - "Namibia": "Namíbia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Països baixos", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "No importa", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Nous", - "New :resource": "Nova :resource", - "New Caledonia": "Nova Caledònia", - "New Password": "Contrasenya Nova", - "New Zealand": "Nova Zelanda", - "Next": "Següent", - "Nicaragua": "Nicaragua", - "Niger": "Níger", - "Nigeria": "Nigèria", - "Niue": "Niue", - "No": "No", - "No :resource matched the given criteria.": "No :resource coincidit amb els criteris donats.", - "No additional information...": "Cap informació addicional...", - "No Current Data": "No Hi Ha Dades Actuals", - "No Data": "No Hi Ha Dades", - "no file selected": "cap arxiu seleccionat", - "No Increase": "Cap Augment", - "No Prior Data": "No Abans De Dades", - "No Results Found.": "No Hi Ha Resultats.", - "Norfolk Island": "Norfolk Island", - "Northern Mariana Islands": "Illes Marianes Del Nord", - "Norway": "Noruega", "Not Found": "No trobat", - "Nova User": "Nova Usuari", - "November": "Novembre", - "October": "D'octubre", - "of": "de", "Oh no": "Oh no ", - "Oman": "Oman", - "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 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 Trashed": "Només Destrossats", - "Original": "Original", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Pàgina caducada", "Pagination Navigation": "Pagination Navegació", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Territoris Palestins", - "Panama": "Panamà", - "Papua New Guinea": "Papua Nova Guinea", - "Paraguay": "Paraguai", - "Password": "Contrasenya", - "Pay :amount": "Pagar :amount", - "Payment Cancelled": "Pagament Cancel·leu", - "Payment Confirmation": "Confirmació De Pagament", - "Payment Information": "Payment Information", - "Payment Successful": "Pagament Amb Èxit", - "Pending Team Invitations": "Pendents De L'Equip Invitacions", - "Per Page": "Per Pàgina", - "Permanently delete this team.": "Per suprimir permanentment aquest equip.", - "Permanently delete your account.": "Eliminar permanentment el teu compte.", - "Permissions": "Permisos", - "Peru": "Perú", - "Philippines": "Filipines", - "Photo": "Foto", - "Pitcairn": "Illes Pitcairn", "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 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 your password before continuing.": "Si us plau, confirmeu la vostra contrasenya abans de continuar.", - "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 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 enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Si us plau, introduïu la vostra contrasenya per confirmar que voleu desconnectar de les altres sessions del navegador a través de tots els dispositius.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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 provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Si us plau, introduïu l'adreça electrònica de la persona que t'agradaria afegir a aquest equip. L'adreça de correu electrònic ha d'estar associat a un compte existent.", - "Please provide your name.": "Si us plau, indiqueu el vostre nom.", - "Poland": "Polònia", - "Portugal": "Portugal", - "Press \/ to search": "Premeu \/ per la cerca", - "Preview": "Vista prèvia", - "Previous": "Anteriors", - "Privacy Policy": "Política De Privacitat", - "Profile": "Perfil", - "Profile Information": "Informació Del Perfil", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Trimestre Per Data", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Codi De Recuperació", "Regards": "Salutacions", - "Regenerate Recovery Codes": "Tornar A Generar Codis De Recuperació", - "Register": "Registre", - "Reload": "Carregar", - "Remember me": "Recordeu-vos de mi", - "Remember Me": "Recorda'm", - "Remove": "Eliminar", - "Remove Photo": "Eliminar De La Foto", - "Remove Team Member": "Eliminar El Membre De L'Equip", - "Resend Verification Email": "Torneu A Enviar Correu Electrònic De Verificació", - "Reset Filters": "Restabliment De Filtres", - "Reset Password": "Restablir contrasenya", - "Reset Password Notification": "Notificació de restabliment de contrasenya", - "resource": "recurs", - "Resources": "Recursos", - "resources": "recursos", - "Restore": "Restauració", - "Restore Resource": "Restaurar Recurs", - "Restore Selected": "Restaurar Seleccionat", "results": "resultats", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Reunió", - "Role": "Paper", - "Romania": "Romania", - "Run Action": "Executar L'Acció", - "Russian Federation": "Federació Russa", - "Rwanda": "Rwanda", - "Réunion": "Réunion", - "Saint Barthelemy": "Sant Bartomeu", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Santa Elena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "St. Kitts i Nevis", - "Saint Lucia": "Santa Llúcia", - "Saint Martin": "Sant Martí", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "St-Pierre i Miquelon", - "Saint Vincent And Grenadines": "St. Vincent i les Grenadines", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "São Tomé i Príncipe", - "Saudi Arabia": "Aràbia Saudita", - "Save": "Guardar", - "Saved.": "Salvat.", - "Search": "Cerca", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Seleccioneu Una Foto Nova", - "Select Action": "Seleccioneu Acció", - "Select All": "Seleccionar Tots", - "Select All Matching": "Seleccioneu Totes Coincidents", - "Send Password Reset Link": "Envia'm enllaç per restablir la contrasenya", - "Senegal": "Senegal", - "September": "Setembre", - "Serbia": "Sèrbia", "Server Error": "Error del servidor", "Service Unavailable": "Servei no disponible", - "Seychelles": "Seychelles", - "Show All Fields": "Mostra Tots Els Camps", - "Show Content": "Mostrar Contingut", - "Show Recovery Codes": "Mostra Codis De Recuperació", "Showing": "Mostrant", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapur", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Eslovàquia", - "Slovenia": "Eslovènia", - "Solomon Islands": "De Les Illes Salomó", - "Somalia": "Somàlia", - "Something went wrong.": "Alguna cosa ha anat malament.", - "Sorry! You are not authorized to perform this action.": "Ho sentim! No esteu autoritzat a realitzar aquesta acció.", - "Sorry, your session has expired.": "Ho sento, la teva sessió ha caducat.", - "South Africa": "Sud-Àfrica", - "South Georgia And Sandwich Isl.": "Al sud de Geòrgia del Sud i Illes Sandwich", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Sudan Del Sud", - "Spain": "Espanya", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Inici De La Votació", - "State \/ County": "State \/ County", - "Stop Polling": "Parada De La Votació", - "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.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Surinam", - "Svalbard And Jan Mayen": "Illes Svalbard i Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Suècia", - "Switch Teams": "Canviar Equips", - "Switzerland": "Suïssa", - "Syrian Arab Republic": "Síria", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tadjikistan", - "Tanzania": "Tanzània", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "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ó", - "Terms of Service": "Condicions del Servei", - "Thailand": "Tailàndia", - "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, podria verificar la vostra adreça de correu electrònic fent clic a l'enllaç que ens feu un correu electrònic a vostè? Si no heu rebut el correu electrònic, estarem encantats d'enviar-te un altre.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "La :attribute ha de ser vàlid paper.", - "The :attribute must be at least :length characters and contain at least one number.": "La :attribute ha de ser com a mínim :length personatges i de contenir, com a mínim, un nombre.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": "La :attribute ha de ser com a mínim :length personatges i contenen almenys un caràcter especial i un nombre.", - "The :attribute must be at least :length characters and contain at least one special character.": "La :attribute ha de ser com a mínim :length personatges i contenen almenys un caràcter especial.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "La :attribute ha de ser com a mínim :length personatges i de contenir, com a mínim, una a majúscula caràcter i un nombre.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "La :attribute ha de ser com a mínim :length personatges i de contenir, com a mínim, una a majúscula caràcter i un caràcter especial.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "El :attribute ha de ser com a mínim :length personatges i de contenir, com a mínim, una a majúscula personatge, 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 ser com a mínim :length personatges i de contenir, com a mínim, una a majúscula personatge.", - "The :attribute must be at least :length characters.": "La :attribute ha de ser com a mínim :length personatges.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "La :resource es va crear!", - "The :resource was deleted!": "La :resource estava eliminat!", - "The :resource was restored!": "La :resource va ser restaurada!", - "The :resource was updated!": "La :resource va ser actualitzat!", - "The action ran successfully!": "L'acció va córrer amb èxit!", - "The file was deleted!": "L'arxiu va ser suprimit!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "El govern no anem a mostrar-te darrere d'aquestes portes", - "The HasOne relationship has already been filled.": "La HasOne relació ja ha estat ple.", - "The payment was successful.": "El pagament va ser un èxit.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "El que la contrasenya no coincideixen amb la vostra contrasenya actual.", - "The provided password was incorrect.": "El que la contrasenya era incorrecte.", - "The provided two factor authentication code was invalid.": "Les dues factor codi d'autenticació, no era vàlida.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "El recurs va ser actualitzat!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "El nom de l'equip i el propietari de la informació.", - "There are no available options for this resource.": "No hi ha opcions disponibles per a aquest recurs.", - "There was a problem executing the action.": "Hi havia un problema d'executar l'acció.", - "There was a problem submitting the form.": "Hi havia un problema d'enviar el formulari.", - "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.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Aquesta acció no està autoritzada.", - "This device": "Aquest dispositiu", - "This file field is read-only.": "Aquest fitxer camp és de només lectura.", - "This image": "Aquesta imatge", - "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 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 contrasenya caducarà en :count minuts.", - "This payment was already successfully confirmed.": "Aquest pagament ja amb èxit confirmat.", - "This payment was cancelled.": "Aquest pagament es va cancel·lar.", - "This resource no longer exists": "Aquest recurs ja no existeix", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "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.", - "Timor-Leste": "Timor-Leste", "to": "a", - "Today": "Avui", "Toggle navigation": "Commutar navegació", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Fitxa Nom", - "Tonga": "Vine", "Too Many Attempts.": "Massa intents", "Too Many Requests": "Massa peticions", - "total": "total", - "Total:": "Total:", - "Trashed": "Trashed", - "Trinidad And Tobago": "Trinitat i Tobago", - "Tunisia": "Tunísia", - "Turkey": "Turquia", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Turks i Caicos Illes", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Dues Factor D'Autenticació", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Dues factor d'autenticació ara és permès. Escanejar el següent codi QR utilitzant el seu telèfon de l'aplicació de google authenticator.", - "Uganda": "Uganda", - "Ukraine": "Ucraïna", "Unauthorized": "No autoritzat", - "United Arab Emirates": "Emirats Àrabs Units", - "United Kingdom": "Regne Unit", - "United States": "Estats Units", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "EUA Illes Perifèriques", - "Update": "Actualització", - "Update & Continue Editing": "Actualització I Continua Editant", - "Update :resource": "Actualització :resource", - "Update :resource: :title": "Actualització :resource: :title", - "Update attached :resource: :title": "Actualització adjunta :resource: :title", - "Update Password": "Actualitzar La Contrasenya", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Actualització del vostre compte la informació del perfil i adreça de correu electrònic.", - "Uruguay": "Uruguai", - "Use a recovery code": "Utilitzar un codi de recuperació", - "Use an authentication code": "Ús d'un codi d'autenticació", - "Uzbekistan": "Uzbekistan", - "Value": "Valor", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Veneçuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Confirmeu la vostra adreça electrònica", "Verify Your Email Address": "Verifiqueu la vostra adreça electrònica", - "Viet Nam": "Vietnam", - "View": "Vista", - "Virgin Islands, British": "Illes Verges Britàniques", - "Virgin Islands, U.S.": "Illes Verges nord-americanes", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis i Fortuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "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 will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "No tornarem a demanar-vos la contrasenya durant unes hores.", - "We're lost in space. The page you were trying to view does not exist.": "Estem perduts en l'espai. La pàgina a la que intenteu veure no existeix.", - "Welcome Back!": "Benvinguts De Nou!", - "Western Sahara": "Sàhara Occidental", - "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 dues factor d'autenticació està habilitat, se us demanarà per un segur, l'atzar token durant l'autenticació. Podeu recuperar aquest token des del vostre telèfon de l'aplicació Google Authenticator.", - "Whoops": "Crits", - "Whoops!": "Vaja!", - "Whoops! Something went wrong.": "Crits! Alguna cosa ha anat malament.", - "With Trashed": "Amb Destrossats", - "Write": "Escriure", - "Year To Date": "Any Fins A La Data", - "Yearly": "Yearly", - "Yemen": "Iemenita", - "Yes": "Sí", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Ha entrat!", - "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 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 dues factor d'autenticació.", - "You have not enabled two factor authentication.": "No heu activat dues factor d'autenticació.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "La vostra adreça electrònica no està verificada.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zàmbia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "La vostra adreça electrònica no està verificada." } diff --git a/locales/ca/packages/cashier.json b/locales/ca/packages/cashier.json new file mode 100644 index 00000000000..c6c0bf1f760 --- /dev/null +++ b/locales/ca/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Tots els drets reservats.", + "Card": "Targeta", + "Confirm Payment": "Confirmar El Pagament", + "Confirm your :amount payment": "Confirmeu la vostra :amount pagament", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Extra confirmació és necessària per tramitar el seu pagament. Si us plau, confirmeu la vostra pagament per omplir les vostres dades de pagament a continuació.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmació és necessària per tramitar el seu pagament. Si us plau, continua a la pàgina de pagament per clic en el botó de sota.", + "Full name": "Nom complet", + "Go back": "Tornar", + "Jane Doe": "Jane Doe", + "Pay :amount": "Pagar :amount", + "Payment Cancelled": "Pagament Cancel·leu", + "Payment Confirmation": "Confirmació De Pagament", + "Payment Successful": "Pagament Amb Èxit", + "Please provide your name.": "Si us plau, indiqueu el vostre nom.", + "The payment was successful.": "El pagament va ser un èxit.", + "This payment was already successfully confirmed.": "Aquest pagament ja amb èxit confirmat.", + "This payment was cancelled.": "Aquest pagament es va cancel·lar." +} diff --git a/locales/ca/packages/fortify.json b/locales/ca/packages/fortify.json new file mode 100644 index 00000000000..f785cc1986e --- /dev/null +++ b/locales/ca/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": "La :attribute ha de ser com a mínim :length personatges i de contenir, com a mínim, un nombre.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "La :attribute ha de ser com a mínim :length personatges i contenen almenys un caràcter especial i un nombre.", + "The :attribute must be at least :length characters and contain at least one special character.": "La :attribute ha de ser com a mínim :length personatges i contenen almenys un caràcter especial.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "La :attribute ha de ser com a mínim :length personatges i de contenir, com a mínim, una a majúscula caràcter i un nombre.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "La :attribute ha de ser com a mínim :length personatges i de contenir, com a mínim, una a majúscula caràcter i un caràcter especial.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "El :attribute ha de ser com a mínim :length personatges i de contenir, com a mínim, una a majúscula personatge, 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 ser com a mínim :length personatges i de contenir, com a mínim, una a majúscula personatge.", + "The :attribute must be at least :length characters.": "La :attribute ha de ser com a mínim :length personatges.", + "The provided password does not match your current password.": "El que la contrasenya no coincideixen amb la vostra contrasenya actual.", + "The provided password was incorrect.": "El que la contrasenya era incorrecte.", + "The provided two factor authentication code was invalid.": "Les dues factor codi d'autenticació, no era vàlida." +} diff --git a/locales/ca/packages/jetstream.json b/locales/ca/packages/jetstream.json new file mode 100644 index 00000000000..61042f5a6ce --- /dev/null +++ b/locales/ca/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Un nou enllaç de verificació ha estat enviat a l'adreça electrònica que heu proporcionat durant el registre.", + "Accept Invitation": "Acceptar La Invitació", + "Add": "Afegir", + "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 additional security to your account using two factor authentication.": "Afegir seguretat addicional al vostre compte utilitzant dues factor d'autenticació.", + "Add Team Member": "Afegir Membre De L'Equip", + "Added.": "Afegit.", + "Administrator": "Administrador", + "Administrator users can perform any action.": "Administrador els usuaris poden dur a terme cap acció.", + "All of the people that are part of this team.": "Totes les persones que formen part d'aquest equip.", + "Already registered?": "Ja estàs registrat?", + "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.", + "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, a tots els seus recursos i les dades es perdran permanentment esborrada. Si us plau, introduïu la vostra contrasenya per confirmar que voleu suprimir permanentment el teu compte.", + "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 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?", + "Browser Sessions": "Sessions Del Navegador", + "Cancel": "Cancel·la", + "Close": "Tancar", + "Code": "Codi", + "Confirm": "Confirmar", + "Confirm Password": "Confirmar contrasenya", + "Create": "Crear", + "Create a new team to collaborate with others on projects.": "Crear un equip nou a col·laborar amb els altres en projectes.", + "Create Account": "Crear Compte", + "Create API Token": "Crear API Fitxa", + "Create New Team": "Crear Un Nou Equip", + "Create Team": "Crear L'Equip", + "Created.": "Creat.", + "Current Password": "Contrasenya Actual", + "Dashboard": "Tauler de control", + "Delete": "Esborrar", + "Delete Account": "Esborra El Compte", + "Delete API Token": "Esborrar API Fitxa", + "Delete Team": "Esborrar Equip", + "Disable": "Deshabilitar", + "Done.": "Fet.", + "Editor": "Editor", + "Editor users have the ability to read, create, and update.": "Editor els usuaris tenen la capacitat de llegir, crear i actualitzar.", + "Email": "Correu electrònic", + "Email Password Reset Link": "Correu Electrònic Enllaç Per Restablir La Contrasenya", + "Enable": "Habiliteu", + "Ensure your account is using a long, random password to stay secure.": "Garantir el seu compte amb una llarga, l'atzar contrasenya per mantenir la seguretat.", + "For your security, please confirm your password to continue.": "Per a la seva seguretat, si us plau, confirmeu la vostra contrasenya per a 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 un de nou.", + "Great! You have accepted the invitation to join the :team team.": "Genial! Que han acceptat la invitació a unir-se a la :team equip.", + "I agree to the :terms_of_service and :privacy_policy": "Estic d'acord a la :terms_of_service i :privacy_policy", + "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 entrar a terme totes les altres sessions del navegador a través de tots els dispositius. Algunes de les últimes sessions s'enumeren a continuació; no obstant això, aquesta llista pot no ser completa. Si creieu que el vostre compte estigui compromès, també hauríeu d'actualitzar la contrasenya.", + "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 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 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ó:", + "Last active": "Últim actiu", + "Last used": "Última utilitzat", + "Leave": "Deixar", + "Leave Team": "Deixar Equip", + "Log in": "Registre a", + "Log Out": "Registre De Sortida", + "Log Out Other Browser Sessions": "Registre A Terme Altres Sessions Del Navegador", + "Manage Account": "Gestionar Compte", + "Manage and log out your active sessions on other browsers and devices.": "Gestionar i accedir a terme la seva sessions actives en altres navegadors i dispositius.", + "Manage API Tokens": "Gestionar API Fitxes", + "Manage Role": "Gestionar El Paper", + "Manage Team": "Gestionar L'Equip De", + "Name": "Nom", + "New Password": "Contrasenya Nova", + "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 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.", + "Password": "Contrasenya", + "Pending Team Invitations": "Pendents De L'Equip Invitacions", + "Permanently delete this team.": "Per suprimir permanentment aquest equip.", + "Permanently delete your account.": "Eliminar permanentment el teu compte.", + "Permissions": "Permisos", + "Photo": "Foto", + "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 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 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 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.", + "Privacy Policy": "Política De Privacitat", + "Profile": "Perfil", + "Profile Information": "Informació Del Perfil", + "Recovery Code": "Codi De Recuperació", + "Regenerate Recovery Codes": "Tornar A Generar Codis De Recuperació", + "Register": "Registre", + "Remember me": "Recordeu-vos de mi", + "Remove": "Eliminar", + "Remove Photo": "Eliminar De La Foto", + "Remove Team Member": "Eliminar El Membre De L'Equip", + "Resend Verification Email": "Torneu A Enviar Correu Electrònic De Verificació", + "Reset Password": "Restablir contrasenya", + "Role": "Paper", + "Save": "Guardar", + "Saved.": "Salvat.", + "Select A New Photo": "Seleccioneu Una Foto Nova", + "Show Recovery Codes": "Mostra Codis De Recuperació", + "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.", + "Switch Teams": "Canviar Equips", + "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ó", + "Terms of Service": "Condicions del Servei", + "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, podria verificar la vostra adreça de correu electrònic fent clic a l'enllaç que ens feu un correu electrònic a vostè? Si no heu rebut el correu electrònic, estarem encantats d'enviar-te un altre.", + "The :attribute must be a valid role.": "La :attribute ha de ser vàlid paper.", + "The :attribute must be at least :length characters and contain at least one number.": "La :attribute ha de ser com a mínim :length personatges i de contenir, com a mínim, un nombre.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "La :attribute ha de ser com a mínim :length personatges i contenen almenys un caràcter especial i un nombre.", + "The :attribute must be at least :length characters and contain at least one special character.": "La :attribute ha de ser com a mínim :length personatges i contenen almenys un caràcter especial.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "La :attribute ha de ser com a mínim :length personatges i de contenir, com a mínim, una a majúscula caràcter i un nombre.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "La :attribute ha de ser com a mínim :length personatges i de contenir, com a mínim, una a majúscula caràcter i un caràcter especial.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "El :attribute ha de ser com a mínim :length personatges i de contenir, com a mínim, una a majúscula personatge, 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 ser com a mínim :length personatges i de contenir, com a mínim, una a majúscula personatge.", + "The :attribute must be at least :length characters.": "La :attribute ha de ser com a mínim :length personatges.", + "The provided password does not match your current password.": "El que la contrasenya no coincideixen amb la vostra contrasenya actual.", + "The provided password was incorrect.": "El que la contrasenya era incorrecte.", + "The provided two factor authentication code was invalid.": "Les dues factor codi d'autenticació, no era vàlida.", + "The team's name and owner information.": "El nom de l'equip i el propietari de la informació.", + "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.", + "This device": "Aquest dispositiu", + "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 password does not match our records.": "Aquesta contrasenya no coincideix amb els nostres registres.", + "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.", + "Token Name": "Fitxa Nom", + "Two Factor Authentication": "Dues Factor D'Autenticació", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Dues factor d'autenticació ara és permès. Escanejar el següent codi QR utilitzant el seu telèfon de l'aplicació de google authenticator.", + "Update Password": "Actualitzar La Contrasenya", + "Update your account's profile information and email address.": "Actualització del vostre compte la informació del perfil i adreça de correu electrònic.", + "Use a recovery code": "Utilitzar un codi de recuperació", + "Use an authentication code": "Ús d'un codi d'autenticació", + "We were unable to find a registered user with this email address.": "No hem pogut trobar un usuari registrat amb aquest correu electrònic.", + "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 dues factor d'autenticació està habilitat, se us demanarà per un segur, l'atzar token durant l'autenticació. Podeu recuperar aquest token des del vostre telèfon de l'aplicació Google Authenticator.", + "Whoops! Something went wrong.": "Crits! Alguna cosa ha anat malament.", + "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 dues factor d'autenticació.", + "You have not enabled two factor authentication.": "No heu activat dues factor d'autenticació.", + "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.": "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." +} diff --git a/locales/ca/packages/nova.json b/locales/ca/packages/nova.json new file mode 100644 index 00000000000..68a606eb243 --- /dev/null +++ b/locales/ca/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Dies", + "60 Days": "60 Dies", + "90 Days": "90 Dies", + ":amount Total": ":amount Total", + ":resource Details": ":resource Detalls", + ":resource Details: :title": ":resource Detalls: :title", + "Action": "Acció", + "Action Happened At": "Va Passar A", + "Action Initiated By": "Iniciat Per", + "Action Name": "Nom", + "Action Status": "Estat", + "Action Target": "Objectiu", + "Actions": "Accions", + "Add row": "Afegir fila", + "Afghanistan": "L'afganistan", + "Aland Islands": "Illes Åland", + "Albania": "Albània", + "Algeria": "Algèria", + "All resources loaded.": "Tots els recursos carregat.", + "American Samoa": "La Samoa Americana", + "An error occured while uploading the file.": "S'ha produït un error mentre pujar el fitxer.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Un altre usuari ha actualitzat aquest recurs des d'aquesta pàgina es va carregar. Si us plau, actualitzeu la pàgina i torneu a intentar.", + "Antarctica": "L'antàrtida", + "Antigua And Barbuda": "Antigua i Barbuda", + "April": "D'abril", + "Are you sure you want to delete the selected resources?": "Esteu segur que voleu suprimir els recursos seleccionats?", + "Are you sure you want to delete this file?": "Esteu segur que voleu suprimir aquest fitxer?", + "Are you sure you want to delete this resource?": "Esteu segur que voleu suprimir aquest recurs?", + "Are you sure you want to detach the selected resources?": "Està segur de voler desvincular els recursos seleccionats?", + "Are you sure you want to detach this resource?": "Esteu segur que voleu separar aquest recurs?", + "Are you sure you want to force delete the selected resources?": "Esteu segur que voleu forçar suprimir els recursos seleccionats?", + "Are you sure you want to force delete this resource?": "Esteu segur que voleu forçar esborrar aquest recurs?", + "Are you sure you want to restore the selected resources?": "Esteu segur que voleu restaurar els recursos seleccionats?", + "Are you sure you want to restore this resource?": "Esteu segur que voleu restaurar aquest recurs?", + "Are you sure you want to run this action?": "Esteu segur que voleu executar aquesta acció?", + "Argentina": "Argentina", + "Armenia": "Armènia", + "Aruba": "Aruba", + "Attach": "Adjuntar", + "Attach & Attach Another": "Adjuntar & Adjuntar Un Altre", + "Attach :resource": "Adjuntar :resource", + "August": "Agost", + "Australia": "Austràlia", + "Austria": "Àustria", + "Azerbaijan": "Azerbaidjan", + "Bahamas": "Bahames", + "Bahrain": "Bahrain", + "Bangladesh": "Bangla desh", + "Barbados": "Barbados", + "Belarus": "Bielorússia", + "Belgium": "Bèlgica", + "Belize": "Belize", + "Benin": "Benín", + "Bermuda": "De les bermudes", + "Bhutan": "Bhutan", + "Bolivia": "Bolívia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius i Sábado", + "Bosnia And Herzegovina": "Bòsnia i Hercegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brasil", + "British Indian Ocean Territory": "Britànic De L'Oceà Índic Territori", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgària", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodja", + "Cameroon": "Camerun", + "Canada": "Canadà", + "Cancel": "Cancel·la", + "Cape Verde": "Cap Verd", + "Cayman Islands": "Illes Caiman", + "Central African Republic": "La República Centreafricana", + "Chad": "Txad", + "Changes": "Canvis", + "Chile": "Xile", + "China": "Xina", + "Choose": "Triar", + "Choose :field": "Triar :field", + "Choose :resource": "Triar :resource", + "Choose an option": "Tria una opció", + "Choose date": "Tria la data", + "Choose File": "Trieu Fitxer", + "Choose Type": "Esculli El Tipus De", + "Christmas Island": "Illa De Nadal", + "Click to choose": "Feu clic a escollir", + "Cocos (Keeling) Islands": "Illa Del Coco (Keeling) Illes", + "Colombia": "Colòmbia", + "Comoros": "Comores", + "Confirm Password": "Confirmar contrasenya", + "Congo": "Congo", + "Congo, Democratic Republic": "Congo, República Democràtica", + "Constant": "Constant", + "Cook Islands": "Illes Cook", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "no s'ha pogut trobar.", + "Create": "Crear", + "Create & Add Another": "Crear I Afegir Un Altre", + "Create :resource": "Crear :resource", + "Croatia": "Croàcia", + "Cuba": "Cuba", + "Curaçao": "Curacao", + "Customize": "Personalitzar", + "Cyprus": "Xipre", + "Czech Republic": "Txèquia", + "Dashboard": "Tauler de control", + "December": "Desembre", + "Decrease": "Disminució", + "Delete": "Esborrar", + "Delete File": "Suprimeix El Fitxer", + "Delete Resource": "Suprimeix El Recurs", + "Delete Selected": "Suprimeix Seleccionada", + "Denmark": "Dinamarca", + "Detach": "Separa", + "Detach Resource": "Deslligar El Recurs", + "Detach Selected": "Separar Seleccionat", + "Details": "Detalls", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Realment vols deixar? Teniu canvis sense desar.", + "Dominica": "Diumenge", + "Dominican Republic": "República Dominicana", + "Download": "Descarregar", + "Ecuador": "L'equador", + "Edit": "Edita", + "Edit :resource": "Edita :resource", + "Edit Attached": "Edita Connectat", + "Egypt": "Egipte", + "El Salvador": "Salvador", + "Email Address": "Adreça De Correu Electrònic", + "Equatorial Guinea": "Guinea Equatorial", + "Eritrea": "Eritrea", + "Estonia": "Estònia", + "Ethiopia": "Etiòpia", + "Falkland Islands (Malvinas)": "Les Illes Malvines (Malvines)", + "Faroe Islands": "Illes Fèroe", + "February": "Febrer", + "Fiji": "Fiji", + "Finland": "Finlàndia", + "Force Delete": "Força Suprimir", + "Force Delete Resource": "Força Suprimir Recurs", + "Force Delete Selected": "Força A Suprimeix Seleccionada", + "Forgot Your Password?": "Heu oblidat la vostra contrasenya?", + "Forgot your password?": "Heu oblidat la vostra contrasenya?", + "France": "França", + "French Guiana": "Francès De Guaiana", + "French Polynesia": "Polinèsia Francesa", + "French Southern Territories": "Francès Territoris Meridionals", + "Gabon": "Gabon", + "Gambia": "Gàmbia", + "Georgia": "Geòrgia", + "Germany": "Alemanya", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "Aneu a l'inici", + "Greece": "Grècia", + "Greenland": "Groenlàndia", + "Grenada": "Granada", + "Guadeloupe": "Guadalupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Atenes", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "La guaiana", + "Haiti": "Haití", + "Heard Island & Mcdonald Islands": "Escoltar Illa i McDonald, Illes", + "Hide Content": "Amagar El Contingut", + "Hold Up!": "Agafador Amunt!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Hondures", + "Hong Kong": "Dòlar De Hong Kong", + "Hungary": "Hongria", + "Iceland": "Islàndia", + "ID": "ID", + "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.", + "Increase": "Augmentar", + "India": "L'índia", + "Indonesia": "Indonèsia", + "Iran, Islamic Republic Of": "L'Iran", + "Iraq": "L'Iraq", + "Ireland": "Irlanda", + "Isle Of Man": "Illa de Man", + "Israel": "Israel", + "Italy": "Itàlia", + "Jamaica": "Jamaica", + "January": "Gener", + "Japan": "Japó", + "Jersey": "Jersey", + "Jordan": "Jordània", + "July": "Juliol", + "June": "Juny", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Key": "Clau", + "Kiribati": "Kiribati", + "Korea": "Corea Del Sud", + "Korea, Democratic People's Republic of": "Corea Del Nord", + "Kosovo": "Kosovo", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kirguizistan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Letònia", + "Lebanon": "Líban", + "Lens": "Lent", + "Lesotho": "Lesotho", + "Liberia": "Libèria", + "Libyan Arab Jamahiriya": "Líbia", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lituània", + "Load :perPage More": "Càrrega :perPage Més", + "Login": "Entrar", + "Logout": "Sortir", + "Luxembourg": "Luxemburg", + "Macao": "Macau", + "Macedonia": "Nord De Macedònia", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malàisia", + "Maldives": "Maldives", + "Mali": "Petit", + "Malta": "Malta", + "March": "Març", + "Marshall Islands": "Illes Marshall", + "Martinique": "Martinica", + "Mauritania": "Mauritània", + "Mauritius": "Maurici", + "May": "Maig", + "Mayotte": "Mayotte", + "Mexico": "Mèxic", + "Micronesia, Federated States Of": "Micronèsia", + "Moldova": "Moldàvia", + "Monaco": "Mònaco", + "Mongolia": "Mongòlia", + "Montenegro": "Montenegro", + "Month To Date": "Mes A La Data", + "Montserrat": "Montserrat", + "Morocco": "Marroc", + "Mozambique": "Moçambic", + "Myanmar": "Myanmar", + "Namibia": "Namíbia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Països baixos", + "New": "Nous", + "New :resource": "Nova :resource", + "New Caledonia": "Nova Caledònia", + "New Zealand": "Nova Zelanda", + "Next": "Següent", + "Nicaragua": "Nicaragua", + "Niger": "Níger", + "Nigeria": "Nigèria", + "Niue": "Niue", + "No": "No", + "No :resource matched the given criteria.": "No :resource coincidit amb els criteris donats.", + "No additional information...": "Cap informació addicional...", + "No Current Data": "No Hi Ha Dades Actuals", + "No Data": "No Hi Ha Dades", + "no file selected": "cap arxiu seleccionat", + "No Increase": "Cap Augment", + "No Prior Data": "No Abans De Dades", + "No Results Found.": "No Hi Ha Resultats.", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Illes Marianes Del Nord", + "Norway": "Noruega", + "Nova User": "Nova Usuari", + "November": "Novembre", + "October": "D'octubre", + "of": "de", + "Oman": "Oman", + "Only Trashed": "Només Destrossats", + "Original": "Original", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Territoris Palestins", + "Panama": "Panamà", + "Papua New Guinea": "Papua Nova Guinea", + "Paraguay": "Paraguai", + "Password": "Contrasenya", + "Per Page": "Per Pàgina", + "Peru": "Perú", + "Philippines": "Filipines", + "Pitcairn": "Illes Pitcairn", + "Poland": "Polònia", + "Portugal": "Portugal", + "Press \/ to search": "Premeu \/ per la cerca", + "Preview": "Vista prèvia", + "Previous": "Anteriors", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Trimestre Per Data", + "Reload": "Carregar", + "Remember Me": "Recorda'm", + "Reset Filters": "Restabliment De Filtres", + "Reset Password": "Restablir contrasenya", + "Reset Password Notification": "Notificació de restabliment de contrasenya", + "resource": "recurs", + "Resources": "Recursos", + "resources": "recursos", + "Restore": "Restauració", + "Restore Resource": "Restaurar Recurs", + "Restore Selected": "Restaurar Seleccionat", + "Reunion": "Reunió", + "Romania": "Romania", + "Run Action": "Executar L'Acció", + "Russian Federation": "Federació Russa", + "Rwanda": "Rwanda", + "Saint Barthelemy": "Sant Bartomeu", + "Saint Helena": "Santa Elena", + "Saint Kitts And Nevis": "St. Kitts i Nevis", + "Saint Lucia": "Santa Llúcia", + "Saint Martin": "Sant Martí", + "Saint Pierre And Miquelon": "St-Pierre i Miquelon", + "Saint Vincent And Grenadines": "St. Vincent i les Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "São Tomé i Príncipe", + "Saudi Arabia": "Aràbia Saudita", + "Search": "Cerca", + "Select Action": "Seleccioneu Acció", + "Select All": "Seleccionar Tots", + "Select All Matching": "Seleccioneu Totes Coincidents", + "Send Password Reset Link": "Envia'm enllaç per restablir la contrasenya", + "Senegal": "Senegal", + "September": "Setembre", + "Serbia": "Sèrbia", + "Seychelles": "Seychelles", + "Show All Fields": "Mostra Tots Els Camps", + "Show Content": "Mostrar Contingut", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapur", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Eslovàquia", + "Slovenia": "Eslovènia", + "Solomon Islands": "De Les Illes Salomó", + "Somalia": "Somàlia", + "Something went wrong.": "Alguna cosa ha anat malament.", + "Sorry! You are not authorized to perform this action.": "Ho sentim! No esteu autoritzat a realitzar aquesta acció.", + "Sorry, your session has expired.": "Ho sento, la teva sessió ha caducat.", + "South Africa": "Sud-Àfrica", + "South Georgia And Sandwich Isl.": "Al sud de Geòrgia del Sud i Illes Sandwich", + "South Sudan": "Sudan Del Sud", + "Spain": "Espanya", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Inici De La Votació", + "Stop Polling": "Parada De La Votació", + "Sudan": "Sudan", + "Suriname": "Surinam", + "Svalbard And Jan Mayen": "Illes Svalbard i Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Suècia", + "Switzerland": "Suïssa", + "Syrian Arab Republic": "Síria", + "Taiwan": "Taiwan", + "Tajikistan": "Tadjikistan", + "Tanzania": "Tanzània", + "Thailand": "Tailàndia", + "The :resource was created!": "La :resource es va crear!", + "The :resource was deleted!": "La :resource estava eliminat!", + "The :resource was restored!": "La :resource va ser restaurada!", + "The :resource was updated!": "La :resource va ser actualitzat!", + "The action ran successfully!": "L'acció va córrer amb èxit!", + "The file was deleted!": "L'arxiu va ser suprimit!", + "The government won't let us show you what's behind these doors": "El govern no anem a mostrar-te darrere d'aquestes portes", + "The HasOne relationship has already been filled.": "La HasOne relació ja ha estat ple.", + "The resource was updated!": "El recurs va ser actualitzat!", + "There are no available options for this resource.": "No hi ha opcions disponibles per a aquest recurs.", + "There was a problem executing the action.": "Hi havia un problema d'executar l'acció.", + "There was a problem submitting the form.": "Hi havia un problema d'enviar el formulari.", + "This file field is read-only.": "Aquest fitxer camp és de només lectura.", + "This image": "Aquesta imatge", + "This resource no longer exists": "Aquest recurs ja no existeix", + "Timor-Leste": "Timor-Leste", + "Today": "Avui", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Vine", + "total": "total", + "Trashed": "Trashed", + "Trinidad And Tobago": "Trinitat i Tobago", + "Tunisia": "Tunísia", + "Turkey": "Turquia", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Turks i Caicos Illes", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ucraïna", + "United Arab Emirates": "Emirats Àrabs Units", + "United Kingdom": "Regne Unit", + "United States": "Estats Units", + "United States Outlying Islands": "EUA Illes Perifèriques", + "Update": "Actualització", + "Update & Continue Editing": "Actualització I Continua Editant", + "Update :resource": "Actualització :resource", + "Update :resource: :title": "Actualització :resource: :title", + "Update attached :resource: :title": "Actualització adjunta :resource: :title", + "Uruguay": "Uruguai", + "Uzbekistan": "Uzbekistan", + "Value": "Valor", + "Vanuatu": "Vanuatu", + "Venezuela": "Veneçuela", + "Viet Nam": "Vietnam", + "View": "Vista", + "Virgin Islands, British": "Illes Verges Britàniques", + "Virgin Islands, U.S.": "Illes Verges nord-americanes", + "Wallis And Futuna": "Wallis i Fortuna", + "We're lost in space. The page you were trying to view does not exist.": "Estem perduts en l'espai. La pàgina a la que intenteu veure no existeix.", + "Welcome Back!": "Benvinguts De Nou!", + "Western Sahara": "Sàhara Occidental", + "Whoops": "Crits", + "Whoops!": "Vaja!", + "With Trashed": "Amb Destrossats", + "Write": "Escriure", + "Year To Date": "Any Fins A La Data", + "Yemen": "Iemenita", + "Yes": "Sí", + "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.", + "Zambia": "Zàmbia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/ca/packages/spark-paddle.json b/locales/ca/packages/spark-paddle.json new file mode 100644 index 00000000000..20610377989 --- /dev/null +++ b/locales/ca/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Condicions del Servei", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Crits! Alguna cosa ha anat malament.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/ca/packages/spark-stripe.json b/locales/ca/packages/spark-stripe.json new file mode 100644 index 00000000000..1362460d8c2 --- /dev/null +++ b/locales/ca/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "L'afganistan", + "Albania": "Albània", + "Algeria": "Algèria", + "American Samoa": "La Samoa Americana", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "L'antàrtida", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armènia", + "Aruba": "Aruba", + "Australia": "Austràlia", + "Austria": "Àustria", + "Azerbaijan": "Azerbaidjan", + "Bahamas": "Bahames", + "Bahrain": "Bahrain", + "Bangladesh": "Bangla desh", + "Barbados": "Barbados", + "Belarus": "Bielorússia", + "Belgium": "Bèlgica", + "Belize": "Belize", + "Benin": "Benín", + "Bermuda": "De les bermudes", + "Bhutan": "Bhutan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brasil", + "British Indian Ocean Territory": "Britànic De L'Oceà Índic Territori", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgària", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodja", + "Cameroon": "Camerun", + "Canada": "Canadà", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Cap Verd", + "Card": "Targeta", + "Cayman Islands": "Illes Caiman", + "Central African Republic": "La República Centreafricana", + "Chad": "Txad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Xile", + "China": "Xina", + "Christmas Island": "Illa De Nadal", + "City": "City", + "Cocos (Keeling) Islands": "Illa Del Coco (Keeling) Illes", + "Colombia": "Colòmbia", + "Comoros": "Comores", + "Confirm Payment": "Confirmar El Pagament", + "Confirm your :amount payment": "Confirmeu la vostra :amount pagament", + "Congo": "Congo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Illes Cook", + "Costa Rica": "Costa Rica", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Croàcia", + "Cuba": "Cuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Xipre", + "Czech Republic": "Txèquia", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Dinamarca", + "Djibouti": "Djibouti", + "Dominica": "Diumenge", + "Dominican Republic": "República Dominicana", + "Download Receipt": "Download Receipt", + "Ecuador": "L'equador", + "Egypt": "Egipte", + "El Salvador": "Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Guinea Equatorial", + "Eritrea": "Eritrea", + "Estonia": "Estònia", + "Ethiopia": "Etiòpia", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmació és necessària per tramitar el seu pagament. Si us plau, continua a la pàgina de pagament per clic en el botó de sota.", + "Falkland Islands (Malvinas)": "Les Illes Malvines (Malvines)", + "Faroe Islands": "Illes Fèroe", + "Fiji": "Fiji", + "Finland": "Finlàndia", + "France": "França", + "French Guiana": "Francès De Guaiana", + "French Polynesia": "Polinèsia Francesa", + "French Southern Territories": "Francès Territoris Meridionals", + "Gabon": "Gabon", + "Gambia": "Gàmbia", + "Georgia": "Geòrgia", + "Germany": "Alemanya", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Grècia", + "Greenland": "Groenlàndia", + "Grenada": "Granada", + "Guadeloupe": "Guadalupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Atenes", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "La guaiana", + "Haiti": "Haití", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Hondures", + "Hong Kong": "Dòlar De Hong Kong", + "Hungary": "Hongria", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Islàndia", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "L'índia", + "Indonesia": "Indonèsia", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "L'Iraq", + "Ireland": "Irlanda", + "Isle of Man": "Isle of Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Itàlia", + "Jamaica": "Jamaica", + "Japan": "Japó", + "Jersey": "Jersey", + "Jordan": "Jordània", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Corea Del Nord", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kirguizistan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Letònia", + "Lebanon": "Líban", + "Lesotho": "Lesotho", + "Liberia": "Libèria", + "Libyan Arab Jamahiriya": "Líbia", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lituània", + "Luxembourg": "Luxemburg", + "Macao": "Macau", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malàisia", + "Maldives": "Maldives", + "Mali": "Petit", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Illes Marshall", + "Martinique": "Martinica", + "Mauritania": "Mauritània", + "Mauritius": "Maurici", + "Mayotte": "Mayotte", + "Mexico": "Mèxic", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Mònaco", + "Mongolia": "Mongòlia", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Marroc", + "Mozambique": "Moçambic", + "Myanmar": "Myanmar", + "Namibia": "Namíbia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Països baixos", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Nova Caledònia", + "New Zealand": "Nova Zelanda", + "Nicaragua": "Nicaragua", + "Niger": "Níger", + "Nigeria": "Nigèria", + "Niue": "Niue", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Illes Marianes Del Nord", + "Norway": "Noruega", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Territoris Palestins", + "Panama": "Panamà", + "Papua New Guinea": "Papua Nova Guinea", + "Paraguay": "Paraguai", + "Payment Information": "Payment Information", + "Peru": "Perú", + "Philippines": "Filipines", + "Pitcairn": "Illes Pitcairn", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Polònia", + "Portugal": "Portugal", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Romania", + "Russian Federation": "Federació Russa", + "Rwanda": "Rwanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Santa Elena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Santa Llúcia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Aràbia Saudita", + "Save": "Guardar", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Sèrbia", + "Seychelles": "Seychelles", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapur", + "Slovakia": "Eslovàquia", + "Slovenia": "Eslovènia", + "Solomon Islands": "De Les Illes Salomó", + "Somalia": "Somàlia", + "South Africa": "Sud-Àfrica", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Espanya", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Surinam", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Suècia", + "Switzerland": "Suïssa", + "Syrian Arab Republic": "Síria", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tadjikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Condicions del Servei", + "Thailand": "Tailàndia", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Vine", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunísia", + "Turkey": "Turquia", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ucraïna", + "United Arab Emirates": "Emirats Àrabs Units", + "United Kingdom": "Regne Unit", + "United States": "Estats Units", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Actualització", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguai", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Illes Verges Britàniques", + "Virgin Islands, U.S.": "Illes Verges nord-americanes", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Sàhara Occidental", + "Whoops! Something went wrong.": "Crits! Alguna cosa ha anat malament.", + "Yearly": "Yearly", + "Yemen": "Iemenita", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zàmbia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/cs/cs.json b/locales/cs/cs.json index 73a96dfc1a5..9a94aaf6d96 100644 --- a/locales/cs/cs.json +++ b/locales/cs/cs.json @@ -1,710 +1,48 @@ { - "30 Days": "30 dní", - "60 Days": "60 dní", - "90 Days": "90 dní", - ":amount Total": ":amount celkem", - ":days day trial": ":days day trial", - ":resource Details": ":resource podrobnosti", - ":resource Details: :title": ":resource podrobnosti: :title", "A fresh verification link has been sent to your email address.": "Na vaši e-mailovou adresu byl odeslán nový ověřovací odkaz.", - "A new verification link has been sent to the email address you provided during registration.": "Na e-mailovou adresu, kterou jste uvedli při registraci, byl zaslán nový ověřovací odkaz.", - "Accept Invitation": "Přijmout Pozvání", - "Action": "Akce", - "Action Happened At": "Stalo Se Na", - "Action Initiated By": "Iniciováno", - "Action Name": "Název", - "Action Status": "Stav", - "Action Target": "Cíl", - "Actions": "Akce", - "Add": "Přidat", - "Add a new team member to your team, allowing them to collaborate with you.": "Přidejte do svého týmu nového člena týmu, který jim umožní spolupracovat s vámi.", - "Add additional security to your account using two factor authentication.": "Přidejte do svého účtu další zabezpečení pomocí dvoufaktorové autentizace.", - "Add row": "Přidat řádek", - "Add Team Member": "Přidat Člena Týmu", - "Add VAT Number": "Add VAT Number", - "Added.": "Znít.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Správce", - "Administrator users can perform any action.": "Uživatelé správce mohou provádět jakoukoli akci.", - "Afghanistan": "Afghánistán", - "Aland Islands": "Ålandské Ostrovy", - "Albania": "Albánie", - "Algeria": "Alžírsko", - "All of the people that are part of this team.": "Všichni lidé, kteří jsou součástí tohoto týmu.", - "All resources loaded.": "Všechny zdroje načteny.", - "All rights reserved.": "Všechna práva vyhrazena.", - "Already registered?": "Už jste se zaregistrovali?", - "American Samoa": "Americká Samoa", - "An error occured while uploading the file.": "Při nahrávání souboru došlo k chybě.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Jiný uživatel aktualizoval tento zdroj od načtení této stránky. Obnovte stránku a zkuste to znovu.", - "Antarctica": "Antarktis", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua a Barbuda", - "API Token": "Token API", - "API Token Permissions": "API Token oprávnění", - "API Tokens": "Tokeny API", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API tokeny umožňují služby třetích stran ověřit pomocí naší aplikace vaším jménem.", - "April": "Duben", - "Are you sure you want to delete the selected resources?": "Jste si jisti, že chcete odstranit vybrané zdroje?", - "Are you sure you want to delete this file?": "Jste si jisti, že chcete tento soubor smazat?", - "Are you sure you want to delete this resource?": "Jste si jisti, že chcete tento zdroj smazat?", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Jste si jisti, že chcete tento tým smazat? Jakmile bude tým smazán, všechny jeho zdroje a data budou trvale smazány.", - "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.": "Jste si jisti, že chcete svůj účet smazat? Jakmile bude váš účet smazán, všechny jeho zdroje a data budou trvale smazány. Zadejte své heslo pro potvrzení, že chcete trvale smazat svůj účet.", - "Are you sure you want to detach the selected resources?": "Jste si jisti, že chcete oddělit vybrané zdroje?", - "Are you sure you want to detach this resource?": "Jste si jisti, že chcete tento zdroj oddělit?", - "Are you sure you want to force delete the selected resources?": "Jste si jisti, že chcete vynutit odstranění vybraných zdrojů?", - "Are you sure you want to force delete this resource?": "Jste si jisti, že chcete tento zdroj vynutit?", - "Are you sure you want to restore the selected resources?": "Jste si jisti, že chcete obnovit vybrané zdroje?", - "Are you sure you want to restore this resource?": "Jste si jisti, že chcete tento zdroj Obnovit?", - "Are you sure you want to run this action?": "Jste si jistý, že chcete spustit tuto akci?", - "Are you sure you would like to delete this API token?": "Jste si jisti, že byste chtěli odstranit tento token API?", - "Are you sure you would like to leave this team?": "Jste si jistý, že byste chtěl opustit tento tým?", - "Are you sure you would like to remove this person from the team?": "Jste si jisti, že byste chtěli odstranit tuto osobu z týmu?", - "Argentina": "Argentina", - "Armenia": "Arménie", - "Aruba": "Aruba", - "Attach": "Připojit", - "Attach & Attach Another": "Připojit A Připojit Další", - "Attach :resource": "Připojit :resource", - "August": "Srpen", - "Australia": "Austrálie", - "Austria": "Rakousko", - "Azerbaijan": "Ázerbájdžán", - "Bahamas": "Bahamy", - "Bahrain": "Bahrajn", - "Bangladesh": "Bangladéš", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Než budete pokračovat, zkontrolujte prosím svůj e-mail pro ověřovací odkaz.", - "Belarus": "Bělorusko", - "Belgium": "Belgie", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermudy", - "Bhutan": "Bhútán", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolívie", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius a Sábado", - "Bosnia And Herzegovina": "Bosna a Hercegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvetův Ostrov", - "Brazil": "Brazílie", - "British Indian Ocean Territory": "Území Britského Indického Oceánu", - "Browser Sessions": "Relace Prohlížeče", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulharsko", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Kambodža", - "Cameroon": "Kamerun", - "Canada": "Kanada", - "Cancel": "Zrušit", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Kapverdy", - "Card": "Karta", - "Cayman Islands": "Kajmanské Ostrovy", - "Central African Republic": "Středoafrická Republika", - "Chad": "Čada", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Změna", - "Chile": "Chile", - "China": "China", - "Choose": "Vybrat", - "Choose :field": "Vybrat :field", - "Choose :resource": "Vyberte :resource", - "Choose an option": "Vyberte možnost", - "Choose date": "Zvolte datum", - "Choose File": "Vyberte Soubor", - "Choose Type": "Vyberte Typ", - "Christmas Island": "Vánoční Ostrov", - "City": "City", "click here to request another": "klikněte zde a vyžádejte si další", - "Click to choose": "Klikněte pro výběr", - "Close": "Uzavřít", - "Cocos (Keeling) Islands": "Cocos (Keeling) Ostrovy", - "Code": "Kód", - "Colombia": "Kolumbie", - "Comoros": "Komora", - "Confirm": "Potvrdit", - "Confirm Password": "Kontrola hesla", - "Confirm Payment": "Potvrzení Platby", - "Confirm your :amount payment": "Potvrďte platbu :amount", - "Congo": "Kongo", - "Congo, Democratic Republic": "Kongo, Demokratická Republika", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Konstanta", - "Cook Islands": "Cookovy Ostrovy", - "Costa Rica": "Kostarika", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "nemohl být nalezen.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Vytvořit", - "Create & Add Another": "Vytvořit A Přidat Další", - "Create :resource": "Vytvořit :resource", - "Create a new team to collaborate with others on projects.": "Vytvořte nový tým, který bude spolupracovat s ostatními na projektech.", - "Create Account": "Vytvořit Účet", - "Create API Token": "Vytvořit Token API", - "Create New Team": "Vytvořit Nový Tým", - "Create Team": "Vytvořit Tým", - "Created.": "Vytvořit.", - "Croatia": "Chorvatsko", - "Cuba": "Kubo", - "Curaçao": "Curacao", - "Current Password": "Aktuální Heslo", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Přizpůsobit", - "Cyprus": "Kypr", - "Czech Republic": "Česko", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Panel", - "December": "Prosinec", - "Decrease": "Snížit", - "Delete": "Odstranit", - "Delete Account": "Smazat Účet", - "Delete API Token": "Smazat Token API", - "Delete File": "Smazat Soubor", - "Delete Resource": "Smazat Zdroj", - "Delete Selected": "Smazat Vybrané", - "Delete Team": "Smazat Tým", - "Denmark": "Dánsko", - "Detach": "Odpojit", - "Detach Resource": "Odpojit Zdroj", - "Detach Selected": "Odpojit Vybrané", - "Details": "Informace", - "Disable": "Zakázat", - "Djibouti": "Džibuti", - "Do you really want to leave? You have unsaved changes.": "Opravdu chceš odejít? Máte neuložené změny.", - "Dominica": "Neděle", - "Dominican Republic": "Dominikánská Republika", - "Done.": "Být.", - "Download": "Stáhnout", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-mailová adresa", - "Ecuador": "Ekvádor", - "Edit": "Upravit", - "Edit :resource": "Upravit :resource", - "Edit Attached": "Upravit Připojeno", - "Editor": "Editor", - "Editor users have the ability to read, create, and update.": "Uživatelé editoru mají možnost číst, vytvářet a aktualizovat.", - "Egypt": "Egypt", - "El Salvador": "Salvador", - "Email": "Mail", - "Email Address": "adresa", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Odkaz Na Resetování Hesla E-Mailem", - "Enable": "Povolit", - "Ensure your account is using a long, random password to stay secure.": "Ujistěte se, že váš účet používá dlouhé, náhodné heslo, abyste zůstali v bezpečí.", - "Equatorial Guinea": "Rovníková Guinea", - "Eritrea": "Eritrea", - "Estonia": "Estonsko", - "Ethiopia": "Etiopie", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Pro zpracování vaší platby je nutné další potvrzení. Potvrďte platbu vyplněním níže uvedených platebních údajů.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Pro zpracování vaší platby je nutné další potvrzení. Pokračujte prosím na platební stránku kliknutím na tlačítko níže.", - "Falkland Islands (Malvinas)": "Falklandské Ostrovy (Malvinas)", - "Faroe Islands": "Faerské Ostrovy", - "February": "Únor", - "Fiji": "Fidži", - "Finland": "Finsko", - "For your security, please confirm your password to continue.": "Pro vaši bezpečnost potvrďte své heslo, abyste mohli pokračovat.", "Forbidden": "Zakázáno", - "Force Delete": "Vynutit Odstranění", - "Force Delete Resource": "Vynutit Odstranění Zdroje", - "Force Delete Selected": "Vynutit Smazat Vybrané", - "Forgot Your Password?": "Zapomněli jste heslo?", - "Forgot your password?": "Zapomněli jste heslo?", - "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.": "Zapomněli jste heslo? Žádný problém. Dejte nám vědět vaši e-mailovou adresu a my vám zašleme e-mail s odkazem na resetování hesla, který vám umožní vybrat si novou.", - "France": "Franci", - "French Guiana": "Francouzská Guyana", - "French Polynesia": "Francouzská Polynésie", - "French Southern Territories": "Francouzská Jižní Území", - "Full name": "Příjmení", - "Gabon": "Gabun", - "Gambia": "Gambie", - "Georgia": "Gruzie", - "Germany": "Německo", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Vrať se.", - "Go Home": "Domů", "Go to page :page": "Přejít na stranu :page", - "Great! You have accepted the invitation to join the :team team.": "Skvělé! Přijali jste pozvání do týmu :team.", - "Greece": "Řecko", - "Greenland": "Grónsko", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bissau", - "Guyana": "Guayana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Heard Island a McDonald Islands", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Zdravíme!", - "Hide Content": "Skrýt Obsah", - "Hold Up!": "Vydrž!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hongkong", - "Hungary": "Maďarsko", - "I agree to the :terms_of_service and :privacy_policy": "Souhlasím s :terms_of_service a :privacy_policy", - "Iceland": "Island", - "ID": "IDY", - "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.": "V případě potřeby se můžete odhlásit ze všech ostatních relací prohlížeče ve všech zařízeních. Některé z vašich nedávných relací jsou uvedeny níže; tento seznam však nemusí být vyčerpávající. Pokud máte pocit, že váš účet byl ohrožen, měli byste také aktualizovat své heslo.", "If necessary, you may logout 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.": "V případě potřeby se můžete odhlásit ze všech ostatních relací prohlížeče ve všech zařízeních. Některé z vašich nedávných relací jsou uvedeny níže; tento seznam však nemusí být vyčerpávající. Pokud máte pocit, že váš účet byl ohrožen, měli byste také aktualizovat své heslo.", - "If you already have an account, you may accept this invitation by clicking the button below:": "Pokud již máte účet, můžete tuto pozvánku přijmout kliknutím na tlačítko níže:", "If you did not create an account, no further action is required.": "Pokud jste nevytvořili účet, není třeba provádět žádné další akce.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Pokud jste neočekávali, že obdržíte pozvánku do tohoto týmu, můžete tento e-mail zrušit.", "If you did not receive the email": "Pokud jste zprávu neobdrželi", - "If you did not request a password reset, no further action is required.": "Pokud jste nežádali o obnovení hesla, zprávu smažte. Původní heslo zůstalo beze změny.", - "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:": "Pokud nemáte účet, můžete jej vytvořit kliknutím na tlačítko níže. Po vytvoření účtu můžete kliknutím na tlačítko pro přijetí pozvánky v tomto e-mailu přijmout pozvánku týmu:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Pokud máte potíže s klepnutím na tlačítko \":actionText\", zkopírujte a vložte\nníže uvedenou adresu URL do vašeho webového prohlížeče:", - "Increase": "Zvýšit", - "India": "Indie", - "Indonesia": "Indonésie", "Invalid signature.": "Neplatný podpis.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Írán", - "Iraq": "Irák", - "Ireland": "Irsko", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Man", - "Israel": "Izrael", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Itálie", - "Jamaica": "Jamajka", - "January": "Leden", - "Japan": "Japonsko", - "Jersey": "Dres", - "Jordan": "Jordánsko", - "July": "Červenec", - "June": "Červen", - "Kazakhstan": "Kazachstán", - "Kenya": "Keňa", - "Key": "Klíč", - "Kiribati": "Kiribati", - "Korea": "Korea", - "Korea, Democratic People's Republic of": "Korea", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Zem", - "Kuwait": "Kuvajt", - "Kyrgyzstan": "Kyrgyzstán", - "Lao People's Democratic Republic": "Laos", - "Last active": "Poslední aktivní", - "Last used": "Poslední použití", - "Latvia": "Lotyšsko", - "Leave": "Opustit", - "Leave Team": "Opustit Tým", - "Lebanon": "Libanon", - "Lens": "Objektiv", - "Lesotho": "Lesotho", - "Liberia": "Libérie", - "Libyan Arab Jamahiriya": "Libye", - "Liechtenstein": "Lichtenštejnsko", - "Lithuania": "Litva", - "Load :perPage More": "Načíst :perpage více", - "Log in": "Přihlásit", "Log out": "Odhlásit", - "Log Out": "odhlásit", - "Log Out Other Browser Sessions": "Odhlásit Další Relace Prohlížeče", - "Login": "Přihlášení", - "Logout": "Odlášení", "Logout Other Browser Sessions": "Odhlášení Další Relace Prohlížeče", - "Luxembourg": "Lucembursko", - "Macao": "Macao", - "Macedonia": "Severní Makedonie", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagaskar", - "Malawi": "Malawi", - "Malaysia": "Malajsie", - "Maldives": "Maledivy", - "Mali": "Malý", - "Malta": "Malta", - "Manage Account": "Správa Účtu", - "Manage and log out your active sessions on other browsers and devices.": "Správa a odhlášení aktivních relací v jiných prohlížečích a zařízeních.", "Manage and logout your active sessions on other browsers and devices.": "Správa a odhlášení aktivních relací v jiných prohlížečích a zařízeních.", - "Manage API Tokens": "Správa tokenů API", - "Manage Role": "Správa Role", - "Manage Team": "Správa Týmu", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Březen", - "Marshall Islands": "Marshallovy Ostrovy", - "Martinique": "Martinik", - "Mauritania": "Mauretánie", - "Mauritius": "Mauritius", - "May": "Květen", - "Mayotte": "Mayotte", - "Mexico": "Mexiko", - "Micronesia, Federated States Of": "Mikronésie", - "Moldova": "Moldavsko", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monako", - "Mongolia": "Mongolsko", - "Montenegro": "Hora", - "Month To Date": "Měsíc K Dnešnímu Dni", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Maroko", - "Mozambique": "Mosambik", - "Myanmar": "Barma", - "Name": "Jméno", - "Namibia": "Namibie", - "Nauru": "Nauru", - "Nepal": "Nepál", - "Netherlands": "Nizozemsko", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Nevermind", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Nový", - "New :resource": "Nový :resource", - "New Caledonia": "Nová Kaledonie", - "New Password": "heslo", - "New Zealand": "Zéland", - "Next": "Další", - "Nicaragua": "Nikaragua", - "Niger": "Niger", - "Nigeria": "Nigérie", - "Niue": "Niue", - "No": "Č", - "No :resource matched the given criteria.": "Číslo :resource odpovídalo daným kritériím.", - "No additional information...": "Žádné další informace...", - "No Current Data": "Žádné Aktuální Údaje", - "No Data": "Žádné Údaje", - "no file selected": "není vybrán žádný soubor", - "No Increase": "Žádné Zvýšení", - "No Prior Data": "Žádné Předchozí Údaje", - "No Results Found.": "Nebyly Nalezeny Žádné Výsledky.", - "Norfolk Island": "Norfolk Island", - "Northern Mariana Islands": "Severní Mariánské Ostrovy", - "Norway": "Norsko", "Not Found": "Nenalezeno", - "Nova User": "Uživatel Nova", - "November": "Listopad", - "October": "Říjen", - "of": "z", "Oh no": "Ach to ne", - "Oman": "Omán", - "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.": "Jakmile bude tým smazán, všechny jeho zdroje a data budou trvale smazány. Před odstraněním tohoto týmu si prosím stáhněte všechna data nebo informace týkající se tohoto týmu, které si přejete zachovat.", - "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.": "Jakmile bude váš účet smazán, všechny jeho zdroje a data budou trvale smazány. Před smazáním účtu si prosím stáhněte všechna data nebo informace, které chcete zachovat.", - "Only Trashed": "Pouze Zničený", - "Original": "Původní", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Seite abgelaufen", "Pagination Navigation": "Stránkování Navigace", - "Pakistan": "Pákistán", - "Palau": "Povolení", - "Palestinian Territory, Occupied": "Palestinská Území", - "Panama": "Panama", - "Papua New Guinea": "Papua-Nová Guinea", - "Paraguay": "Paraguay", - "Password": "Heslo", - "Pay :amount": "Zaplatit :amount", - "Payment Cancelled": "Platba Zrušena", - "Payment Confirmation": "Potvrzení Platby", - "Payment Information": "Payment Information", - "Payment Successful": "Platba Úspěšná", - "Pending Team Invitations": "Čekající Týmové Pozvánky", - "Per Page": "Na Stránku", - "Permanently delete this team.": "Trvale smazat tento tým.", - "Permanently delete your account.": "Trvale smazat svůj účet.", - "Permissions": "Oprávnění", - "Peru": "Pero", - "Philippines": "Filipíny", - "Photo": "Fotografia", - "Pitcairn": "Pitcairnovy Ostrovy", "Please click the button below to verify your email address.": "Klepnutím na tlačítko níže ověřte svou e-mailovou adresu.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Potvrďte přístup ke svému účtu zadáním jednoho z vašich kódů pro nouzové obnovení.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Potvrďte přístup ke svému účtu zadáním ověřovacího kódu poskytnutého aplikací authenticator.", "Please confirm your password before continuing.": "Před pokračováním potvrďte své heslo.", - "Please copy your new API token. For your security, it won't be shown again.": "Zkopírujte prosím svůj nový token API. Pro vaši bezpečnost se to znovu nezobrazí.", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Zadejte heslo pro potvrzení, že se chcete odhlásit z ostatních relací prohlížeče ve všech zařízeních.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Prosím, zadejte své heslo pro potvrzení, že chcete odhlásit z vašich dalších relací prohlížeče ve všech vašich zařízeních.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "Please provide the email address of the person you would like to add to this team.": "Uveďte prosím e-mailovou adresu osoby, kterou chcete přidat do tohoto týmu.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Uveďte prosím e-mailovou adresu osoby, kterou chcete přidat do tohoto týmu. E-mailová adresa musí být spojena s existujícím účtem.", - "Please provide your name.": "Uveďte prosím své jméno.", - "Poland": "Polsko", - "Portugal": "Portugalsko", - "Press \/ to search": "Stiskněte \/ pro vyhledávání", - "Preview": "Náhled", - "Previous": "Předchozí", - "Privacy Policy": "soukromí", - "Profile": "Profil", - "Profile Information": "Profilové Údaje", - "Puerto Rico": "Portoriko", - "Qatar": "Qatar", - "Quarter To Date": "Čtvrtletí K Dnešnímu Dni", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Kód Obnovení", "Regards": "S pozdravem", - "Regenerate Recovery Codes": "Regenerovat Kódy Obnovy", - "Register": "Registrace", - "Reload": "Načíst", - "Remember me": "Pamatuj si mě", - "Remember Me": "Zapamatovat", - "Remove": "Odstranit", - "Remove Photo": "Odstranit Fotografii", - "Remove Team Member": "Odebrat Člena Týmu", - "Resend Verification Email": "Znovu Odeslat Ověřovací E-Mail", - "Reset Filters": "Resetovat Filtry", - "Reset Password": "Obnovit heslo", - "Reset Password Notification": "Požadavek na obnovení hesla", - "resource": "zdroj", - "Resources": "Zdroj", - "resources": "zdroj", - "Restore": "Obnovit", - "Restore Resource": "Obnovit Zdroj", - "Restore Selected": "Obnovit Vybrané", "results": "test", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Zasedání", - "Role": "Role", - "Romania": "Rumunsko", - "Run Action": "Spustit Akci", - "Russian Federation": "Rusko", - "Rwanda": "Rwanda", - "Réunion": "Réunion", - "Saint Barthelemy": "Svatý Bartoloměj", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Svatá Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "Svatý Kryštof a Nevis", - "Saint Lucia": "Svatá Lucie", - "Saint Martin": "Svatý Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "Svatý Pierre a Miquelon", - "Saint Vincent And Grenadines": "Svatý Vincenc a Grenadiny", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "Svatopluk Tomé a Príncipe", - "Saudi Arabia": "Saúdská Arábie", - "Save": "Uložit", - "Saved.": "Spást.", - "Search": "Vyhledávání", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Vyberte Novou Fotografii", - "Select Action": "Vyberte Akci", - "Select All": "Vyberte Vše", - "Select All Matching": "Vyberte Všechny Odpovídající", - "Send Password Reset Link": "Poslat odkaz pro obnovení hesla", - "Senegal": "Senegal", - "September": "Září", - "Serbia": "Srbsko", "Server Error": "Chyba serveru", "Service Unavailable": "Služba je nedostupná", - "Seychelles": "Seychely", - "Show All Fields": "Zobrazit Všechna Pole", - "Show Content": "Zobrazit Obsah", - "Show Recovery Codes": "Zobrazit Kódy Pro Obnovení", "Showing": "Zobrazení", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapur", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovensko", - "Slovenia": "Slovinsko", - "Solomon Islands": "Šalamounovy Ostrovy", - "Somalia": "Somálsko", - "Something went wrong.": "Něco se pokazilo.", - "Sorry! You are not authorized to perform this action.": "Promiň! Nejste oprávněni provádět tuto akci.", - "Sorry, your session has expired.": "Promiňte, vaše relace vypršela.", - "South Africa": "jaro", - "South Georgia And Sandwich Isl.": "Jižní Georgie a Jižní Sandwichovy ostrovy", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Jižní Súdán", - "Spain": "Španělsko", - "Sri Lanka": "Srí Lanka", - "Start Polling": "Začněte S Průzkumem", - "State \/ County": "State \/ County", - "Stop Polling": "Zastavte Hlasování", - "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.": "Uložte tyto kódy pro obnovení v bezpečném správci hesel. Mohou být použity k obnovení přístupu k vašemu účtu, pokud dojde ke ztrátě dvoufaktorového autentizačního zařízení.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Súdán", - "Suriname": "Surinam", - "Svalbard And Jan Mayen": "Špicberky a Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Švédsko", - "Switch Teams": "Přepnout Týmy", - "Switzerland": "Švýcarsko", - "Syrian Arab Republic": "Sýrie", - "Taiwan": "Tchaj-wan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tádžikistán", - "Tanzania": "Tanzanie", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Podrobnosti O Týmu", - "Team Invitation": "Pozvánka Týmu", - "Team Members": "tým", - "Team Name": "Název Týmu", - "Team Owner": "Majitel Týmu", - "Team Settings": "Nastavení Týmu", - "Terms of Service": "podmínka", - "Thailand": "Thajsko", - "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.": "Díky za registraci! Než začnete, mohli byste ověřit svou e-mailovou adresu kliknutím na odkaz, který jsme Vám právě zaslali e-mailem? Pokud jste e-mail neobdrželi, rádi Vám zašleme další.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute musí být platnou rolí.", - "The :attribute must be at least :length characters and contain at least one number.": ":attribute musí mít nejméně :length znaků a musí obsahovat alespoň jedno číslo.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute musí mít nejméně :length znaků a musí obsahovat alespoň jeden speciální znak a jedno číslo.", - "The :attribute must be at least :length characters and contain at least one special character.": ":attribute musí mít nejméně :length znaků a musí obsahovat alespoň jeden speciální znak.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute musí mít nejméně :length znaků a musí obsahovat alespoň jeden velký znak a jedno číslo.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute musí mít nejméně :length znaků a musí obsahovat alespoň jeden velký znak a jeden speciální znak.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute musí mít nejméně :length znaků a musí obsahovat alespoň jeden velký znak, jedno číslo a jeden speciální znak.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute musí mít nejméně :length znaků a musí obsahovat alespoň jedno velké písmeno.", - "The :attribute must be at least :length characters.": ":attribute musí mít nejméně :length znaků.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource byl vytvořen!", - "The :resource was deleted!": ":resource byl smazán!", - "The :resource was restored!": ":resource byl obnoven!", - "The :resource was updated!": ":resource byl aktualizován!", - "The action ran successfully!": "Akce proběhla úspěšně!", - "The file was deleted!": "Soubor byl smazán!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Vláda nám nedovolí ukázat vám, co je za těmito dveřmi", - "The HasOne relationship has already been filled.": "Vztah HasOne již byl naplněn.", - "The payment was successful.": "Platba byla úspěšná.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Zadané heslo neodpovídá vašemu současnému heslu.", - "The provided password was incorrect.": "Zadané heslo bylo nesprávné.", - "The provided two factor authentication code was invalid.": "Poskytnutý dvoufaktorový ověřovací kód byl neplatný.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Zdroj byl aktualizován!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Jméno a informace o majiteli týmu.", - "There are no available options for this resource.": "Pro tento zdroj nejsou k dispozici žádné možnosti.", - "There was a problem executing the action.": "Došlo k problému provedení akce.", - "There was a problem submitting the form.": "Byl problém předložit formulář.", - "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.": "Tito lidé byli pozváni do vašeho týmu a byly zaslány e-mail s pozvánkou. Mohou se připojit k týmu přijetím e-mailové pozvánky.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Pro tuto akci nemáte oprávnění.", - "This device": "Zařízení", - "This file field is read-only.": "Toto pole souboru je pouze pro čtení.", - "This image": "Obrázek", - "This is a secure area of the application. Please confirm your password before continuing.": "Jedná se o bezpečnou oblast aplikace. Před pokračováním potvrďte své heslo.", - "This password does not match our records.": "Toto heslo neodpovídá našim záznamům.", "This password reset link will expire in :count minutes.": "Tento odkaz na obnovení hesla vyprší za :count minut.", - "This payment was already successfully confirmed.": "Tato platba byla již úspěšně potvrzena.", - "This payment was cancelled.": "Tato platba byla zrušena.", - "This resource no longer exists": "Tento zdroj již neexistuje", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Tento uživatel již patří do týmu.", - "This user has already been invited to the team.": "Tento uživatel již byl pozván do týmu.", - "Timor-Leste": "Timor-Leste", "to": "na", - "Today": "Dnešek", "Toggle navigation": "Přepnout navigaci", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Název Tokenu", - "Tonga": "Přijít", "Too Many Attempts.": "Příliš mnoho pokusů.", "Too Many Requests": "Příliš mnoho požadavků", - "total": "celek", - "Total:": "Total:", - "Trashed": "Smetit", - "Trinidad And Tobago": "Trinidad a Tobago", - "Tunisia": "Tunisko", - "Turkey": "Turecko", - "Turkmenistan": "Turkmenistán", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Ostrovy Turks a Caicos", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Dvoufaktorová Autentizace", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Dvoufaktorová autentizace je nyní povolena. Naskenujte následující QR kód pomocí aplikace authenticator vašeho telefonu.", - "Uganda": "Uganda", - "Ukraine": "Ukrajina", "Unauthorized": "Neautorizováno", - "United Arab Emirates": "Spojené Arabské Emiráty", - "United Kingdom": "Británie", - "United States": "USA", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "Odlehlé ostrovy USA", - "Update": "Aktualizace", - "Update & Continue Editing": "Aktualizovat A Pokračovat V Úpravách", - "Update :resource": "Aktualizace :resource", - "Update :resource: :title": "Aktualizace :resource: :title", - "Update attached :resource: :title": "Aktualizace připojena :resource: :title", - "Update Password": "Aktualizovat Heslo", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Aktualizujte informace o profilu svého účtu a e-mailovou adresu.", - "Uruguay": "Uruguay", - "Use a recovery code": "Použijte kód pro obnovení", - "Use an authentication code": "Použijte ověřovací kód", - "Uzbekistan": "Uzbekistán", - "Value": "Hodnota", - "Vanuatu": "Poletucha", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Ověřte e-mailovou adresu", "Verify Your Email Address": "Ověřte svou e-mailovou adresu", - "Viet Nam": "Vietnam", - "View": "Výhled", - "Virgin Islands, British": "Britské Panenské Ostrovy", - "Virgin Islands, U.S.": "Americké Panenské ostrovy", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis a Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Nebyli jsme schopni najít registrovaného uživatele s touto e-mailovou adresou.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Nebudeme žádat o vaše heslo znovu po dobu několika hodin.", - "We're lost in space. The page you were trying to view does not exist.": "Ztratili jsme se ve vesmíru. Stránka, kterou jste se snažili zobrazit, neexistuje.", - "Welcome Back!": "Vítej Zpátky!", - "Western Sahara": "Západní Sahara", - "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.": "Pokud je povolena dvoufaktorová autentizace, budete během ověřování vyzváni k bezpečnému náhodnému tokenu. Tento token můžete získat z aplikace Google Authenticator v telefonu.", - "Whoops": "Whoops", - "Whoops!": "Jejda!", - "Whoops! Something went wrong.": "Hups! Něco se pokazilo.", - "With Trashed": "Se Zničenou", - "Write": "Napsat", - "Year To Date": "Rok K Dnešnímu Dni", - "Yearly": "Yearly", - "Yemen": "Jemenský", - "Yes": "Ano", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Jste přihlášeni!", - "You are receiving this email because we received a password reset request for your account.": "Tato zpráva vám byla doručena na základě žádosti pro obnovení hesla.", - "You have been invited to join the :team team!": "Byli jste pozváni, abyste se připojili k týmu :team!", - "You have enabled two factor authentication.": "Umožnili jste dvoufaktorové ověření.", - "You have not enabled two factor authentication.": "Nepovolili jste dvoufaktorovou autentizaci.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "Můžete odstranit některý z vašich stávajících žetonů, pokud již nejsou potřeba.", - "You may not delete your personal team.": "Nesmíte smazat svůj osobní tým.", - "You may not leave a team that you created.": "Nesmíte opustit tým, který jste vytvořili.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Váše emailová adresa není ověřena.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambie", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Váše emailová adresa není ověřena." } diff --git a/locales/cs/packages/cashier.json b/locales/cs/packages/cashier.json new file mode 100644 index 00000000000..4739d271451 --- /dev/null +++ b/locales/cs/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Všechna práva vyhrazena.", + "Card": "Karta", + "Confirm Payment": "Potvrzení Platby", + "Confirm your :amount payment": "Potvrďte platbu :amount", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Pro zpracování vaší platby je nutné další potvrzení. Potvrďte platbu vyplněním níže uvedených platebních údajů.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Pro zpracování vaší platby je nutné další potvrzení. Pokračujte prosím na platební stránku kliknutím na tlačítko níže.", + "Full name": "Příjmení", + "Go back": "Vrať se.", + "Jane Doe": "Jane Doe", + "Pay :amount": "Zaplatit :amount", + "Payment Cancelled": "Platba Zrušena", + "Payment Confirmation": "Potvrzení Platby", + "Payment Successful": "Platba Úspěšná", + "Please provide your name.": "Uveďte prosím své jméno.", + "The payment was successful.": "Platba byla úspěšná.", + "This payment was already successfully confirmed.": "Tato platba byla již úspěšně potvrzena.", + "This payment was cancelled.": "Tato platba byla zrušena." +} diff --git a/locales/cs/packages/fortify.json b/locales/cs/packages/fortify.json new file mode 100644 index 00000000000..262e0de5fd2 --- /dev/null +++ b/locales/cs/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": ":attribute musí mít nejméně :length znaků a musí obsahovat alespoň jedno číslo.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute musí mít nejméně :length znaků a musí obsahovat alespoň jeden speciální znak a jedno číslo.", + "The :attribute must be at least :length characters and contain at least one special character.": ":attribute musí mít nejméně :length znaků a musí obsahovat alespoň jeden speciální znak.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute musí mít nejméně :length znaků a musí obsahovat alespoň jeden velký znak a jedno číslo.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute musí mít nejméně :length znaků a musí obsahovat alespoň jeden velký znak a jeden speciální znak.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute musí mít nejméně :length znaků a musí obsahovat alespoň jeden velký znak, jedno číslo a jeden speciální znak.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute musí mít nejméně :length znaků a musí obsahovat alespoň jedno velké písmeno.", + "The :attribute must be at least :length characters.": ":attribute musí mít nejméně :length znaků.", + "The provided password does not match your current password.": "Zadané heslo neodpovídá vašemu současnému heslu.", + "The provided password was incorrect.": "Zadané heslo bylo nesprávné.", + "The provided two factor authentication code was invalid.": "Poskytnutý dvoufaktorový ověřovací kód byl neplatný." +} diff --git a/locales/cs/packages/jetstream.json b/locales/cs/packages/jetstream.json new file mode 100644 index 00000000000..0116a566810 --- /dev/null +++ b/locales/cs/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Na e-mailovou adresu, kterou jste uvedli při registraci, byl zaslán nový ověřovací odkaz.", + "Accept Invitation": "Přijmout Pozvání", + "Add": "Přidat", + "Add a new team member to your team, allowing them to collaborate with you.": "Přidejte do svého týmu nového člena týmu, který jim umožní spolupracovat s vámi.", + "Add additional security to your account using two factor authentication.": "Přidejte do svého účtu další zabezpečení pomocí dvoufaktorové autentizace.", + "Add Team Member": "Přidat Člena Týmu", + "Added.": "Znít.", + "Administrator": "Správce", + "Administrator users can perform any action.": "Uživatelé správce mohou provádět jakoukoli akci.", + "All of the people that are part of this team.": "Všichni lidé, kteří jsou součástí tohoto týmu.", + "Already registered?": "Už jste se zaregistrovali?", + "API Token": "Token API", + "API Token Permissions": "API Token oprávnění", + "API Tokens": "Tokeny API", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API tokeny umožňují služby třetích stran ověřit pomocí naší aplikace vaším jménem.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Jste si jisti, že chcete tento tým smazat? Jakmile bude tým smazán, všechny jeho zdroje a data budou trvale smazány.", + "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.": "Jste si jisti, že chcete svůj účet smazat? Jakmile bude váš účet smazán, všechny jeho zdroje a data budou trvale smazány. Zadejte své heslo pro potvrzení, že chcete trvale smazat svůj účet.", + "Are you sure you would like to delete this API token?": "Jste si jisti, že byste chtěli odstranit tento token API?", + "Are you sure you would like to leave this team?": "Jste si jistý, že byste chtěl opustit tento tým?", + "Are you sure you would like to remove this person from the team?": "Jste si jisti, že byste chtěli odstranit tuto osobu z týmu?", + "Browser Sessions": "Relace Prohlížeče", + "Cancel": "Zrušit", + "Close": "Uzavřít", + "Code": "Kód", + "Confirm": "Potvrdit", + "Confirm Password": "Kontrola hesla", + "Create": "Vytvořit", + "Create a new team to collaborate with others on projects.": "Vytvořte nový tým, který bude spolupracovat s ostatními na projektech.", + "Create Account": "Vytvořit Účet", + "Create API Token": "Vytvořit Token API", + "Create New Team": "Vytvořit Nový Tým", + "Create Team": "Vytvořit Tým", + "Created.": "Vytvořit.", + "Current Password": "Aktuální Heslo", + "Dashboard": "Panel", + "Delete": "Odstranit", + "Delete Account": "Smazat Účet", + "Delete API Token": "Smazat Token API", + "Delete Team": "Smazat Tým", + "Disable": "Zakázat", + "Done.": "Být.", + "Editor": "Editor", + "Editor users have the ability to read, create, and update.": "Uživatelé editoru mají možnost číst, vytvářet a aktualizovat.", + "Email": "Mail", + "Email Password Reset Link": "Odkaz Na Resetování Hesla E-Mailem", + "Enable": "Povolit", + "Ensure your account is using a long, random password to stay secure.": "Ujistěte se, že váš účet používá dlouhé, náhodné heslo, abyste zůstali v bezpečí.", + "For your security, please confirm your password to continue.": "Pro vaši bezpečnost potvrďte své heslo, abyste mohli pokračovat.", + "Forgot your password?": "Zapomněli jste heslo?", + "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.": "Zapomněli jste heslo? Žádný problém. Dejte nám vědět vaši e-mailovou adresu a my vám zašleme e-mail s odkazem na resetování hesla, který vám umožní vybrat si novou.", + "Great! You have accepted the invitation to join the :team team.": "Skvělé! Přijali jste pozvání do týmu :team.", + "I agree to the :terms_of_service and :privacy_policy": "Souhlasím s :terms_of_service a :privacy_policy", + "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.": "V případě potřeby se můžete odhlásit ze všech ostatních relací prohlížeče ve všech zařízeních. Některé z vašich nedávných relací jsou uvedeny níže; tento seznam však nemusí být vyčerpávající. Pokud máte pocit, že váš účet byl ohrožen, měli byste také aktualizovat své heslo.", + "If you already have an account, you may accept this invitation by clicking the button below:": "Pokud již máte účet, můžete tuto pozvánku přijmout kliknutím na tlačítko níže:", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Pokud jste neočekávali, že obdržíte pozvánku do tohoto týmu, můžete tento e-mail zrušit.", + "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:": "Pokud nemáte účet, můžete jej vytvořit kliknutím na tlačítko níže. Po vytvoření účtu můžete kliknutím na tlačítko pro přijetí pozvánky v tomto e-mailu přijmout pozvánku týmu:", + "Last active": "Poslední aktivní", + "Last used": "Poslední použití", + "Leave": "Opustit", + "Leave Team": "Opustit Tým", + "Log in": "Přihlásit", + "Log Out": "odhlásit", + "Log Out Other Browser Sessions": "Odhlásit Další Relace Prohlížeče", + "Manage Account": "Správa Účtu", + "Manage and log out your active sessions on other browsers and devices.": "Správa a odhlášení aktivních relací v jiných prohlížečích a zařízeních.", + "Manage API Tokens": "Správa tokenů API", + "Manage Role": "Správa Role", + "Manage Team": "Správa Týmu", + "Name": "Jméno", + "New Password": "heslo", + "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.": "Jakmile bude tým smazán, všechny jeho zdroje a data budou trvale smazány. Před odstraněním tohoto týmu si prosím stáhněte všechna data nebo informace týkající se tohoto týmu, které si přejete zachovat.", + "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.": "Jakmile bude váš účet smazán, všechny jeho zdroje a data budou trvale smazány. Před smazáním účtu si prosím stáhněte všechna data nebo informace, které chcete zachovat.", + "Password": "Heslo", + "Pending Team Invitations": "Čekající Týmové Pozvánky", + "Permanently delete this team.": "Trvale smazat tento tým.", + "Permanently delete your account.": "Trvale smazat svůj účet.", + "Permissions": "Oprávnění", + "Photo": "Fotografia", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Potvrďte přístup ke svému účtu zadáním jednoho z vašich kódů pro nouzové obnovení.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Potvrďte přístup ke svému účtu zadáním ověřovacího kódu poskytnutého aplikací authenticator.", + "Please copy your new API token. For your security, it won't be shown again.": "Zkopírujte prosím svůj nový token API. Pro vaši bezpečnost se to znovu nezobrazí.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Zadejte heslo pro potvrzení, že se chcete odhlásit z ostatních relací prohlížeče ve všech zařízeních.", + "Please provide the email address of the person you would like to add to this team.": "Uveďte prosím e-mailovou adresu osoby, kterou chcete přidat do tohoto týmu.", + "Privacy Policy": "soukromí", + "Profile": "Profil", + "Profile Information": "Profilové Údaje", + "Recovery Code": "Kód Obnovení", + "Regenerate Recovery Codes": "Regenerovat Kódy Obnovy", + "Register": "Registrace", + "Remember me": "Pamatuj si mě", + "Remove": "Odstranit", + "Remove Photo": "Odstranit Fotografii", + "Remove Team Member": "Odebrat Člena Týmu", + "Resend Verification Email": "Znovu Odeslat Ověřovací E-Mail", + "Reset Password": "Obnovit heslo", + "Role": "Role", + "Save": "Uložit", + "Saved.": "Spást.", + "Select A New Photo": "Vyberte Novou Fotografii", + "Show Recovery Codes": "Zobrazit Kódy Pro Obnovení", + "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.": "Uložte tyto kódy pro obnovení v bezpečném správci hesel. Mohou být použity k obnovení přístupu k vašemu účtu, pokud dojde ke ztrátě dvoufaktorového autentizačního zařízení.", + "Switch Teams": "Přepnout Týmy", + "Team Details": "Podrobnosti O Týmu", + "Team Invitation": "Pozvánka Týmu", + "Team Members": "tým", + "Team Name": "Název Týmu", + "Team Owner": "Majitel Týmu", + "Team Settings": "Nastavení Týmu", + "Terms of Service": "podmínka", + "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.": "Díky za registraci! Než začnete, mohli byste ověřit svou e-mailovou adresu kliknutím na odkaz, který jsme Vám právě zaslali e-mailem? Pokud jste e-mail neobdrželi, rádi Vám zašleme další.", + "The :attribute must be a valid role.": ":attribute musí být platnou rolí.", + "The :attribute must be at least :length characters and contain at least one number.": ":attribute musí mít nejméně :length znaků a musí obsahovat alespoň jedno číslo.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute musí mít nejméně :length znaků a musí obsahovat alespoň jeden speciální znak a jedno číslo.", + "The :attribute must be at least :length characters and contain at least one special character.": ":attribute musí mít nejméně :length znaků a musí obsahovat alespoň jeden speciální znak.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute musí mít nejméně :length znaků a musí obsahovat alespoň jeden velký znak a jedno číslo.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute musí mít nejméně :length znaků a musí obsahovat alespoň jeden velký znak a jeden speciální znak.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute musí mít nejméně :length znaků a musí obsahovat alespoň jeden velký znak, jedno číslo a jeden speciální znak.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute musí mít nejméně :length znaků a musí obsahovat alespoň jedno velké písmeno.", + "The :attribute must be at least :length characters.": ":attribute musí mít nejméně :length znaků.", + "The provided password does not match your current password.": "Zadané heslo neodpovídá vašemu současnému heslu.", + "The provided password was incorrect.": "Zadané heslo bylo nesprávné.", + "The provided two factor authentication code was invalid.": "Poskytnutý dvoufaktorový ověřovací kód byl neplatný.", + "The team's name and owner information.": "Jméno a informace o majiteli týmu.", + "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.": "Tito lidé byli pozváni do vašeho týmu a byly zaslány e-mail s pozvánkou. Mohou se připojit k týmu přijetím e-mailové pozvánky.", + "This device": "Zařízení", + "This is a secure area of the application. Please confirm your password before continuing.": "Jedná se o bezpečnou oblast aplikace. Před pokračováním potvrďte své heslo.", + "This password does not match our records.": "Toto heslo neodpovídá našim záznamům.", + "This user already belongs to the team.": "Tento uživatel již patří do týmu.", + "This user has already been invited to the team.": "Tento uživatel již byl pozván do týmu.", + "Token Name": "Název Tokenu", + "Two Factor Authentication": "Dvoufaktorová Autentizace", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Dvoufaktorová autentizace je nyní povolena. Naskenujte následující QR kód pomocí aplikace authenticator vašeho telefonu.", + "Update Password": "Aktualizovat Heslo", + "Update your account's profile information and email address.": "Aktualizujte informace o profilu svého účtu a e-mailovou adresu.", + "Use a recovery code": "Použijte kód pro obnovení", + "Use an authentication code": "Použijte ověřovací kód", + "We were unable to find a registered user with this email address.": "Nebyli jsme schopni najít registrovaného uživatele s touto e-mailovou adresou.", + "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.": "Pokud je povolena dvoufaktorová autentizace, budete během ověřování vyzváni k bezpečnému náhodnému tokenu. Tento token můžete získat z aplikace Google Authenticator v telefonu.", + "Whoops! Something went wrong.": "Hups! Něco se pokazilo.", + "You have been invited to join the :team team!": "Byli jste pozváni, abyste se připojili k týmu :team!", + "You have enabled two factor authentication.": "Umožnili jste dvoufaktorové ověření.", + "You have not enabled two factor authentication.": "Nepovolili jste dvoufaktorovou autentizaci.", + "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.": "Můžete odstranit některý z vašich stávajících žetonů, pokud již nejsou potřeba.", + "You may not delete your personal team.": "Nesmíte smazat svůj osobní tým.", + "You may not leave a team that you created.": "Nesmíte opustit tým, který jste vytvořili." +} diff --git a/locales/cs/packages/nova.json b/locales/cs/packages/nova.json new file mode 100644 index 00000000000..a91ee97b43f --- /dev/null +++ b/locales/cs/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 dní", + "60 Days": "60 dní", + "90 Days": "90 dní", + ":amount Total": ":amount celkem", + ":resource Details": ":resource podrobnosti", + ":resource Details: :title": ":resource podrobnosti: :title", + "Action": "Akce", + "Action Happened At": "Stalo Se Na", + "Action Initiated By": "Iniciováno", + "Action Name": "Název", + "Action Status": "Stav", + "Action Target": "Cíl", + "Actions": "Akce", + "Add row": "Přidat řádek", + "Afghanistan": "Afghánistán", + "Aland Islands": "Ålandské Ostrovy", + "Albania": "Albánie", + "Algeria": "Alžírsko", + "All resources loaded.": "Všechny zdroje načteny.", + "American Samoa": "Americká Samoa", + "An error occured while uploading the file.": "Při nahrávání souboru došlo k chybě.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Jiný uživatel aktualizoval tento zdroj od načtení této stránky. Obnovte stránku a zkuste to znovu.", + "Antarctica": "Antarktis", + "Antigua And Barbuda": "Antigua a Barbuda", + "April": "Duben", + "Are you sure you want to delete the selected resources?": "Jste si jisti, že chcete odstranit vybrané zdroje?", + "Are you sure you want to delete this file?": "Jste si jisti, že chcete tento soubor smazat?", + "Are you sure you want to delete this resource?": "Jste si jisti, že chcete tento zdroj smazat?", + "Are you sure you want to detach the selected resources?": "Jste si jisti, že chcete oddělit vybrané zdroje?", + "Are you sure you want to detach this resource?": "Jste si jisti, že chcete tento zdroj oddělit?", + "Are you sure you want to force delete the selected resources?": "Jste si jisti, že chcete vynutit odstranění vybraných zdrojů?", + "Are you sure you want to force delete this resource?": "Jste si jisti, že chcete tento zdroj vynutit?", + "Are you sure you want to restore the selected resources?": "Jste si jisti, že chcete obnovit vybrané zdroje?", + "Are you sure you want to restore this resource?": "Jste si jisti, že chcete tento zdroj Obnovit?", + "Are you sure you want to run this action?": "Jste si jistý, že chcete spustit tuto akci?", + "Argentina": "Argentina", + "Armenia": "Arménie", + "Aruba": "Aruba", + "Attach": "Připojit", + "Attach & Attach Another": "Připojit A Připojit Další", + "Attach :resource": "Připojit :resource", + "August": "Srpen", + "Australia": "Austrálie", + "Austria": "Rakousko", + "Azerbaijan": "Ázerbájdžán", + "Bahamas": "Bahamy", + "Bahrain": "Bahrajn", + "Bangladesh": "Bangladéš", + "Barbados": "Barbados", + "Belarus": "Bělorusko", + "Belgium": "Belgie", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermudy", + "Bhutan": "Bhútán", + "Bolivia": "Bolívie", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius a Sábado", + "Bosnia And Herzegovina": "Bosna a Hercegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvetův Ostrov", + "Brazil": "Brazílie", + "British Indian Ocean Territory": "Území Britského Indického Oceánu", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulharsko", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodža", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel": "Zrušit", + "Cape Verde": "Kapverdy", + "Cayman Islands": "Kajmanské Ostrovy", + "Central African Republic": "Středoafrická Republika", + "Chad": "Čada", + "Changes": "Změna", + "Chile": "Chile", + "China": "China", + "Choose": "Vybrat", + "Choose :field": "Vybrat :field", + "Choose :resource": "Vyberte :resource", + "Choose an option": "Vyberte možnost", + "Choose date": "Zvolte datum", + "Choose File": "Vyberte Soubor", + "Choose Type": "Vyberte Typ", + "Christmas Island": "Vánoční Ostrov", + "Click to choose": "Klikněte pro výběr", + "Cocos (Keeling) Islands": "Cocos (Keeling) Ostrovy", + "Colombia": "Kolumbie", + "Comoros": "Komora", + "Confirm Password": "Kontrola hesla", + "Congo": "Kongo", + "Congo, Democratic Republic": "Kongo, Demokratická Republika", + "Constant": "Konstanta", + "Cook Islands": "Cookovy Ostrovy", + "Costa Rica": "Kostarika", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "nemohl být nalezen.", + "Create": "Vytvořit", + "Create & Add Another": "Vytvořit A Přidat Další", + "Create :resource": "Vytvořit :resource", + "Croatia": "Chorvatsko", + "Cuba": "Kubo", + "Curaçao": "Curacao", + "Customize": "Přizpůsobit", + "Cyprus": "Kypr", + "Czech Republic": "Česko", + "Dashboard": "Panel", + "December": "Prosinec", + "Decrease": "Snížit", + "Delete": "Odstranit", + "Delete File": "Smazat Soubor", + "Delete Resource": "Smazat Zdroj", + "Delete Selected": "Smazat Vybrané", + "Denmark": "Dánsko", + "Detach": "Odpojit", + "Detach Resource": "Odpojit Zdroj", + "Detach Selected": "Odpojit Vybrané", + "Details": "Informace", + "Djibouti": "Džibuti", + "Do you really want to leave? You have unsaved changes.": "Opravdu chceš odejít? Máte neuložené změny.", + "Dominica": "Neděle", + "Dominican Republic": "Dominikánská Republika", + "Download": "Stáhnout", + "Ecuador": "Ekvádor", + "Edit": "Upravit", + "Edit :resource": "Upravit :resource", + "Edit Attached": "Upravit Připojeno", + "Egypt": "Egypt", + "El Salvador": "Salvador", + "Email Address": "adresa", + "Equatorial Guinea": "Rovníková Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonsko", + "Ethiopia": "Etiopie", + "Falkland Islands (Malvinas)": "Falklandské Ostrovy (Malvinas)", + "Faroe Islands": "Faerské Ostrovy", + "February": "Únor", + "Fiji": "Fidži", + "Finland": "Finsko", + "Force Delete": "Vynutit Odstranění", + "Force Delete Resource": "Vynutit Odstranění Zdroje", + "Force Delete Selected": "Vynutit Smazat Vybrané", + "Forgot Your Password?": "Zapomněli jste heslo?", + "Forgot your password?": "Zapomněli jste heslo?", + "France": "Franci", + "French Guiana": "Francouzská Guyana", + "French Polynesia": "Francouzská Polynésie", + "French Southern Territories": "Francouzská Jižní Území", + "Gabon": "Gabun", + "Gambia": "Gambie", + "Georgia": "Gruzie", + "Germany": "Německo", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "Domů", + "Greece": "Řecko", + "Greenland": "Grónsko", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guayana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Heard Island a McDonald Islands", + "Hide Content": "Skrýt Obsah", + "Hold Up!": "Vydrž!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hongkong", + "Hungary": "Maďarsko", + "Iceland": "Island", + "ID": "IDY", + "If you did not request a password reset, no further action is required.": "Pokud jste nežádali o obnovení hesla, zprávu smažte. Původní heslo zůstalo beze změny.", + "Increase": "Zvýšit", + "India": "Indie", + "Indonesia": "Indonésie", + "Iran, Islamic Republic Of": "Írán", + "Iraq": "Irák", + "Ireland": "Irsko", + "Isle Of Man": "Man", + "Israel": "Izrael", + "Italy": "Itálie", + "Jamaica": "Jamajka", + "January": "Leden", + "Japan": "Japonsko", + "Jersey": "Dres", + "Jordan": "Jordánsko", + "July": "Červenec", + "June": "Červen", + "Kazakhstan": "Kazachstán", + "Kenya": "Keňa", + "Key": "Klíč", + "Kiribati": "Kiribati", + "Korea": "Korea", + "Korea, Democratic People's Republic of": "Korea", + "Kosovo": "Zem", + "Kuwait": "Kuvajt", + "Kyrgyzstan": "Kyrgyzstán", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Lotyšsko", + "Lebanon": "Libanon", + "Lens": "Objektiv", + "Lesotho": "Lesotho", + "Liberia": "Libérie", + "Libyan Arab Jamahiriya": "Libye", + "Liechtenstein": "Lichtenštejnsko", + "Lithuania": "Litva", + "Load :perPage More": "Načíst :perpage více", + "Login": "Přihlášení", + "Logout": "Odlášení", + "Luxembourg": "Lucembursko", + "Macao": "Macao", + "Macedonia": "Severní Makedonie", + "Madagascar": "Madagaskar", + "Malawi": "Malawi", + "Malaysia": "Malajsie", + "Maldives": "Maledivy", + "Mali": "Malý", + "Malta": "Malta", + "March": "Březen", + "Marshall Islands": "Marshallovy Ostrovy", + "Martinique": "Martinik", + "Mauritania": "Mauretánie", + "Mauritius": "Mauritius", + "May": "Květen", + "Mayotte": "Mayotte", + "Mexico": "Mexiko", + "Micronesia, Federated States Of": "Mikronésie", + "Moldova": "Moldavsko", + "Monaco": "Monako", + "Mongolia": "Mongolsko", + "Montenegro": "Hora", + "Month To Date": "Měsíc K Dnešnímu Dni", + "Montserrat": "Montserrat", + "Morocco": "Maroko", + "Mozambique": "Mosambik", + "Myanmar": "Barma", + "Namibia": "Namibie", + "Nauru": "Nauru", + "Nepal": "Nepál", + "Netherlands": "Nizozemsko", + "New": "Nový", + "New :resource": "Nový :resource", + "New Caledonia": "Nová Kaledonie", + "New Zealand": "Zéland", + "Next": "Další", + "Nicaragua": "Nikaragua", + "Niger": "Niger", + "Nigeria": "Nigérie", + "Niue": "Niue", + "No": "Č", + "No :resource matched the given criteria.": "Číslo :resource odpovídalo daným kritériím.", + "No additional information...": "Žádné další informace...", + "No Current Data": "Žádné Aktuální Údaje", + "No Data": "Žádné Údaje", + "no file selected": "není vybrán žádný soubor", + "No Increase": "Žádné Zvýšení", + "No Prior Data": "Žádné Předchozí Údaje", + "No Results Found.": "Nebyly Nalezeny Žádné Výsledky.", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Severní Mariánské Ostrovy", + "Norway": "Norsko", + "Nova User": "Uživatel Nova", + "November": "Listopad", + "October": "Říjen", + "of": "z", + "Oman": "Omán", + "Only Trashed": "Pouze Zničený", + "Original": "Původní", + "Pakistan": "Pákistán", + "Palau": "Povolení", + "Palestinian Territory, Occupied": "Palestinská Území", + "Panama": "Panama", + "Papua New Guinea": "Papua-Nová Guinea", + "Paraguay": "Paraguay", + "Password": "Heslo", + "Per Page": "Na Stránku", + "Peru": "Pero", + "Philippines": "Filipíny", + "Pitcairn": "Pitcairnovy Ostrovy", + "Poland": "Polsko", + "Portugal": "Portugalsko", + "Press \/ to search": "Stiskněte \/ pro vyhledávání", + "Preview": "Náhled", + "Previous": "Předchozí", + "Puerto Rico": "Portoriko", + "Qatar": "Qatar", + "Quarter To Date": "Čtvrtletí K Dnešnímu Dni", + "Reload": "Načíst", + "Remember Me": "Zapamatovat", + "Reset Filters": "Resetovat Filtry", + "Reset Password": "Obnovit heslo", + "Reset Password Notification": "Požadavek na obnovení hesla", + "resource": "zdroj", + "Resources": "Zdroj", + "resources": "zdroj", + "Restore": "Obnovit", + "Restore Resource": "Obnovit Zdroj", + "Restore Selected": "Obnovit Vybrané", + "Reunion": "Zasedání", + "Romania": "Rumunsko", + "Run Action": "Spustit Akci", + "Russian Federation": "Rusko", + "Rwanda": "Rwanda", + "Saint Barthelemy": "Svatý Bartoloměj", + "Saint Helena": "Svatá Helena", + "Saint Kitts And Nevis": "Svatý Kryštof a Nevis", + "Saint Lucia": "Svatá Lucie", + "Saint Martin": "Svatý Martin", + "Saint Pierre And Miquelon": "Svatý Pierre a Miquelon", + "Saint Vincent And Grenadines": "Svatý Vincenc a Grenadiny", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "Svatopluk Tomé a Príncipe", + "Saudi Arabia": "Saúdská Arábie", + "Search": "Vyhledávání", + "Select Action": "Vyberte Akci", + "Select All": "Vyberte Vše", + "Select All Matching": "Vyberte Všechny Odpovídající", + "Send Password Reset Link": "Poslat odkaz pro obnovení hesla", + "Senegal": "Senegal", + "September": "Září", + "Serbia": "Srbsko", + "Seychelles": "Seychely", + "Show All Fields": "Zobrazit Všechna Pole", + "Show Content": "Zobrazit Obsah", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapur", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovensko", + "Slovenia": "Slovinsko", + "Solomon Islands": "Šalamounovy Ostrovy", + "Somalia": "Somálsko", + "Something went wrong.": "Něco se pokazilo.", + "Sorry! You are not authorized to perform this action.": "Promiň! Nejste oprávněni provádět tuto akci.", + "Sorry, your session has expired.": "Promiňte, vaše relace vypršela.", + "South Africa": "jaro", + "South Georgia And Sandwich Isl.": "Jižní Georgie a Jižní Sandwichovy ostrovy", + "South Sudan": "Jižní Súdán", + "Spain": "Španělsko", + "Sri Lanka": "Srí Lanka", + "Start Polling": "Začněte S Průzkumem", + "Stop Polling": "Zastavte Hlasování", + "Sudan": "Súdán", + "Suriname": "Surinam", + "Svalbard And Jan Mayen": "Špicberky a Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Švédsko", + "Switzerland": "Švýcarsko", + "Syrian Arab Republic": "Sýrie", + "Taiwan": "Tchaj-wan", + "Tajikistan": "Tádžikistán", + "Tanzania": "Tanzanie", + "Thailand": "Thajsko", + "The :resource was created!": ":resource byl vytvořen!", + "The :resource was deleted!": ":resource byl smazán!", + "The :resource was restored!": ":resource byl obnoven!", + "The :resource was updated!": ":resource byl aktualizován!", + "The action ran successfully!": "Akce proběhla úspěšně!", + "The file was deleted!": "Soubor byl smazán!", + "The government won't let us show you what's behind these doors": "Vláda nám nedovolí ukázat vám, co je za těmito dveřmi", + "The HasOne relationship has already been filled.": "Vztah HasOne již byl naplněn.", + "The resource was updated!": "Zdroj byl aktualizován!", + "There are no available options for this resource.": "Pro tento zdroj nejsou k dispozici žádné možnosti.", + "There was a problem executing the action.": "Došlo k problému provedení akce.", + "There was a problem submitting the form.": "Byl problém předložit formulář.", + "This file field is read-only.": "Toto pole souboru je pouze pro čtení.", + "This image": "Obrázek", + "This resource no longer exists": "Tento zdroj již neexistuje", + "Timor-Leste": "Timor-Leste", + "Today": "Dnešek", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Přijít", + "total": "celek", + "Trashed": "Smetit", + "Trinidad And Tobago": "Trinidad a Tobago", + "Tunisia": "Tunisko", + "Turkey": "Turecko", + "Turkmenistan": "Turkmenistán", + "Turks And Caicos Islands": "Ostrovy Turks a Caicos", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukrajina", + "United Arab Emirates": "Spojené Arabské Emiráty", + "United Kingdom": "Británie", + "United States": "USA", + "United States Outlying Islands": "Odlehlé ostrovy USA", + "Update": "Aktualizace", + "Update & Continue Editing": "Aktualizovat A Pokračovat V Úpravách", + "Update :resource": "Aktualizace :resource", + "Update :resource: :title": "Aktualizace :resource: :title", + "Update attached :resource: :title": "Aktualizace připojena :resource: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistán", + "Value": "Hodnota", + "Vanuatu": "Poletucha", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Výhled", + "Virgin Islands, British": "Britské Panenské Ostrovy", + "Virgin Islands, U.S.": "Americké Panenské ostrovy", + "Wallis And Futuna": "Wallis a Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Ztratili jsme se ve vesmíru. Stránka, kterou jste se snažili zobrazit, neexistuje.", + "Welcome Back!": "Vítej Zpátky!", + "Western Sahara": "Západní Sahara", + "Whoops": "Whoops", + "Whoops!": "Jejda!", + "With Trashed": "Se Zničenou", + "Write": "Napsat", + "Year To Date": "Rok K Dnešnímu Dni", + "Yemen": "Jemenský", + "Yes": "Ano", + "You are receiving this email because we received a password reset request for your account.": "Tato zpráva vám byla doručena na základě žádosti pro obnovení hesla.", + "Zambia": "Zambie", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/cs/packages/spark-paddle.json b/locales/cs/packages/spark-paddle.json new file mode 100644 index 00000000000..d485da335df --- /dev/null +++ b/locales/cs/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "podmínka", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Hups! Něco se pokazilo.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/cs/packages/spark-stripe.json b/locales/cs/packages/spark-stripe.json new file mode 100644 index 00000000000..c69b8091d6a --- /dev/null +++ b/locales/cs/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afghánistán", + "Albania": "Albánie", + "Algeria": "Alžírsko", + "American Samoa": "Americká Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarktis", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Arménie", + "Aruba": "Aruba", + "Australia": "Austrálie", + "Austria": "Rakousko", + "Azerbaijan": "Ázerbájdžán", + "Bahamas": "Bahamy", + "Bahrain": "Bahrajn", + "Bangladesh": "Bangladéš", + "Barbados": "Barbados", + "Belarus": "Bělorusko", + "Belgium": "Belgie", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermudy", + "Bhutan": "Bhútán", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvetův Ostrov", + "Brazil": "Brazílie", + "British Indian Ocean Territory": "Území Britského Indického Oceánu", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulharsko", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodža", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Kapverdy", + "Card": "Karta", + "Cayman Islands": "Kajmanské Ostrovy", + "Central African Republic": "Středoafrická Republika", + "Chad": "Čada", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Chile", + "China": "China", + "Christmas Island": "Vánoční Ostrov", + "City": "City", + "Cocos (Keeling) Islands": "Cocos (Keeling) Ostrovy", + "Colombia": "Kolumbie", + "Comoros": "Komora", + "Confirm Payment": "Potvrzení Platby", + "Confirm your :amount payment": "Potvrďte platbu :amount", + "Congo": "Kongo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Cookovy Ostrovy", + "Costa Rica": "Kostarika", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Chorvatsko", + "Cuba": "Kubo", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Kypr", + "Czech Republic": "Česko", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Dánsko", + "Djibouti": "Džibuti", + "Dominica": "Neděle", + "Dominican Republic": "Dominikánská Republika", + "Download Receipt": "Download Receipt", + "Ecuador": "Ekvádor", + "Egypt": "Egypt", + "El Salvador": "Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Rovníková Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonsko", + "Ethiopia": "Etiopie", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Pro zpracování vaší platby je nutné další potvrzení. Pokračujte prosím na platební stránku kliknutím na tlačítko níže.", + "Falkland Islands (Malvinas)": "Falklandské Ostrovy (Malvinas)", + "Faroe Islands": "Faerské Ostrovy", + "Fiji": "Fidži", + "Finland": "Finsko", + "France": "Franci", + "French Guiana": "Francouzská Guyana", + "French Polynesia": "Francouzská Polynésie", + "French Southern Territories": "Francouzská Jižní Území", + "Gabon": "Gabun", + "Gambia": "Gambie", + "Georgia": "Gruzie", + "Germany": "Německo", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Řecko", + "Greenland": "Grónsko", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guayana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hongkong", + "Hungary": "Maďarsko", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Island", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Indie", + "Indonesia": "Indonésie", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Irák", + "Ireland": "Irsko", + "Isle of Man": "Isle of Man", + "Israel": "Izrael", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Itálie", + "Jamaica": "Jamajka", + "Japan": "Japonsko", + "Jersey": "Dres", + "Jordan": "Jordánsko", + "Kazakhstan": "Kazachstán", + "Kenya": "Keňa", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Korea", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuvajt", + "Kyrgyzstan": "Kyrgyzstán", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Lotyšsko", + "Lebanon": "Libanon", + "Lesotho": "Lesotho", + "Liberia": "Libérie", + "Libyan Arab Jamahiriya": "Libye", + "Liechtenstein": "Lichtenštejnsko", + "Lithuania": "Litva", + "Luxembourg": "Lucembursko", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagaskar", + "Malawi": "Malawi", + "Malaysia": "Malajsie", + "Maldives": "Maledivy", + "Mali": "Malý", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marshallovy Ostrovy", + "Martinique": "Martinik", + "Mauritania": "Mauretánie", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mexiko", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monako", + "Mongolia": "Mongolsko", + "Montenegro": "Hora", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Maroko", + "Mozambique": "Mosambik", + "Myanmar": "Barma", + "Namibia": "Namibie", + "Nauru": "Nauru", + "Nepal": "Nepál", + "Netherlands": "Nizozemsko", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Nová Kaledonie", + "New Zealand": "Zéland", + "Nicaragua": "Nikaragua", + "Niger": "Niger", + "Nigeria": "Nigérie", + "Niue": "Niue", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Severní Mariánské Ostrovy", + "Norway": "Norsko", + "Oman": "Omán", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pákistán", + "Palau": "Povolení", + "Palestinian Territory, Occupied": "Palestinská Území", + "Panama": "Panama", + "Papua New Guinea": "Papua-Nová Guinea", + "Paraguay": "Paraguay", + "Payment Information": "Payment Information", + "Peru": "Pero", + "Philippines": "Filipíny", + "Pitcairn": "Pitcairnovy Ostrovy", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Polsko", + "Portugal": "Portugalsko", + "Puerto Rico": "Portoriko", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Rumunsko", + "Russian Federation": "Rusko", + "Rwanda": "Rwanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Svatá Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Svatá Lucie", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saúdská Arábie", + "Save": "Uložit", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Srbsko", + "Seychelles": "Seychely", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapur", + "Slovakia": "Slovensko", + "Slovenia": "Slovinsko", + "Solomon Islands": "Šalamounovy Ostrovy", + "Somalia": "Somálsko", + "South Africa": "jaro", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Španělsko", + "Sri Lanka": "Srí Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Súdán", + "Suriname": "Surinam", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Švédsko", + "Switzerland": "Švýcarsko", + "Syrian Arab Republic": "Sýrie", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tádžikistán", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "podmínka", + "Thailand": "Thajsko", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Přijít", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisko", + "Turkey": "Turecko", + "Turkmenistan": "Turkmenistán", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukrajina", + "United Arab Emirates": "Spojené Arabské Emiráty", + "United Kingdom": "Británie", + "United States": "USA", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Aktualizace", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistán", + "Vanuatu": "Poletucha", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Britské Panenské Ostrovy", + "Virgin Islands, U.S.": "Americké Panenské ostrovy", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Západní Sahara", + "Whoops! Something went wrong.": "Hups! Něco se pokazilo.", + "Yearly": "Yearly", + "Yemen": "Jemenský", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambie", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/cy/cy.json b/locales/cy/cy.json index 2d3886b8992..33748a518dd 100644 --- a/locales/cy/cy.json +++ b/locales/cy/cy.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Diwrnod", - "60 Days": "60 Diwrnodau", - "90 Days": "90 Diwrnod", - ":amount Total": ":amount Cyfanswm", - ":days day trial": ":days day trial", - ":resource Details": ":resource Manylion", - ":resource Details: :title": ":resource Manylion: :title", "A fresh verification link has been sent to your email address.": "Ffres ddolen dilysu wedi cael ei anfon at eich cyfeiriad e-bost.", - "A new verification link has been sent to the email address you provided during registration.": "Newydd ddolen dilysu wedi cael ei anfon at y cyfeiriad e-bost bydd darparu yn ystod cofrestru.", - "Accept Invitation": "Derbyn Gwahoddiad", - "Action": "Gweithredu", - "Action Happened At": "Digwydd Ar", - "Action Initiated By": "A Gychwynnwyd Gan", - "Action Name": "Enw", - "Action Status": "Statws", - "Action Target": "Targed", - "Actions": "Camau gweithredu", - "Add": "Ychwanegu", - "Add a new team member to your team, allowing them to collaborate with you.": "Ychwanegu aelod o'r tîm newydd yn eich tîm, gan eu galluogi i gydweithio gyda chi.", - "Add additional security to your account using two factor authentication.": "Ychwanegu diogelwch ychwanegol at eich cyfrif gan ddefnyddio dau ffactor dilysu.", - "Add row": "Ychwanegu rhes", - "Add Team Member": "Ychwanegu Aelod O'r Tîm", - "Add VAT Number": "Add VAT Number", - "Added.": "Ychwanegodd.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Gweinyddwr", - "Administrator users can perform any action.": "Gweinyddwr defnyddwyr yn gallu perfformio unrhyw gamau.", - "Afghanistan": "Afghanistan", - "Aland Islands": "Ynysoedd Åland", - "Albania": "Albania", - "Algeria": "Algeria", - "All of the people that are part of this team.": "Mae pob un o'r bobl sy'n rhan o'r tîm hwn.", - "All resources loaded.": "Mae'r holl adnoddau llwytho.", - "All rights reserved.": "Cedwir pob hawl.", - "Already registered?": "Eisoes wedi cofrestru?", - "American Samoa": "American Samoa", - "An error occured while uploading the file.": "Gwall digwydd wrth llwytho i fyny y ffeil.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorran", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Defnyddiwr arall wedi diweddaru adnodd hwn ers y dudalen ei lwytho. Os gwelwch yn dda adnewyddu'r dudalen a cheisiwch eto.", - "Antarctica": "Antarctica", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua a Barbuda", - "API Token": "API Tocyn", - "API Token Permissions": "API Tocyn Caniatâd", - "API Tokens": "API Tocynnau", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API tocynnau caniatáu i wasanaethau trydydd parti i ddilysu gyda ein cais ar eich rhan.", - "April": "Ebrill", - "Are you sure you want to delete the selected resources?": "Ydych chi'n siŵr eich bod eisiau dileu y dewis adnoddau?", - "Are you sure you want to delete this file?": "Ydych chi'n siŵr eich bod am ddileu'r ffeil hon?", - "Are you sure you want to delete this resource?": "Ydych chi'n siŵr eich bod am dileu yr adnodd hwn?", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Ydych chi'n siŵr eich bod eisiau dileu y tîm hwn? Unwaith y bydd tîm yn cael ei ddileu, ei holl adnoddau data a fydd yn cael eu dileu yn barhaol.", - "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.": "Ydych chi'n siŵr eich bod am ddileu eich cyfrif? Unwaith y bydd eich cyfrif yn cael ei ddileu, ei holl adnoddau data a fydd yn cael eu dileu yn barhaol. Os gwelwch yn dda rhowch eich cyfrinair i gadarnhau y byddech yn hoffi i chi barhaol ddileu eich cyfrif.", - "Are you sure you want to detach the selected resources?": "Ydych chi'n siŵr eich bod am ddatgysylltu a ddewiswyd adnoddau?", - "Are you sure you want to detach this resource?": "Ydych chi'n siŵr eich bod am ddatgysylltu yr adnodd hwn?", - "Are you sure you want to force delete the selected resources?": "Ydych chi'n siŵr eich bod am i orfodi dileu y dewis adnoddau?", - "Are you sure you want to force delete this resource?": "Ydych chi'n siŵr eich bod eisiau i rym dileu adnodd hwn?", - "Are you sure you want to restore the selected resources?": "Ydych chi'n siŵr eich bod eisiau adfer yr adnoddau dethol?", - "Are you sure you want to restore this resource?": "Ydych chi'n siŵr eich bod eisiau adfer yr adnodd hwn?", - "Are you sure you want to run this action?": "Ydych chi'n siŵr eich bod eisiau rhedeg y cam gweithredu hwn?", - "Are you sure you would like to delete this API token?": "A ydych yn sicr y byddech yn hoffi cael gwared ar y API tocyn?", - "Are you sure you would like to leave this team?": "A ydych yn sicr y byddech yn hoffi i adael y tîm hwn?", - "Are you sure you would like to remove this person from the team?": "A ydych yn sicr y byddech yn hoffi i gael gwared ar y person oddi ar y tîm?", - "Argentina": "Yr ariannin", - "Armenia": "Armenia", - "Aruba": "Aruba", - "Attach": "Atodi", - "Attach & Attach Another": "Atodi & Atodi Arall", - "Attach :resource": "Atodwch :resource", - "August": "Awst", - "Australia": "Awstralia", - "Austria": "Awstria", - "Azerbaijan": "Azerbaijan", - "Bahamas": "Bahamas", - "Bahrain": "Bahrain", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Cyn symud ymlaen, os gwelwch yn dda gwiriwch eich e-bost am ddolen dilysu.", - "Belarus": "Belarws", - "Belgium": "Gwlad belg", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bhutan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius a Sábado", - "Bosnia And Herzegovina": "Bosnia a Herzegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvet Island", - "Brazil": "Brasil", - "British Indian Ocean Territory": "Tiriogaeth Brydeinig Cefnfor India", - "Browser Sessions": "Porwr Sesiynau", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bwlgaria", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Cambodia", - "Cameroon": "Camerŵn", - "Canada": "Canada", - "Cancel": "Diddymu", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Cape Verde", - "Card": "Cerdyn", - "Cayman Islands": "Ynysoedd Cayman", - "Central African Republic": "Gweriniaeth Canolbarth Affrica", - "Chad": "Chad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Newidiadau", - "Chile": "Chile", - "China": "Tsieina", - "Choose": "Dewis", - "Choose :field": "Dewiswch :field", - "Choose :resource": "Dewiswch :resource", - "Choose an option": "Dewiswch opsiwn", - "Choose date": "Dewis dyddiad", - "Choose File": "Dewiswch Ffeil", - "Choose Type": "Dewis Math", - "Christmas Island": "Ynys Y Nadolig", - "City": "City", "click here to request another": "cliciwch yma i wneud cais am un arall", - "Click to choose": "Cliciwch i ddewis", - "Close": "Yn agos", - "Cocos (Keeling) Islands": "Cocos (Keeling) Ynysoedd", - "Code": "Cod", - "Colombia": "Colombia", - "Comoros": "Comoros", - "Confirm": "Gadarnhau", - "Confirm Password": "Cadarnhau Cyfrinair", - "Confirm Payment": "Cadarnhau Taliad", - "Confirm your :amount payment": "Cadarnhau eich taliad :amount", - "Congo": "Congo", - "Congo, Democratic Republic": "Congo, Gweriniaeth Ddemocrataidd Y", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Cyson", - "Cook Islands": "Ynysoedd Cook", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "ni ellid dod o hyd.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Creu", - "Create & Add Another": "Creu A Ychwanegu Un Arall", - "Create :resource": "Creu :resource", - "Create a new team to collaborate with others on projects.": "Creu tîm newydd i gydweithio gydag eraill ar brosiectau.", - "Create Account": "Creu Cyfrif", - "Create API Token": "Creu API Tocyn", - "Create New Team": "Creu Tîm Newydd", - "Create Team": "Creu Tîm", - "Created.": "Creu.", - "Croatia": "Croatia", - "Cuba": "Cuba", - "Curaçao": "Curacao", - "Current Password": "Cyfrinair Presennol", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Addasu", - "Cyprus": "Cyprus", - "Czech Republic": "Gweriniaeth tsiec", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Dangosfwrdd", - "December": "Rhagfyr", - "Decrease": "Gostyngiad", - "Delete": "Dileu", - "Delete Account": "Dileu Cyfrif", - "Delete API Token": "Dileu API Tocyn", - "Delete File": "Dileu Ffeil", - "Delete Resource": "Dileu Adnodd", - "Delete Selected": "Glanhau A Ddewiswyd", - "Delete Team": "Dileu Tîm", - "Denmark": "Denmarc", - "Detach": "Datgysylltu", - "Detach Resource": "Datgysylltu Adnoddau", - "Detach Selected": "Datgysylltwch A Ddewiswyd", - "Details": "Manylion", - "Disable": "Analluogi", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Ydych chi wir eisiau gadael? Mae'n rhaid newidiadau heb eu cadw.", - "Dominica": "Dydd sul", - "Dominican Republic": "Gweriniaeth Dominica", - "Done.": "Yn ei wneud.", - "Download": "Download", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-Bost", - "Ecuador": "Ecuador", - "Edit": "Golygu", - "Edit :resource": "Golygu :resource", - "Edit Attached": "Golygu Ynghlwm", - "Editor": "Golygydd", - "Editor users have the ability to read, create, and update.": "Golygydd defnyddwyr yn cael y gallu i ddarllen, creu, ac yn wybodaeth ddiweddaraf.", - "Egypt": "Yr aifft", - "El Salvador": "Salvador", - "Email": "E-bost", - "Email Address": "Cyfeiriad E-Bost", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "E-Bost Ailosod Cyfrinair Cyswllt", - "Enable": "Galluogi", - "Ensure your account is using a long, random password to stay secure.": "Sicrhau bod eich cyfrif yn cael ei ddefnyddio hir, chyfrinair ar hap i aros yn ddiogel.", - "Equatorial Guinea": "Guinea Gyhydeddol", - "Eritrea": "Eritrea", - "Estonia": "Estonia", - "Ethiopia": "Ethiopia", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Yn ychwanegol cadarnhad sydd ei angen i brosesu eich taliad. Os gwelwch yn dda gadarnhau eich taliad drwy lenwi eich manylion talu isod.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Yn ychwanegol cadarnhad sydd ei angen i brosesu eich taliad. Os gwelwch yn dda yn parhau i'r dudalen talu drwy glicio ar y botwm isod.", - "Falkland Islands (Malvinas)": "Ynysoedd Falkland (Malvinas)", - "Faroe Islands": "Ynysoedd Faroe", - "February": "Chwefror", - "Fiji": "Fiji", - "Finland": "Ffindir", - "For your security, please confirm your password to continue.": "Ar gyfer eich diogelwch, os gwelwch yn dda gadarnhau eich cyfrinair i barhau.", "Forbidden": "Gwahardd", - "Force Delete": "Grym Dileu", - "Force Delete Resource": "Grym Dileu Adnodd", - "Force Delete Selected": "Grym Glanhau A Ddewiswyd", - "Forgot Your Password?": "Wedi Anghofio Eich Cyfrinair?", - "Forgot your password?": "Wedi anghofio eich cyfrinair?", - "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.": "Wedi anghofio eich cyfrinair? Dim problem. Dim ond gadewch i ni wybod eich cyfeiriad e-bost a byddwn yn e-bostio i chi ailosod cyfrinair yn ddolen a fydd yn eich galluogi i ddewis un newydd.", - "France": "Ffrainc", - "French Guiana": "Giana Ffrengig", - "French Polynesia": "French Polynesia", - "French Southern Territories": "Tiriogaethau De Ffrainc", - "Full name": "Enw llawn", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Georgia", - "Germany": "Yr almaen", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Mynd yn ôl", - "Go Home": "Mynd Adref", "Go to page :page": "Ewch i dudalen :page", - "Great! You have accepted the invitation to join the :team team.": "Gwych! Rydych chi wedi derbyn y gwahoddiad i ymuno â'r :team tîm.", - "Greece": "Gwlad groeg", - "Greenland": "Yr ynys las", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Ynys Heard ac Ynysoedd McDonald", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Helo!", - "Hide Content": "Cuddio Gynnwys", - "Hold Up!": "Daliwch I Fyny!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Hwngari", - "I agree to the :terms_of_service and :privacy_policy": "Yr wyf yn cytuno i :terms_of_service a :privacy_policy", - "Iceland": "Gwlad yr iâ", - "ID": "ID", - "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.": "Os bydd angen, efallai y byddwch yn logio allan ar eich holl porwr arall sesiynau ar draws eich holl ddyfeisiau. Rhai o'ch sesiynau diweddar yn cael eu rhestru isod; fodd bynnag, efallai y gall y rhestr fod yn gyflawn. Os ydych yn teimlo bod eich cyfrif wedi cael ei gyfaddawdu, fe ddylech chi hefyd ddiweddaru eich cyfrinair.", "If necessary, you may logout 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.": "Os bydd angen, efallai y byddwch yn allgofnodi o bob un o'ch porwr arall sesiynau ar draws eich holl ddyfeisiau. Rhai o'ch sesiynau diweddar yn cael eu rhestru isod; fodd bynnag, efallai y gall y rhestr fod yn gyflawn. Os ydych yn teimlo bod eich cyfrif wedi cael ei gyfaddawdu, fe ddylech chi hefyd ddiweddaru eich cyfrinair.", - "If you already have an account, you may accept this invitation by clicking the button below:": "Os ydych eisoes gennych gyfrif, efallai y byddwch yn derbyn y gwahoddiad hwn gan glicio ar y botwm isod:", "If you did not create an account, no further action is required.": "Os nad ydych wedi creu cyfrif, nid oes unrhyw gamau pellach yn angenrheidiol.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Os nad oeddech yn disgwyl derbyn gwahoddiad i tîm hwn, efallai y byddwch yn thaflwch y e-bost.", "If you did not receive the email": "Os nad ydych wedi derbyn yr e-bost", - "If you did not request a password reset, no further action is required.": "Os na wnaethoch ofyn am ailosod cyfrinair, nid oes unrhyw gamau pellach yn angenrheidiol.", - "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:": "Os nad ydych wedi cyfrif, efallai y byddwch yn creu un drwy glicio ar y botwm isod. Ar ôl creu cyfrif, efallai y byddwch yn cliciwch y gwahoddiad derbyn botwm yn y neges e-bost i dderbyn y gwahoddiad tîm:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Os ydych yn cael trafferth glicio ar y \":actionText\" botwm, copïo a gludo URL y nodir isod\ni mewn i eich porwr gwe:", - "Increase": "Cynyddu", - "India": "India", - "Indonesia": "Indonesia", "Invalid signature.": "Annilys llofnod.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Irac", - "Ireland": "Iwerddon", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Ynys Manaw", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Yr eidal", - "Jamaica": "Jamaica", - "January": "Ionawr", - "Japan": "Japan", - "Jersey": "Jersey", - "Jordan": "Jordan", - "July": "Gorffennaf", - "June": "Mehefin", - "Kazakhstan": "Kazakhstan", - "Kenya": "Kenya", - "Key": "Allweddol", - "Kiribati": "Kiribati", - "Korea": "De Korea", - "Korea, Democratic People's Republic of": "Gogledd Korea", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuwait", - "Kyrgyzstan": "Kyrgyzstan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Gweithredol diwethaf", - "Last used": "Ddefnyddir diwethaf", - "Latvia": "Latfia", - "Leave": "Gadael", - "Leave Team": "Gadael Tîm", - "Lebanon": "Libanus", - "Lens": "Lens", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libya", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Lithwania", - "Load :perPage More": "Llwyth :perPage Mwy", - "Log in": "Logio i mewn", "Log out": "Yn logio allan", - "Log Out": "Yn Logio Allan", - "Log Out Other Browser Sessions": "Logio Allan Porwr Arall Sesiynau", - "Login": "Mewngofnodi", - "Logout": "Allgofnodi", "Logout Other Browser Sessions": "Allgofnodi Eraill Porwr Sesiynau", - "Luxembourg": "Lwcsembwrg", - "Macao": "Macao", - "Macedonia": "Gogledd Macedonia", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagascar", - "Malawi": "Malawi", - "Malaysia": "Malaysia", - "Maldives": "Maldives", - "Mali": "Bach", - "Malta": "Malta", - "Manage Account": "Rheoli Cyfrif", - "Manage and log out your active sessions on other browsers and devices.": "Rheoli a logio allan eich gweithredol sesiynau ar porwyr eraill a dyfeisiau.", "Manage and logout your active sessions on other browsers and devices.": "Yn rheoli ac yn allgofnodi eich gweithredol sesiynau ar porwyr eraill a dyfeisiau.", - "Manage API Tokens": "Rheoli API Tocynnau", - "Manage Role": "Rheoli Rôl", - "Manage Team": "Rheoli Tîm", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Mawrth", - "Marshall Islands": "Ynysoedd Marshall", - "Martinique": "Martinique", - "Mauritania": "Mawritania", - "Mauritius": "Mauritius", - "May": "Gall", - "Mayotte": "Mayotte", - "Mexico": "Mecsico", - "Micronesia, Federated States Of": "Micronesia", - "Moldova": "Moldova", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monaco", - "Mongolia": "Mongolia", - "Montenegro": "Montenegro", - "Month To Date": "Mis I Ddyddiad", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Moroco", - "Mozambique": "Mozambique", - "Myanmar": "Myanmar", - "Name": "Enw", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Iseldiroedd", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Dim ots", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Newydd", - "New :resource": "Newydd :resource", - "New Caledonia": "Caledonia Newydd", - "New Password": "Cyfrinair Newydd", - "New Zealand": "Seland Newydd", - "Next": "Nesaf", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "Dim", - "No :resource matched the given criteria.": "Dim :resource yn cyfateb i'r meini prawf penodol.", - "No additional information...": "Unrhyw wybodaeth ychwanegol...", - "No Current Data": "Dim Data Ar Hyn O Bryd", - "No Data": "Dim Data", - "no file selected": "dim ffeil a ddewiswyd", - "No Increase": "Dim Cynnydd", - "No Prior Data": "Dim Data Blaenorol", - "No Results Found.": "Dim Canlyniadau Hyd Iddynt.", - "Norfolk Island": "Ynys Norfolk", - "Northern Mariana Islands": "Ynysoedd Gogledd Mariana", - "Norway": "Norwy", "Not Found": "Nid Yw Dod O Hyd", - "Nova User": "Nova Defnyddiwr", - "November": "Tachwedd", - "October": "Hydref", - "of": "o", "Oh no": "Oh dim", - "Oman": "Oman", - "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.": "Unwaith y bydd tîm yn cael ei ddileu, ei holl adnoddau data a fydd yn cael eu dileu yn barhaol. Cyn dileu tîm hwn, os gwelwch yn dda lawrlwytho unrhyw ddata neu wybodaeth ynghylch y tîm yr ydych yn dymuno eu cadw.", - "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.": "Unwaith y bydd eich cyfrif yn cael ei ddileu, ei holl adnoddau data a fydd yn cael eu dileu yn barhaol. Cyn dileu eich cyfrif, os gwelwch yn dda lawrlwytho unrhyw ddata neu wybodaeth nad ydych yn dymuno cadw.", - "Only Trashed": "Dim Ond Chwalu", - "Original": "Gwreiddiol", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Tudalen Dod I Ben", "Pagination Navigation": "Tudaleniad Mordwyo", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Thiriogaethau Palesteina", - "Panama": "Panama", - "Papua New Guinea": "Papua Guinea Newydd", - "Paraguay": "Paraguay", - "Password": "Cyfrinair", - "Pay :amount": "Talu :amount", - "Payment Cancelled": "Taliad Ganslo", - "Payment Confirmation": "Cadarnhad Taliad", - "Payment Information": "Payment Information", - "Payment Successful": "Taliad Yn Llwyddiannus", - "Pending Team Invitations": "Yr Arfaeth Tîm Gwahoddiadau", - "Per Page": "Ar Bob Tudalen", - "Permanently delete this team.": "Yn barhaol yn cael gwared ar y tîm hwn.", - "Permanently delete your account.": "Barhaol ddileu eich cyfrif.", - "Permissions": "Caniatâd", - "Peru": "Peru", - "Philippines": "Philippines", - "Photo": "Llun", - "Pitcairn": "Ynysoedd Pitcairn", "Please click the button below to verify your email address.": "Os gwelwch yn dda cliciwch ar y botwm isod i gadarnhau eich cyfeiriad e-bost.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Cadarnhewch os gwelwch yn dda mynediad at eich cyfrif trwy fynd i mewn i un o'ch argyfwng adferiad o godau.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Cadarnhewch os gwelwch yn dda mynediad at eich cyfrif trwy fynd i mewn i'r cod dilysu a ddarperir gan eich authenticator cais.", "Please confirm your password before continuing.": "Os gwelwch yn dda gadarnhau eich cyfrinair cyn parhau.", - "Please copy your new API token. For your security, it won't be shown again.": "Os gwelwch yn dda copi eich newydd API tocyn. Ar gyfer eich diogelwch, ni fydd yn cael eu dangos unwaith eto.", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Os gwelwch yn dda rhowch eich cyfrinair i gadarnhau y byddech yn hoffi i logio allan o'ch porwr arall sesiynau ar draws eich holl ddyfeisiau.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Os gwelwch yn dda rhowch eich cyfrinair i gadarnhau y byddech yn hoffi i allgofnodi o eich porwr arall sesiynau ar draws eich holl ddyfeisiau.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "Please provide the email address of the person you would like to add to this team.": "Rhowch y cyfeiriad e-bost yr unigolyn yr hoffech ei ychwanegu at y tîm hwn.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Rhowch y cyfeiriad e-bost yr unigolyn yr hoffech ei ychwanegu at y tîm hwn. Y cyfeiriad e-bost mae'n rhaid i fod yn gysylltiedig â'r cyfrif sydd eisoes yn bodoli.", - "Please provide your name.": "Rhowch eich enw.", - "Poland": "Gwlad pwyl", - "Portugal": "Portiwgal", - "Press \/ to search": "Y wasg \/ i chwilio", - "Preview": "Rhagolwg", - "Previous": "Blaenorol", - "Privacy Policy": "Polisi Preifatrwydd", - "Profile": "Proffil", - "Profile Information": "Gwybodaeth Proffil", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Chwarter Hyd Yn Hyn", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Adfer Cod", "Regards": "Cofion", - "Regenerate Recovery Codes": "Adfywio Adfer Codau", - "Register": "Gofrestr", - "Reload": "Ail-lwytho", - "Remember me": "Cofiwch fi", - "Remember Me": "Cofiwch Fi", - "Remove": "Dileu", - "Remove Photo": "Dynnu Llun", - "Remove Team Member": "Dileu Aelod O'r Tîm", - "Resend Verification Email": "Anfon Gwirio E-Bost", - "Reset Filters": "Ailosod Hidlwyr", - "Reset Password": "Ailosod Cyfrinair", - "Reset Password Notification": "Ailosod Cyfrinair Hysbysiad", - "resource": "adnodd", - "Resources": "Adnoddau", - "resources": "adnoddau", - "Restore": "Adfer", - "Restore Resource": "Adfer Adnoddau", - "Restore Selected": "Adfer A Ddewiswyd", "results": "canlyniadau", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Cyfarfod", - "Role": "Rôl", - "Romania": "Rwmania", - "Run Action": "Rhedeg Gweithredu", - "Russian Federation": "Ffederasiwn Rwsia", - "Rwanda": "Rwanda", - "Réunion": "Réunion", - "Saint Barthelemy": "St Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "St Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "St. Kitts a Nevis", - "Saint Lucia": "St. Lucia", - "Saint Martin": "St Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "St Pierre a Miquelon", - "Saint Vincent And Grenadines": "St. Vincent a'r Grenadines", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "São Tomé a Príncipe", - "Saudi Arabia": "Saudi Arabia", - "Save": "Arbed", - "Saved.": "Arbed.", - "Search": "Chwilio", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Dewiswch Llun Newydd", - "Select Action": "Dewiswch Gweithredu", - "Select All": "Dewiswch Yr Holl", - "Select All Matching": "Dewiswch Pob Un Sy'n Cyfateb", - "Send Password Reset Link": "Anfon Cyfrinair Ailosod Cyswllt", - "Senegal": "Senegal", - "September": "Medi", - "Serbia": "Serbia", "Server Error": "Gwall Gweinydd", "Service Unavailable": "Gwasanaeth Ddim Ar Gael", - "Seychelles": "Seychelles", - "Show All Fields": "Dangos Yr Holl Feysydd", - "Show Content": "Cynnwys Sioe", - "Show Recovery Codes": "Yn Dangos Adferiad O Godau", "Showing": "Yn dangos", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapore", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slofacia", - "Slovenia": "Slofenia", - "Solomon Islands": "Ynysoedd Solomon", - "Somalia": "Somalia", - "Something went wrong.": "Aeth rhywbeth o'i le.", - "Sorry! You are not authorized to perform this action.": "Mae'n ddrwg gennym! Nid ydych yn awdurdodedig i wneud hyn.", - "Sorry, your session has expired.": "Mae'n ddrwg gennyf, mae eich sesiwn wedi dod i ben.", - "South Africa": "De Affrica", - "South Georgia And Sandwich Isl.": "De Georgia ac Ynysoedd Sandwich y De", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "De Sudan", - "Spain": "Sbaen", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Pleidleisio Yn Dechrau", - "State \/ County": "State \/ County", - "Stop Polling": "Rhoi'r Gorau I Bleidleisio", - "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.": "Siop mae'r rhain adferiad codau yn ddiogel rheolwr cyfrinair. Gellir eu defnyddio i adennill mynediad at eich cyfrif os bydd eich dau ffactor dilysu dyfais yn cael ei golli.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard a Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Sweden", - "Switch Teams": "Newid Timau", - "Switzerland": "Y swistir", - "Syrian Arab Republic": "Syria", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tajikistan", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Tîm Manylion", - "Team Invitation": "Tîm Gwahoddiad", - "Team Members": "Aelodau'r Tîm", - "Team Name": "Enw'r Tîm", - "Team Owner": "Tîm Perchennog", - "Team Settings": "Tîm Lleoliadau", - "Terms of Service": "Telerau Gwasanaeth", - "Thailand": "Gwlad thai", - "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.": "Diolch am arwyddo i fyny! Cyn dechrau arni, a allech chi gadarnhau eich cyfeiriad e-bost drwy glicio ar y ddolen rydym yn unig e-bostio i chi? Os nad ydych yn derbyn yr e-bost, byddwn yn falch o anfon arall.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "Y :attribute rhaid iddo fod yn ddilys rôl.", - "The :attribute must be at least :length characters and contain at least one number.": "Y :attribute rhaid iddo fod o leiaf :length cymeriadau ac yn cynnwys o leiaf un rhif.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": "Y :attribute rhaid iddo fod o leiaf :length cymeriadau ac yn cynnwys o leiaf un cymeriad arbennig ac un rhif.", - "The :attribute must be at least :length characters and contain at least one special character.": "Y :attribute rhaid iddo fod o leiaf :length cymeriadau ac yn cynnwys o leiaf un cymeriad arbennig.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Y :attribute rhaid iddo fod o leiaf :length cymeriadau ac yn cynnwys o leiaf un priflythyren gymeriad ac un rhif.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Y :attribute rhaid iddo fod o leiaf :length cymeriadau ac yn cynnwys o leiaf un priflythyren gymeriad ac un ar gymeriad arbennig.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Y :attribute rhaid iddo fod o leiaf :length y cymeriadau ac yn cynnwys o leiaf un priflythyren gymeriad, un rhif ac un nod arbennig.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": "Y :attribute rhaid iddo fod o leiaf :length cymeriadau ac yn cynnwys o leiaf un priflythyren cymeriad.", - "The :attribute must be at least :length characters.": "Y :attribute rhaid iddo fod o leiaf :length cymeriadau.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "Y :resource ei greu!", - "The :resource was deleted!": "Y :resource ei ddileu!", - "The :resource was restored!": "Y :resource ei hadfer!", - "The :resource was updated!": "Y :resource ei diweddaru!", - "The action ran successfully!": "Mae'r camau gweithredu yn rhedeg yn llwyddiannus!", - "The file was deleted!": "Mae'r ffeil ei ddileu!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Y llywodraeth fydd yn gadael i ni ddangos i chi beth sydd y tu ôl y drysau", - "The HasOne relationship has already been filled.": "Y HasOne berthynas eisoes wedi cael eu llenwi.", - "The payment was successful.": "Y taliad yn llwyddiannus.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Y cyfrinair a ddarperir yn cyd-fynd â eich cyfrinair presennol.", - "The provided password was incorrect.": "Y darperir cyfrinair yn anghywir.", - "The provided two factor authentication code was invalid.": "Y ddau ffactor cod dilysu yn annilys.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Mae'r adnodd yn ei ddiweddaru!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Mae'r tîm yn enw'r perchennog a gwybodaeth.", - "There are no available options for this resource.": "Nid oes unrhyw opsiynau sydd ar gael ar gyfer yr adnodd hwn.", - "There was a problem executing the action.": "Roedd yn broblem i gymryd y camau.", - "There was a problem submitting the form.": "Roedd problem cyflwyno'r ffurflen.", - "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.": "Mae'r bobl hyn wedi cael eu gwahodd i eich tîm, ac wedi cael eich anfon gwahoddiad e-bost. Efallai y byddant yn ymuno â'r tîm drwy dderbyn y gwahoddiad e-bost.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Mae hyn yn gweithredu heb awdurdod.", - "This device": "Mae'r ddyfais hon", - "This file field is read-only.": "Mae hyn yn ffeil maes yn ddarllen yn unig.", - "This image": "Mae'r ddelwedd hon", - "This is a secure area of the application. Please confirm your password before continuing.": "Mae hyn yn sicrhau ardal y cais. Os gwelwch yn dda gadarnhau eich cyfrinair cyn parhau.", - "This password does not match our records.": "Mae'r cyfrinair yn cyfateb ein cofnodion.", "This password reset link will expire in :count minutes.": "Mae hyn yn ailosod cyfrinair ddolen yn dod i ben yn :count munud.", - "This payment was already successfully confirmed.": "Y taliad hwn oedd eisoes wedi llwyddo i gadarnhau.", - "This payment was cancelled.": "Y taliad hwn ei ganslo.", - "This resource no longer exists": "Mae'r adnodd hwn yn bodoli mwyach", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Defnyddiwr hwn eisoes yn perthyn i'r tîm.", - "This user has already been invited to the team.": "Defnyddiwr hwn eisoes wedi cael ei gwahodd i'r tîm.", - "Timor-Leste": "Timor-Leste", "to": "i", - "Today": "Heddiw", "Toggle navigation": "Toggle mordwyo", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Tocyn Enw", - "Tonga": "Dod", "Too Many Attempts.": "Rhy Mae Llawer O Ymdrechion.", "Too Many Requests": "Gormod O Geisiadau", - "total": "cyfanswm y", - "Total:": "Total:", - "Trashed": "Chwalu", - "Trinidad And Tobago": "Trinidad a Tobago", - "Tunisia": "Tunisia", - "Turkey": "Twrci", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Ynysoedd y twrcs a chaicos", - "Tuvalu": "Twfalw", - "Two Factor Authentication": "Dau Ffactor Dilysu", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Dau ffactor dilysu yn awr yn galluogi. Yn sganio y canlynol cod QR gan ddefnyddio eich ffôn authenticator cais.", - "Uganda": "Uganda", - "Ukraine": "Wcráin", "Unauthorized": "Heb awdurdod", - "United Arab Emirates": "Emiradau Arabaidd Unedig", - "United Kingdom": "Y Deyrnas Unedig", - "United States": "Unol Daleithiau", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "U. s. Ynysoedd Anghysbell", - "Update": "Diweddariad", - "Update & Continue Editing": "Diweddariad & Barhau I Olygu", - "Update :resource": "Diweddariad :resource", - "Update :resource: :title": "Diweddariad :resource: :title", - "Update attached :resource: :title": "Diweddariad ynghlwm :resource: :title", - "Update Password": "Diweddariad Cyfrinair", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Diweddaru eich cyfrif proffil wybodaeth a chyfeiriad e-bost.", - "Uruguay": "Uruguay", - "Use a recovery code": "Defnyddio adferiad cod", - "Use an authentication code": "Ddefnyddio cod dilysu", - "Uzbekistan": "Uzbekistan", - "Value": "Gwerth", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Gwirio Cyfeiriad E-Bost", "Verify Your Email Address": "Gwirio Eich Cyfeiriad E-Bost", - "Viet Nam": "Vietnam", - "View": "Gweld", - "Virgin Islands, British": "Ynysoedd Virgin Prydeinig", - "Virgin Islands, U.S.": "Ynysoedd Virgin yr UNOL daleithiau", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis a Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Roeddem yn gallu dod o hyd i ddefnyddiwr cofrestredig gyda'r cyfeiriad e-bost hwn.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Wnawn ni ddim gofyn am eich cyfrinair eto ar gyfer ychydig oriau.", - "We're lost in space. The page you were trying to view does not exist.": "Ein bod ar goll yn y gofod. Ar y dudalen rydych yn ceisio gweld nad yw'n bodoli.", - "Welcome Back!": "Croeso Yn Ôl!", - "Western Sahara": "Gorllewin Sahara", - "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.": "Pan fydd dau ffactor dilysu yn cael ei alluogi, byddwch yn cael eich annog i sicrhau, tocyn ar hap yn ystod y dilysu. Efallai y byddwch yn adfer y tocyn oddi wrth eich ffôn Google Authenticator cais.", - "Whoops": "Wps", - "Whoops!": "Wps!", - "Whoops! Something went wrong.": "Wps! Aeth rhywbeth o'i le.", - "With Trashed": "Gyda Chwalu", - "Write": "Ysgrifennu", - "Year To Date": "Hyd Yn Hyn Eleni", - "Yearly": "Yearly", - "Yemen": "Yemeni", - "Yes": "Ie", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Ydych chi wedi mewngofnodi!", - "You are receiving this email because we received a password reset request for your account.": "Rydych yn derbyn yr e-bost hwn oherwydd rydym yn derbyn cyfrinair ailosod cais am eich cyfrif.", - "You have been invited to join the :team team!": "Rydych wedi cael eich gwahodd i ymuno â'r :team tîm!", - "You have enabled two factor authentication.": "Ydych chi wedi galluogi dau ffactor dilysu.", - "You have not enabled two factor authentication.": "Nid ydych wedi galluogi dau ffactor dilysu.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "Efallai y byddwch yn cael gwared ar unrhyw un o'r presennol eich tocynnau os nad oes eu hangen mwyach.", - "You may not delete your personal team.": "Efallai nad ydych yn dileu personol eich tîm.", - "You may not leave a team that you created.": "Efallai nad ydych yn gadael y tîm yr ydych yn ei greu.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Eich cyfeiriad e-bost yn cael ei gwirio.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Eich cyfeiriad e-bost yn cael ei gwirio." } diff --git a/locales/cy/packages/cashier.json b/locales/cy/packages/cashier.json new file mode 100644 index 00000000000..cf04d05dbec --- /dev/null +++ b/locales/cy/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Cedwir pob hawl.", + "Card": "Cerdyn", + "Confirm Payment": "Cadarnhau Taliad", + "Confirm your :amount payment": "Cadarnhau eich taliad :amount", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Yn ychwanegol cadarnhad sydd ei angen i brosesu eich taliad. Os gwelwch yn dda gadarnhau eich taliad drwy lenwi eich manylion talu isod.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Yn ychwanegol cadarnhad sydd ei angen i brosesu eich taliad. Os gwelwch yn dda yn parhau i'r dudalen talu drwy glicio ar y botwm isod.", + "Full name": "Enw llawn", + "Go back": "Mynd yn ôl", + "Jane Doe": "Jane Doe", + "Pay :amount": "Talu :amount", + "Payment Cancelled": "Taliad Ganslo", + "Payment Confirmation": "Cadarnhad Taliad", + "Payment Successful": "Taliad Yn Llwyddiannus", + "Please provide your name.": "Rhowch eich enw.", + "The payment was successful.": "Y taliad yn llwyddiannus.", + "This payment was already successfully confirmed.": "Y taliad hwn oedd eisoes wedi llwyddo i gadarnhau.", + "This payment was cancelled.": "Y taliad hwn ei ganslo." +} diff --git a/locales/cy/packages/fortify.json b/locales/cy/packages/fortify.json new file mode 100644 index 00000000000..049e29b923e --- /dev/null +++ b/locales/cy/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": "Y :attribute rhaid iddo fod o leiaf :length cymeriadau ac yn cynnwys o leiaf un rhif.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "Y :attribute rhaid iddo fod o leiaf :length cymeriadau ac yn cynnwys o leiaf un cymeriad arbennig ac un rhif.", + "The :attribute must be at least :length characters and contain at least one special character.": "Y :attribute rhaid iddo fod o leiaf :length cymeriadau ac yn cynnwys o leiaf un cymeriad arbennig.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Y :attribute rhaid iddo fod o leiaf :length cymeriadau ac yn cynnwys o leiaf un priflythyren gymeriad ac un rhif.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Y :attribute rhaid iddo fod o leiaf :length cymeriadau ac yn cynnwys o leiaf un priflythyren gymeriad ac un ar gymeriad arbennig.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Y :attribute rhaid iddo fod o leiaf :length y cymeriadau ac yn cynnwys o leiaf un priflythyren gymeriad, un rhif ac un nod arbennig.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Y :attribute rhaid iddo fod o leiaf :length cymeriadau ac yn cynnwys o leiaf un priflythyren cymeriad.", + "The :attribute must be at least :length characters.": "Y :attribute rhaid iddo fod o leiaf :length cymeriadau.", + "The provided password does not match your current password.": "Y cyfrinair a ddarperir yn cyd-fynd â eich cyfrinair presennol.", + "The provided password was incorrect.": "Y darperir cyfrinair yn anghywir.", + "The provided two factor authentication code was invalid.": "Y ddau ffactor cod dilysu yn annilys." +} diff --git a/locales/cy/packages/jetstream.json b/locales/cy/packages/jetstream.json new file mode 100644 index 00000000000..282f994a8ed --- /dev/null +++ b/locales/cy/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Newydd ddolen dilysu wedi cael ei anfon at y cyfeiriad e-bost bydd darparu yn ystod cofrestru.", + "Accept Invitation": "Derbyn Gwahoddiad", + "Add": "Ychwanegu", + "Add a new team member to your team, allowing them to collaborate with you.": "Ychwanegu aelod o'r tîm newydd yn eich tîm, gan eu galluogi i gydweithio gyda chi.", + "Add additional security to your account using two factor authentication.": "Ychwanegu diogelwch ychwanegol at eich cyfrif gan ddefnyddio dau ffactor dilysu.", + "Add Team Member": "Ychwanegu Aelod O'r Tîm", + "Added.": "Ychwanegodd.", + "Administrator": "Gweinyddwr", + "Administrator users can perform any action.": "Gweinyddwr defnyddwyr yn gallu perfformio unrhyw gamau.", + "All of the people that are part of this team.": "Mae pob un o'r bobl sy'n rhan o'r tîm hwn.", + "Already registered?": "Eisoes wedi cofrestru?", + "API Token": "API Tocyn", + "API Token Permissions": "API Tocyn Caniatâd", + "API Tokens": "API Tocynnau", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API tocynnau caniatáu i wasanaethau trydydd parti i ddilysu gyda ein cais ar eich rhan.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Ydych chi'n siŵr eich bod eisiau dileu y tîm hwn? Unwaith y bydd tîm yn cael ei ddileu, ei holl adnoddau data a fydd yn cael eu dileu yn barhaol.", + "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.": "Ydych chi'n siŵr eich bod am ddileu eich cyfrif? Unwaith y bydd eich cyfrif yn cael ei ddileu, ei holl adnoddau data a fydd yn cael eu dileu yn barhaol. Os gwelwch yn dda rhowch eich cyfrinair i gadarnhau y byddech yn hoffi i chi barhaol ddileu eich cyfrif.", + "Are you sure you would like to delete this API token?": "A ydych yn sicr y byddech yn hoffi cael gwared ar y API tocyn?", + "Are you sure you would like to leave this team?": "A ydych yn sicr y byddech yn hoffi i adael y tîm hwn?", + "Are you sure you would like to remove this person from the team?": "A ydych yn sicr y byddech yn hoffi i gael gwared ar y person oddi ar y tîm?", + "Browser Sessions": "Porwr Sesiynau", + "Cancel": "Diddymu", + "Close": "Yn agos", + "Code": "Cod", + "Confirm": "Gadarnhau", + "Confirm Password": "Cadarnhau Cyfrinair", + "Create": "Creu", + "Create a new team to collaborate with others on projects.": "Creu tîm newydd i gydweithio gydag eraill ar brosiectau.", + "Create Account": "Creu Cyfrif", + "Create API Token": "Creu API Tocyn", + "Create New Team": "Creu Tîm Newydd", + "Create Team": "Creu Tîm", + "Created.": "Creu.", + "Current Password": "Cyfrinair Presennol", + "Dashboard": "Dangosfwrdd", + "Delete": "Dileu", + "Delete Account": "Dileu Cyfrif", + "Delete API Token": "Dileu API Tocyn", + "Delete Team": "Dileu Tîm", + "Disable": "Analluogi", + "Done.": "Yn ei wneud.", + "Editor": "Golygydd", + "Editor users have the ability to read, create, and update.": "Golygydd defnyddwyr yn cael y gallu i ddarllen, creu, ac yn wybodaeth ddiweddaraf.", + "Email": "E-bost", + "Email Password Reset Link": "E-Bost Ailosod Cyfrinair Cyswllt", + "Enable": "Galluogi", + "Ensure your account is using a long, random password to stay secure.": "Sicrhau bod eich cyfrif yn cael ei ddefnyddio hir, chyfrinair ar hap i aros yn ddiogel.", + "For your security, please confirm your password to continue.": "Ar gyfer eich diogelwch, os gwelwch yn dda gadarnhau eich cyfrinair i barhau.", + "Forgot your password?": "Wedi anghofio eich cyfrinair?", + "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.": "Wedi anghofio eich cyfrinair? Dim problem. Dim ond gadewch i ni wybod eich cyfeiriad e-bost a byddwn yn e-bostio i chi ailosod cyfrinair yn ddolen a fydd yn eich galluogi i ddewis un newydd.", + "Great! You have accepted the invitation to join the :team team.": "Gwych! Rydych chi wedi derbyn y gwahoddiad i ymuno â'r :team tîm.", + "I agree to the :terms_of_service and :privacy_policy": "Yr wyf yn cytuno i :terms_of_service a :privacy_policy", + "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.": "Os bydd angen, efallai y byddwch yn logio allan ar eich holl porwr arall sesiynau ar draws eich holl ddyfeisiau. Rhai o'ch sesiynau diweddar yn cael eu rhestru isod; fodd bynnag, efallai y gall y rhestr fod yn gyflawn. Os ydych yn teimlo bod eich cyfrif wedi cael ei gyfaddawdu, fe ddylech chi hefyd ddiweddaru eich cyfrinair.", + "If you already have an account, you may accept this invitation by clicking the button below:": "Os ydych eisoes gennych gyfrif, efallai y byddwch yn derbyn y gwahoddiad hwn gan glicio ar y botwm isod:", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Os nad oeddech yn disgwyl derbyn gwahoddiad i tîm hwn, efallai y byddwch yn thaflwch y e-bost.", + "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:": "Os nad ydych wedi cyfrif, efallai y byddwch yn creu un drwy glicio ar y botwm isod. Ar ôl creu cyfrif, efallai y byddwch yn cliciwch y gwahoddiad derbyn botwm yn y neges e-bost i dderbyn y gwahoddiad tîm:", + "Last active": "Gweithredol diwethaf", + "Last used": "Ddefnyddir diwethaf", + "Leave": "Gadael", + "Leave Team": "Gadael Tîm", + "Log in": "Logio i mewn", + "Log Out": "Yn Logio Allan", + "Log Out Other Browser Sessions": "Logio Allan Porwr Arall Sesiynau", + "Manage Account": "Rheoli Cyfrif", + "Manage and log out your active sessions on other browsers and devices.": "Rheoli a logio allan eich gweithredol sesiynau ar porwyr eraill a dyfeisiau.", + "Manage API Tokens": "Rheoli API Tocynnau", + "Manage Role": "Rheoli Rôl", + "Manage Team": "Rheoli Tîm", + "Name": "Enw", + "New Password": "Cyfrinair Newydd", + "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.": "Unwaith y bydd tîm yn cael ei ddileu, ei holl adnoddau data a fydd yn cael eu dileu yn barhaol. Cyn dileu tîm hwn, os gwelwch yn dda lawrlwytho unrhyw ddata neu wybodaeth ynghylch y tîm yr ydych yn dymuno eu cadw.", + "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.": "Unwaith y bydd eich cyfrif yn cael ei ddileu, ei holl adnoddau data a fydd yn cael eu dileu yn barhaol. Cyn dileu eich cyfrif, os gwelwch yn dda lawrlwytho unrhyw ddata neu wybodaeth nad ydych yn dymuno cadw.", + "Password": "Cyfrinair", + "Pending Team Invitations": "Yr Arfaeth Tîm Gwahoddiadau", + "Permanently delete this team.": "Yn barhaol yn cael gwared ar y tîm hwn.", + "Permanently delete your account.": "Barhaol ddileu eich cyfrif.", + "Permissions": "Caniatâd", + "Photo": "Llun", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Cadarnhewch os gwelwch yn dda mynediad at eich cyfrif trwy fynd i mewn i un o'ch argyfwng adferiad o godau.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Cadarnhewch os gwelwch yn dda mynediad at eich cyfrif trwy fynd i mewn i'r cod dilysu a ddarperir gan eich authenticator cais.", + "Please copy your new API token. For your security, it won't be shown again.": "Os gwelwch yn dda copi eich newydd API tocyn. Ar gyfer eich diogelwch, ni fydd yn cael eu dangos unwaith eto.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Os gwelwch yn dda rhowch eich cyfrinair i gadarnhau y byddech yn hoffi i logio allan o'ch porwr arall sesiynau ar draws eich holl ddyfeisiau.", + "Please provide the email address of the person you would like to add to this team.": "Rhowch y cyfeiriad e-bost yr unigolyn yr hoffech ei ychwanegu at y tîm hwn.", + "Privacy Policy": "Polisi Preifatrwydd", + "Profile": "Proffil", + "Profile Information": "Gwybodaeth Proffil", + "Recovery Code": "Adfer Cod", + "Regenerate Recovery Codes": "Adfywio Adfer Codau", + "Register": "Gofrestr", + "Remember me": "Cofiwch fi", + "Remove": "Dileu", + "Remove Photo": "Dynnu Llun", + "Remove Team Member": "Dileu Aelod O'r Tîm", + "Resend Verification Email": "Anfon Gwirio E-Bost", + "Reset Password": "Ailosod Cyfrinair", + "Role": "Rôl", + "Save": "Arbed", + "Saved.": "Arbed.", + "Select A New Photo": "Dewiswch Llun Newydd", + "Show Recovery Codes": "Yn Dangos Adferiad O Godau", + "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.": "Siop mae'r rhain adferiad codau yn ddiogel rheolwr cyfrinair. Gellir eu defnyddio i adennill mynediad at eich cyfrif os bydd eich dau ffactor dilysu dyfais yn cael ei golli.", + "Switch Teams": "Newid Timau", + "Team Details": "Tîm Manylion", + "Team Invitation": "Tîm Gwahoddiad", + "Team Members": "Aelodau'r Tîm", + "Team Name": "Enw'r Tîm", + "Team Owner": "Tîm Perchennog", + "Team Settings": "Tîm Lleoliadau", + "Terms of Service": "Telerau Gwasanaeth", + "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.": "Diolch am arwyddo i fyny! Cyn dechrau arni, a allech chi gadarnhau eich cyfeiriad e-bost drwy glicio ar y ddolen rydym yn unig e-bostio i chi? Os nad ydych yn derbyn yr e-bost, byddwn yn falch o anfon arall.", + "The :attribute must be a valid role.": "Y :attribute rhaid iddo fod yn ddilys rôl.", + "The :attribute must be at least :length characters and contain at least one number.": "Y :attribute rhaid iddo fod o leiaf :length cymeriadau ac yn cynnwys o leiaf un rhif.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "Y :attribute rhaid iddo fod o leiaf :length cymeriadau ac yn cynnwys o leiaf un cymeriad arbennig ac un rhif.", + "The :attribute must be at least :length characters and contain at least one special character.": "Y :attribute rhaid iddo fod o leiaf :length cymeriadau ac yn cynnwys o leiaf un cymeriad arbennig.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Y :attribute rhaid iddo fod o leiaf :length cymeriadau ac yn cynnwys o leiaf un priflythyren gymeriad ac un rhif.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Y :attribute rhaid iddo fod o leiaf :length cymeriadau ac yn cynnwys o leiaf un priflythyren gymeriad ac un ar gymeriad arbennig.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Y :attribute rhaid iddo fod o leiaf :length y cymeriadau ac yn cynnwys o leiaf un priflythyren gymeriad, un rhif ac un nod arbennig.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Y :attribute rhaid iddo fod o leiaf :length cymeriadau ac yn cynnwys o leiaf un priflythyren cymeriad.", + "The :attribute must be at least :length characters.": "Y :attribute rhaid iddo fod o leiaf :length cymeriadau.", + "The provided password does not match your current password.": "Y cyfrinair a ddarperir yn cyd-fynd â eich cyfrinair presennol.", + "The provided password was incorrect.": "Y darperir cyfrinair yn anghywir.", + "The provided two factor authentication code was invalid.": "Y ddau ffactor cod dilysu yn annilys.", + "The team's name and owner information.": "Mae'r tîm yn enw'r perchennog a gwybodaeth.", + "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.": "Mae'r bobl hyn wedi cael eu gwahodd i eich tîm, ac wedi cael eich anfon gwahoddiad e-bost. Efallai y byddant yn ymuno â'r tîm drwy dderbyn y gwahoddiad e-bost.", + "This device": "Mae'r ddyfais hon", + "This is a secure area of the application. Please confirm your password before continuing.": "Mae hyn yn sicrhau ardal y cais. Os gwelwch yn dda gadarnhau eich cyfrinair cyn parhau.", + "This password does not match our records.": "Mae'r cyfrinair yn cyfateb ein cofnodion.", + "This user already belongs to the team.": "Defnyddiwr hwn eisoes yn perthyn i'r tîm.", + "This user has already been invited to the team.": "Defnyddiwr hwn eisoes wedi cael ei gwahodd i'r tîm.", + "Token Name": "Tocyn Enw", + "Two Factor Authentication": "Dau Ffactor Dilysu", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Dau ffactor dilysu yn awr yn galluogi. Yn sganio y canlynol cod QR gan ddefnyddio eich ffôn authenticator cais.", + "Update Password": "Diweddariad Cyfrinair", + "Update your account's profile information and email address.": "Diweddaru eich cyfrif proffil wybodaeth a chyfeiriad e-bost.", + "Use a recovery code": "Defnyddio adferiad cod", + "Use an authentication code": "Ddefnyddio cod dilysu", + "We were unable to find a registered user with this email address.": "Roeddem yn gallu dod o hyd i ddefnyddiwr cofrestredig gyda'r cyfeiriad e-bost hwn.", + "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.": "Pan fydd dau ffactor dilysu yn cael ei alluogi, byddwch yn cael eich annog i sicrhau, tocyn ar hap yn ystod y dilysu. Efallai y byddwch yn adfer y tocyn oddi wrth eich ffôn Google Authenticator cais.", + "Whoops! Something went wrong.": "Wps! Aeth rhywbeth o'i le.", + "You have been invited to join the :team team!": "Rydych wedi cael eich gwahodd i ymuno â'r :team tîm!", + "You have enabled two factor authentication.": "Ydych chi wedi galluogi dau ffactor dilysu.", + "You have not enabled two factor authentication.": "Nid ydych wedi galluogi dau ffactor dilysu.", + "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.": "Efallai y byddwch yn cael gwared ar unrhyw un o'r presennol eich tocynnau os nad oes eu hangen mwyach.", + "You may not delete your personal team.": "Efallai nad ydych yn dileu personol eich tîm.", + "You may not leave a team that you created.": "Efallai nad ydych yn gadael y tîm yr ydych yn ei greu." +} diff --git a/locales/cy/packages/nova.json b/locales/cy/packages/nova.json new file mode 100644 index 00000000000..2706592690e --- /dev/null +++ b/locales/cy/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Diwrnod", + "60 Days": "60 Diwrnodau", + "90 Days": "90 Diwrnod", + ":amount Total": ":amount Cyfanswm", + ":resource Details": ":resource Manylion", + ":resource Details: :title": ":resource Manylion: :title", + "Action": "Gweithredu", + "Action Happened At": "Digwydd Ar", + "Action Initiated By": "A Gychwynnwyd Gan", + "Action Name": "Enw", + "Action Status": "Statws", + "Action Target": "Targed", + "Actions": "Camau gweithredu", + "Add row": "Ychwanegu rhes", + "Afghanistan": "Afghanistan", + "Aland Islands": "Ynysoedd Åland", + "Albania": "Albania", + "Algeria": "Algeria", + "All resources loaded.": "Mae'r holl adnoddau llwytho.", + "American Samoa": "American Samoa", + "An error occured while uploading the file.": "Gwall digwydd wrth llwytho i fyny y ffeil.", + "Andorra": "Andorran", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Defnyddiwr arall wedi diweddaru adnodd hwn ers y dudalen ei lwytho. Os gwelwch yn dda adnewyddu'r dudalen a cheisiwch eto.", + "Antarctica": "Antarctica", + "Antigua And Barbuda": "Antigua a Barbuda", + "April": "Ebrill", + "Are you sure you want to delete the selected resources?": "Ydych chi'n siŵr eich bod eisiau dileu y dewis adnoddau?", + "Are you sure you want to delete this file?": "Ydych chi'n siŵr eich bod am ddileu'r ffeil hon?", + "Are you sure you want to delete this resource?": "Ydych chi'n siŵr eich bod am dileu yr adnodd hwn?", + "Are you sure you want to detach the selected resources?": "Ydych chi'n siŵr eich bod am ddatgysylltu a ddewiswyd adnoddau?", + "Are you sure you want to detach this resource?": "Ydych chi'n siŵr eich bod am ddatgysylltu yr adnodd hwn?", + "Are you sure you want to force delete the selected resources?": "Ydych chi'n siŵr eich bod am i orfodi dileu y dewis adnoddau?", + "Are you sure you want to force delete this resource?": "Ydych chi'n siŵr eich bod eisiau i rym dileu adnodd hwn?", + "Are you sure you want to restore the selected resources?": "Ydych chi'n siŵr eich bod eisiau adfer yr adnoddau dethol?", + "Are you sure you want to restore this resource?": "Ydych chi'n siŵr eich bod eisiau adfer yr adnodd hwn?", + "Are you sure you want to run this action?": "Ydych chi'n siŵr eich bod eisiau rhedeg y cam gweithredu hwn?", + "Argentina": "Yr ariannin", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Attach": "Atodi", + "Attach & Attach Another": "Atodi & Atodi Arall", + "Attach :resource": "Atodwch :resource", + "August": "Awst", + "Australia": "Awstralia", + "Austria": "Awstria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarws", + "Belgium": "Gwlad belg", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius a Sábado", + "Bosnia And Herzegovina": "Bosnia a Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brasil", + "British Indian Ocean Territory": "Tiriogaeth Brydeinig Cefnfor India", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bwlgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Camerŵn", + "Canada": "Canada", + "Cancel": "Diddymu", + "Cape Verde": "Cape Verde", + "Cayman Islands": "Ynysoedd Cayman", + "Central African Republic": "Gweriniaeth Canolbarth Affrica", + "Chad": "Chad", + "Changes": "Newidiadau", + "Chile": "Chile", + "China": "Tsieina", + "Choose": "Dewis", + "Choose :field": "Dewiswch :field", + "Choose :resource": "Dewiswch :resource", + "Choose an option": "Dewiswch opsiwn", + "Choose date": "Dewis dyddiad", + "Choose File": "Dewiswch Ffeil", + "Choose Type": "Dewis Math", + "Christmas Island": "Ynys Y Nadolig", + "Click to choose": "Cliciwch i ddewis", + "Cocos (Keeling) Islands": "Cocos (Keeling) Ynysoedd", + "Colombia": "Colombia", + "Comoros": "Comoros", + "Confirm Password": "Cadarnhau Cyfrinair", + "Congo": "Congo", + "Congo, Democratic Republic": "Congo, Gweriniaeth Ddemocrataidd Y", + "Constant": "Cyson", + "Cook Islands": "Ynysoedd Cook", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "ni ellid dod o hyd.", + "Create": "Creu", + "Create & Add Another": "Creu A Ychwanegu Un Arall", + "Create :resource": "Creu :resource", + "Croatia": "Croatia", + "Cuba": "Cuba", + "Curaçao": "Curacao", + "Customize": "Addasu", + "Cyprus": "Cyprus", + "Czech Republic": "Gweriniaeth tsiec", + "Dashboard": "Dangosfwrdd", + "December": "Rhagfyr", + "Decrease": "Gostyngiad", + "Delete": "Dileu", + "Delete File": "Dileu Ffeil", + "Delete Resource": "Dileu Adnodd", + "Delete Selected": "Glanhau A Ddewiswyd", + "Denmark": "Denmarc", + "Detach": "Datgysylltu", + "Detach Resource": "Datgysylltu Adnoddau", + "Detach Selected": "Datgysylltwch A Ddewiswyd", + "Details": "Manylion", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Ydych chi wir eisiau gadael? Mae'n rhaid newidiadau heb eu cadw.", + "Dominica": "Dydd sul", + "Dominican Republic": "Gweriniaeth Dominica", + "Download": "Download", + "Ecuador": "Ecuador", + "Edit": "Golygu", + "Edit :resource": "Golygu :resource", + "Edit Attached": "Golygu Ynghlwm", + "Egypt": "Yr aifft", + "El Salvador": "Salvador", + "Email Address": "Cyfeiriad E-Bost", + "Equatorial Guinea": "Guinea Gyhydeddol", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Ethiopia", + "Falkland Islands (Malvinas)": "Ynysoedd Falkland (Malvinas)", + "Faroe Islands": "Ynysoedd Faroe", + "February": "Chwefror", + "Fiji": "Fiji", + "Finland": "Ffindir", + "Force Delete": "Grym Dileu", + "Force Delete Resource": "Grym Dileu Adnodd", + "Force Delete Selected": "Grym Glanhau A Ddewiswyd", + "Forgot Your Password?": "Wedi Anghofio Eich Cyfrinair?", + "Forgot your password?": "Wedi anghofio eich cyfrinair?", + "France": "Ffrainc", + "French Guiana": "Giana Ffrengig", + "French Polynesia": "French Polynesia", + "French Southern Territories": "Tiriogaethau De Ffrainc", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Yr almaen", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "Mynd Adref", + "Greece": "Gwlad groeg", + "Greenland": "Yr ynys las", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Ynys Heard ac Ynysoedd McDonald", + "Hide Content": "Cuddio Gynnwys", + "Hold Up!": "Daliwch I Fyny!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hwngari", + "Iceland": "Gwlad yr iâ", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "Os na wnaethoch ofyn am ailosod cyfrinair, nid oes unrhyw gamau pellach yn angenrheidiol.", + "Increase": "Cynyddu", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Irac", + "Ireland": "Iwerddon", + "Isle Of Man": "Ynys Manaw", + "Israel": "Israel", + "Italy": "Yr eidal", + "Jamaica": "Jamaica", + "January": "Ionawr", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "July": "Gorffennaf", + "June": "Mehefin", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Key": "Allweddol", + "Kiribati": "Kiribati", + "Korea": "De Korea", + "Korea, Democratic People's Republic of": "Gogledd Korea", + "Kosovo": "Kosovo", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latfia", + "Lebanon": "Libanus", + "Lens": "Lens", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lithwania", + "Load :perPage More": "Llwyth :perPage Mwy", + "Login": "Mewngofnodi", + "Logout": "Allgofnodi", + "Luxembourg": "Lwcsembwrg", + "Macao": "Macao", + "Macedonia": "Gogledd Macedonia", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Bach", + "Malta": "Malta", + "March": "Mawrth", + "Marshall Islands": "Ynysoedd Marshall", + "Martinique": "Martinique", + "Mauritania": "Mawritania", + "Mauritius": "Mauritius", + "May": "Gall", + "Mayotte": "Mayotte", + "Mexico": "Mecsico", + "Micronesia, Federated States Of": "Micronesia", + "Moldova": "Moldova", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Month To Date": "Mis I Ddyddiad", + "Montserrat": "Montserrat", + "Morocco": "Moroco", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Iseldiroedd", + "New": "Newydd", + "New :resource": "Newydd :resource", + "New Caledonia": "Caledonia Newydd", + "New Zealand": "Seland Newydd", + "Next": "Nesaf", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "Dim", + "No :resource matched the given criteria.": "Dim :resource yn cyfateb i'r meini prawf penodol.", + "No additional information...": "Unrhyw wybodaeth ychwanegol...", + "No Current Data": "Dim Data Ar Hyn O Bryd", + "No Data": "Dim Data", + "no file selected": "dim ffeil a ddewiswyd", + "No Increase": "Dim Cynnydd", + "No Prior Data": "Dim Data Blaenorol", + "No Results Found.": "Dim Canlyniadau Hyd Iddynt.", + "Norfolk Island": "Ynys Norfolk", + "Northern Mariana Islands": "Ynysoedd Gogledd Mariana", + "Norway": "Norwy", + "Nova User": "Nova Defnyddiwr", + "November": "Tachwedd", + "October": "Hydref", + "of": "o", + "Oman": "Oman", + "Only Trashed": "Dim Ond Chwalu", + "Original": "Gwreiddiol", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Thiriogaethau Palesteina", + "Panama": "Panama", + "Papua New Guinea": "Papua Guinea Newydd", + "Paraguay": "Paraguay", + "Password": "Cyfrinair", + "Per Page": "Ar Bob Tudalen", + "Peru": "Peru", + "Philippines": "Philippines", + "Pitcairn": "Ynysoedd Pitcairn", + "Poland": "Gwlad pwyl", + "Portugal": "Portiwgal", + "Press \/ to search": "Y wasg \/ i chwilio", + "Preview": "Rhagolwg", + "Previous": "Blaenorol", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Chwarter Hyd Yn Hyn", + "Reload": "Ail-lwytho", + "Remember Me": "Cofiwch Fi", + "Reset Filters": "Ailosod Hidlwyr", + "Reset Password": "Ailosod Cyfrinair", + "Reset Password Notification": "Ailosod Cyfrinair Hysbysiad", + "resource": "adnodd", + "Resources": "Adnoddau", + "resources": "adnoddau", + "Restore": "Adfer", + "Restore Resource": "Adfer Adnoddau", + "Restore Selected": "Adfer A Ddewiswyd", + "Reunion": "Cyfarfod", + "Romania": "Rwmania", + "Run Action": "Rhedeg Gweithredu", + "Russian Federation": "Ffederasiwn Rwsia", + "Rwanda": "Rwanda", + "Saint Barthelemy": "St Barthélemy", + "Saint Helena": "St Helena", + "Saint Kitts And Nevis": "St. Kitts a Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin": "St Martin", + "Saint Pierre And Miquelon": "St Pierre a Miquelon", + "Saint Vincent And Grenadines": "St. Vincent a'r Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "São Tomé a Príncipe", + "Saudi Arabia": "Saudi Arabia", + "Search": "Chwilio", + "Select Action": "Dewiswch Gweithredu", + "Select All": "Dewiswch Yr Holl", + "Select All Matching": "Dewiswch Pob Un Sy'n Cyfateb", + "Send Password Reset Link": "Anfon Cyfrinair Ailosod Cyswllt", + "Senegal": "Senegal", + "September": "Medi", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Show All Fields": "Dangos Yr Holl Feysydd", + "Show Content": "Cynnwys Sioe", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapore", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slofacia", + "Slovenia": "Slofenia", + "Solomon Islands": "Ynysoedd Solomon", + "Somalia": "Somalia", + "Something went wrong.": "Aeth rhywbeth o'i le.", + "Sorry! You are not authorized to perform this action.": "Mae'n ddrwg gennym! Nid ydych yn awdurdodedig i wneud hyn.", + "Sorry, your session has expired.": "Mae'n ddrwg gennyf, mae eich sesiwn wedi dod i ben.", + "South Africa": "De Affrica", + "South Georgia And Sandwich Isl.": "De Georgia ac Ynysoedd Sandwich y De", + "South Sudan": "De Sudan", + "Spain": "Sbaen", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Pleidleisio Yn Dechrau", + "Stop Polling": "Rhoi'r Gorau I Bleidleisio", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard a Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sweden", + "Switzerland": "Y swistir", + "Syrian Arab Republic": "Syria", + "Taiwan": "Taiwan", + "Tajikistan": "Tajikistan", + "Tanzania": "Tanzania", + "Thailand": "Gwlad thai", + "The :resource was created!": "Y :resource ei greu!", + "The :resource was deleted!": "Y :resource ei ddileu!", + "The :resource was restored!": "Y :resource ei hadfer!", + "The :resource was updated!": "Y :resource ei diweddaru!", + "The action ran successfully!": "Mae'r camau gweithredu yn rhedeg yn llwyddiannus!", + "The file was deleted!": "Mae'r ffeil ei ddileu!", + "The government won't let us show you what's behind these doors": "Y llywodraeth fydd yn gadael i ni ddangos i chi beth sydd y tu ôl y drysau", + "The HasOne relationship has already been filled.": "Y HasOne berthynas eisoes wedi cael eu llenwi.", + "The resource was updated!": "Mae'r adnodd yn ei ddiweddaru!", + "There are no available options for this resource.": "Nid oes unrhyw opsiynau sydd ar gael ar gyfer yr adnodd hwn.", + "There was a problem executing the action.": "Roedd yn broblem i gymryd y camau.", + "There was a problem submitting the form.": "Roedd problem cyflwyno'r ffurflen.", + "This file field is read-only.": "Mae hyn yn ffeil maes yn ddarllen yn unig.", + "This image": "Mae'r ddelwedd hon", + "This resource no longer exists": "Mae'r adnodd hwn yn bodoli mwyach", + "Timor-Leste": "Timor-Leste", + "Today": "Heddiw", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Dod", + "total": "cyfanswm y", + "Trashed": "Chwalu", + "Trinidad And Tobago": "Trinidad a Tobago", + "Tunisia": "Tunisia", + "Turkey": "Twrci", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Ynysoedd y twrcs a chaicos", + "Tuvalu": "Twfalw", + "Uganda": "Uganda", + "Ukraine": "Wcráin", + "United Arab Emirates": "Emiradau Arabaidd Unedig", + "United Kingdom": "Y Deyrnas Unedig", + "United States": "Unol Daleithiau", + "United States Outlying Islands": "U. s. Ynysoedd Anghysbell", + "Update": "Diweddariad", + "Update & Continue Editing": "Diweddariad & Barhau I Olygu", + "Update :resource": "Diweddariad :resource", + "Update :resource: :title": "Diweddariad :resource: :title", + "Update attached :resource: :title": "Diweddariad ynghlwm :resource: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Value": "Gwerth", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Gweld", + "Virgin Islands, British": "Ynysoedd Virgin Prydeinig", + "Virgin Islands, U.S.": "Ynysoedd Virgin yr UNOL daleithiau", + "Wallis And Futuna": "Wallis a Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Ein bod ar goll yn y gofod. Ar y dudalen rydych yn ceisio gweld nad yw'n bodoli.", + "Welcome Back!": "Croeso Yn Ôl!", + "Western Sahara": "Gorllewin Sahara", + "Whoops": "Wps", + "Whoops!": "Wps!", + "With Trashed": "Gyda Chwalu", + "Write": "Ysgrifennu", + "Year To Date": "Hyd Yn Hyn Eleni", + "Yemen": "Yemeni", + "Yes": "Ie", + "You are receiving this email because we received a password reset request for your account.": "Rydych yn derbyn yr e-bost hwn oherwydd rydym yn derbyn cyfrinair ailosod cais am eich cyfrif.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/cy/packages/spark-paddle.json b/locales/cy/packages/spark-paddle.json new file mode 100644 index 00000000000..b3ea31cde9f --- /dev/null +++ b/locales/cy/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Telerau Gwasanaeth", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Wps! Aeth rhywbeth o'i le.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/cy/packages/spark-stripe.json b/locales/cy/packages/spark-stripe.json new file mode 100644 index 00000000000..7f3a270f8f9 --- /dev/null +++ b/locales/cy/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afghanistan", + "Albania": "Albania", + "Algeria": "Algeria", + "American Samoa": "American Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorran", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarctica", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Yr ariannin", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Australia": "Awstralia", + "Austria": "Awstria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarws", + "Belgium": "Gwlad belg", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brasil", + "British Indian Ocean Territory": "Tiriogaeth Brydeinig Cefnfor India", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bwlgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Camerŵn", + "Canada": "Canada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Cape Verde", + "Card": "Cerdyn", + "Cayman Islands": "Ynysoedd Cayman", + "Central African Republic": "Gweriniaeth Canolbarth Affrica", + "Chad": "Chad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Chile", + "China": "Tsieina", + "Christmas Island": "Ynys Y Nadolig", + "City": "City", + "Cocos (Keeling) Islands": "Cocos (Keeling) Ynysoedd", + "Colombia": "Colombia", + "Comoros": "Comoros", + "Confirm Payment": "Cadarnhau Taliad", + "Confirm your :amount payment": "Cadarnhau eich taliad :amount", + "Congo": "Congo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Ynysoedd Cook", + "Costa Rica": "Costa Rica", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Croatia", + "Cuba": "Cuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Cyprus", + "Czech Republic": "Gweriniaeth tsiec", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Denmarc", + "Djibouti": "Djibouti", + "Dominica": "Dydd sul", + "Dominican Republic": "Gweriniaeth Dominica", + "Download Receipt": "Download Receipt", + "Ecuador": "Ecuador", + "Egypt": "Yr aifft", + "El Salvador": "Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Guinea Gyhydeddol", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Ethiopia", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Yn ychwanegol cadarnhad sydd ei angen i brosesu eich taliad. Os gwelwch yn dda yn parhau i'r dudalen talu drwy glicio ar y botwm isod.", + "Falkland Islands (Malvinas)": "Ynysoedd Falkland (Malvinas)", + "Faroe Islands": "Ynysoedd Faroe", + "Fiji": "Fiji", + "Finland": "Ffindir", + "France": "Ffrainc", + "French Guiana": "Giana Ffrengig", + "French Polynesia": "French Polynesia", + "French Southern Territories": "Tiriogaethau De Ffrainc", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Yr almaen", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Gwlad groeg", + "Greenland": "Yr ynys las", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hwngari", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Gwlad yr iâ", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Irac", + "Ireland": "Iwerddon", + "Isle of Man": "Isle of Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Yr eidal", + "Jamaica": "Jamaica", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Gogledd Korea", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latfia", + "Lebanon": "Libanus", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lithwania", + "Luxembourg": "Lwcsembwrg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Bach", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Ynysoedd Marshall", + "Martinique": "Martinique", + "Mauritania": "Mawritania", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mecsico", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Moroco", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Iseldiroedd", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Caledonia Newydd", + "New Zealand": "Seland Newydd", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Ynys Norfolk", + "Northern Mariana Islands": "Ynysoedd Gogledd Mariana", + "Norway": "Norwy", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Thiriogaethau Palesteina", + "Panama": "Panama", + "Papua New Guinea": "Papua Guinea Newydd", + "Paraguay": "Paraguay", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Philippines", + "Pitcairn": "Ynysoedd Pitcairn", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Gwlad pwyl", + "Portugal": "Portiwgal", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Rwmania", + "Russian Federation": "Ffederasiwn Rwsia", + "Rwanda": "Rwanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "St Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saudi Arabia", + "Save": "Arbed", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapore", + "Slovakia": "Slofacia", + "Slovenia": "Slofenia", + "Solomon Islands": "Ynysoedd Solomon", + "Somalia": "Somalia", + "South Africa": "De Affrica", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Sbaen", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sweden", + "Switzerland": "Y swistir", + "Syrian Arab Republic": "Syria", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tajikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Telerau Gwasanaeth", + "Thailand": "Gwlad thai", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Dod", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Twrci", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Twfalw", + "Uganda": "Uganda", + "Ukraine": "Wcráin", + "United Arab Emirates": "Emiradau Arabaidd Unedig", + "United Kingdom": "Y Deyrnas Unedig", + "United States": "Unol Daleithiau", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Diweddariad", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Ynysoedd Virgin Prydeinig", + "Virgin Islands, U.S.": "Ynysoedd Virgin yr UNOL daleithiau", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Gorllewin Sahara", + "Whoops! Something went wrong.": "Wps! Aeth rhywbeth o'i le.", + "Yearly": "Yearly", + "Yemen": "Yemeni", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/da/da.json b/locales/da/da.json index d7f23e2b2d8..291eb917dff 100644 --- a/locales/da/da.json +++ b/locales/da/da.json @@ -1,710 +1,48 @@ { - "30 Days": "30 dage", - "60 Days": "60 dage", - "90 Days": "90 dage", - ":amount Total": ":amount i alt", - ":days day trial": ":days day trial", - ":resource Details": ":resource detaljer", - ":resource Details: :title": ":resource detaljer: :title", "A fresh verification link has been sent to your email address.": "Et nyt verifikations-link er sendt til din email-adresse.", - "A new verification link has been sent to the email address you provided during registration.": "Et nyt bekræftelseslink er blevet sendt til den e-mailadresse, du angav under registreringen.", - "Accept Invitation": "Accepter Invitation", - "Action": "Handling", - "Action Happened At": "Skete På", - "Action Initiated By": "Indledt Af", - "Action Name": "Navn", - "Action Status": "Status", - "Action Target": "Mål", - "Actions": "Handling", - "Add": "Tilføje", - "Add a new team member to your team, allowing them to collaborate with you.": "Tilføj et nyt teammedlem til dit team, så de kan samarbejde med dig.", - "Add additional security to your account using two factor authentication.": "Tilføj ekstra sikkerhed til din konto ved hjælp af tofaktorautentisering.", - "Add row": "Tilføj række", - "Add Team Member": "Tilføj Teammedlem", - "Add VAT Number": "Add VAT Number", - "Added.": "Tilføjet.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administrator", - "Administrator users can perform any action.": "Administratorbrugere kan udføre enhver handling.", - "Afghanistan": "Afghanistan", - "Aland Islands": "Ålandsøerne", - "Albania": "Albanien", - "Algeria": "Algeriet", - "All of the people that are part of this team.": "Alle de mennesker, der er en del af dette hold.", - "All resources loaded.": "Alle ressourcer indlæst.", - "All rights reserved.": "Alle rettigheder forbeholdes.", - "Already registered?": "Allerede registreret?", - "American Samoa": "Amerikansk Samoa", - "An error occured while uploading the file.": "Der opstod en fejl under upload af filen.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "En anden bruger har opdateret denne ressource, da denne side blev indlæst. Opdater siden og prøv igen.", - "Antarctica": "Antarktis", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua og Barbuda", - "API Token": "API-Token", - "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 godkende med vores applikation på dine vegne.", - "April": "April", - "Are you sure you want to delete the selected resources?": "Er du sikker på, at du vil slette de valgte ressourcer?", - "Are you sure you want to delete this file?": "Er du sikker på, at du vil slette denne fil?", - "Are you sure you want to delete this resource?": "Er du sikker på, at du vil slette denne ressource?", - "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 want to detach the selected resources?": "Er du sikker på, at du vil løsne de valgte ressourcer?", - "Are you sure you want to detach this resource?": "Er du sikker på, at du vil løsne denne ressource?", - "Are you sure you want to force delete the selected resources?": "Er du sikker på, at du vil tvinge slette de valgte ressourcer?", - "Are you sure you want to force delete this resource?": "Er du sikker på, at du vil tvinge slette denne ressource?", - "Are you sure you want to restore the selected resources?": "Er du sikker på, at du vil gendanne de valgte ressourcer?", - "Are you sure you want to restore this resource?": "Er du sikker på, at du vil gendanne denne ressource?", - "Are you sure you want to run this action?": "Er du sikker på, at du vil køre denne handling?", - "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 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?", - "Argentina": "Argentina", - "Armenia": "Armenien", - "Aruba": "Aruba", - "Attach": "Vedhæfte", - "Attach & Attach Another": "Vedhæft & Vedhæft En Anden", - "Attach :resource": "Vedhæft :resource", - "August": "August", - "Australia": "Australien", - "Austria": "Østrig", - "Azerbaijan": "Aserbajdsjan", - "Bahamas": "Bahamas", - "Bahrain": "Bahrain", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Før du fortsætter bedes du verificere din konto. Tjek din indbakke.", - "Belarus": "Belarus", - "Belgium": "Belgien", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bhutan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius og S andbado", - "Bosnia And Herzegovina": "Bosnien-Hercegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvetøen", - "Brazil": "Brasilien", - "British Indian Ocean Territory": "Britisk Indiske Ocean Territorium", - "Browser Sessions": "Browser Sessioner", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgarien", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Cambodjanske", - "Cameroon": "Cameroun", - "Canada": "Canada", - "Cancel": "Annullere", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Kap Verde", - "Card": "Kort", - "Cayman Islands": "Caymanøerne", - "Central African Republic": "Den Centralafrikanske Republik", - "Chad": "Tchad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Ændre", - "Chile": "Chile", - "China": "Kina", - "Choose": "Vælge", - "Choose :field": "Vælg :field", - "Choose :resource": "Vælg :resource", - "Choose an option": "Vælg en mulighed", - "Choose date": "Vælg dato", - "Choose File": "Vælg Fil", - "Choose Type": "Vælg Type", - "Christmas Island": "Juleøen", - "City": "City", "click here to request another": "klik her for at anmode om ny", - "Click to choose": "Klik for at vælge", - "Close": "Lukke", - "Cocos (Keeling) Islands": "Cocos (Keeling) Øer", - "Code": "Kode", - "Colombia": "Columbia", - "Comoros": "Comorerne", - "Confirm": "Bekræfte", - "Confirm Password": "Bekræft password", - "Confirm Payment": "Bekræft Betaling", - "Confirm your :amount payment": "Bekræft din :amount betaling", - "Congo": "Congo", - "Congo, Democratic Republic": "Congo, Den Demokratiske Republik", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Konstant", - "Cook Islands": "Cookøerne", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "kunne ikke findes.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Skabe", - "Create & Add Another": "Opret & Tilføj En Anden", - "Create :resource": "Oprette :resource", - "Create a new team to collaborate with others on projects.": "Opret et nyt team til at samarbejde med andre om projekter.", - "Create Account": "Opret En Bruger", - "Create API Token": "Opret API-Token", - "Create New Team": "Opret Nyt Hold", - "Create Team": "Opret Hold", - "Created.": "Oprettet.", - "Croatia": "Kroatien", - "Cuba": "Cuba", - "Curaçao": "Curacao", - "Current Password": "Nuværende Adgangskode", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Tilpasse", - "Cyprus": "Cypern", - "Czech Republic": "Tjekkiet", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Dashboard", - "December": "December", - "Decrease": "Reducere", - "Delete": "Slette", - "Delete Account": "Slet Konto", - "Delete API Token": "Slet API-Token", - "Delete File": "Slet Fil", - "Delete Resource": "Slet Ressource", - "Delete Selected": "Slet Valgt", - "Delete Team": "Slet Hold", - "Denmark": "Dansk", - "Detach": "Frigøre", - "Detach Resource": "Løsn Ressource", - "Detach Selected": "Løs Valgte", - "Details": "Information", - "Disable": "Deaktivere", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Vil du virkelig rejse? I har ikke-gemte ændringer.", - "Dominica": "Søndag", - "Dominican Republic": "Den Dominikanske Republik", - "Done.": "Gjort.", - "Download": "Hente", - "Download Receipt": "Download Receipt", "E-Mail Address": "Email-adresse", - "Ecuador": "Ecuador", - "Edit": "Redigere", - "Edit :resource": "Rediger :resource", - "Edit Attached": "Rediger Vedhæftet", - "Editor": "Editor", - "Editor users have the ability to read, create, and update.": "Editor brugere har mulighed for at læse, oprette og opdatere.", - "Egypt": "Egypten", - "El Salvador": "Salvador", - "Email": "Mail", - "Email Address": "mailadresse", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Link Til Nulstilling Af E-Mail-Adgangskode", - "Enable": "Aktivere", - "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.", - "Equatorial Guinea": "Ækvatorialguinea", - "Eritrea": "Eritrea", - "Estonia": "Estland", - "Ethiopia": "Etiopien", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Ekstra bekræftelse er nødvendig for at behandle din betaling. Bekræft din betaling ved at udfylde dine betalingsoplysninger nedenfor.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Ekstra bekræftelse er nødvendig for at behandle din betaling. Fortsæt til betalingssiden ved at klikke på knappen nedenfor.", - "Falkland Islands (Malvinas)": "Falklandsøerne (Malvinas)", - "Faroe Islands": "Færøerne", - "February": "Februar", - "Fiji": "Fiji", - "Finland": "Finland", - "For your security, please confirm your password to continue.": "For din sikkerhed, skal du bekræfte din adgangskode for at fortsætte.", "Forbidden": "Forbudt", - "Force Delete": "Force Delete", - "Force Delete Resource": "Force Slet Ressource", - "Force Delete Selected": "Kraft Slet Valgt", - "Forgot Your Password?": "Glemt dit password?", - "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 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.", - "France": "Frankrig", - "French Guiana": "Fransk Guyana", - "French Polynesia": "Fransk Polynesien", - "French Southern Territories": "Franske Sydlige Territorier", - "Full name": "Fulde navn", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Georgien", - "Germany": "Tyskland", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Gå tilbage", - "Go Home": "Til hjem", "Go to page :page": "Gå til side :page", - "Great! You have accepted the invitation to join the :team team.": "Fedt! Du har accepteret invitationen til at deltage i :team-holdet.", - "Greece": "Grækenland", - "Greenland": "Grønland", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Heard Island og McDonald Islands", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Hej!", - "Hide Content": "Skjul Indhold", - "Hold Up!": "Vent!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hongkong", - "Hungary": "Ungarn", - "I agree to the :terms_of_service and :privacy_policy": "Jeg accepterer :terms_of_service og :privacy_policy", - "Iceland": "Island", - "ID": "ID", - "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 bro .ser 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 føler, at din konto er blevet kompromitteret, skal du også opdatere din adgangskode.", "If necessary, you may logout 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 af alle dine andre bro .sersessioner 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 føler, at din konto er blevet kompromitteret, skal du også opdatere din adgangskode.", - "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 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 kassere denne e-mail.", "If you did not receive the email": "Hvis du ikke modtog emailen", - "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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "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:", - "Increase": "Øge", - "India": "Indien", - "Indonesia": "Indonesien", "Invalid signature.": "Ugyldig signatur.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Irak", - "Ireland": "Irland", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Øen Man", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italien", - "Jamaica": "Jamaica", - "January": "Januar", - "Japan": "Japan", - "Jersey": "Trøje", - "Jordan": "Jordan", - "July": "Juli", - "June": "Juni", - "Kazakhstan": "Kasakhstan", - "Kenya": "Kenya", - "Key": "Nøgle", - "Kiribati": "Kiribati", - "Korea": "Sydkorea", - "Korea, Democratic People's Republic of": "Nordkorea", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuwait", - "Kyrgyzstan": "Kirgisistan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Sidste aktive", - "Last used": "Sidst brugt", - "Latvia": "Letland", - "Leave": "Forlade", - "Leave Team": "Forlad Hold", - "Lebanon": "Libanon", - "Lens": "Linse", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libyen", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Litauen", - "Load :perPage More": "Belastning :perside mere", - "Log in": "Login", "Log out": "Log ud", - "Log Out": "Log Ud", - "Log Out Other Browser Sessions": "Log Af Andre Bro Browsersessioner", - "Login": "Log ind", - "Logout": "Log ud", "Logout Other Browser Sessions": "Log Af Andre Bro Browsersessioner", - "Luxembourg": "Luxembourg", - "Macao": "Macao", - "Macedonia": "Nord Makedonien", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagaskar", - "Malawi": "Malawi", - "Malaysia": "Malaysia", - "Maldives": "Maldiverne", - "Mali": "Små", - "Malta": "Malta", - "Manage Account": "Administrer Konto", - "Manage and log out your active sessions on other browsers and devices.": "Administrer og log af dine aktive sessioner på andre bro .sere og enheder.", "Manage and logout your active sessions on other browsers and devices.": "Administrer og log af dine aktive sessioner på andre bro .sere og enheder.", - "Manage API Tokens": "Administrer API-Tokens", - "Manage Role": "Administrer Rolle", - "Manage Team": "Administrer Team", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Marts", - "Marshall Islands": "Marshalløerne", - "Martinique": "Martinique", - "Mauritania": "Mauretanien", - "Mauritius": "Mauritius", - "May": "Kan", - "Mayotte": "Mayotte", - "Mexico": "Mexico", - "Micronesia, Federated States Of": "Mikronesien", - "Moldova": "Moldova", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monaco", - "Mongolia": "Mongoliet", - "Montenegro": "Montenegro", - "Month To Date": "Måned Til Dato", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Marokko", - "Mozambique": "Mozambique", - "Myanmar": "Myanmar", - "Name": "Navn", - "Namibia": "Namibia", - "Nauru": "Nauru formand", - "Nepal": "Nepal", - "Netherlands": "Nederlandene", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Nevermind", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Ny", - "New :resource": "Nye :resource", - "New Caledonia": "Ny Kaledonien", - "New Password": "Nyt Kodeord", - "New Zealand": "New Zealand", - "Next": "Næste", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "Ingen", - "No :resource matched the given criteria.": "Nr. :resource matchede de givne kriterier.", - "No additional information...": "Ingen yderligere oplysninger...", - "No Current Data": "Ingen Aktuelle Data", - "No Data": "Ingen Data", - "no file selected": "Ingen Fil valgt", - "No Increase": "Ingen Stigning", - "No Prior Data": "Ingen Forudgående Data", - "No Results Found.": "Ingen Resultater Fundet.", - "Norfolk Island": "Norfolk Island", - "Northern Mariana Islands": "Nordmarianerne", - "Norway": "Norge", "Not Found": "Ikke fundet", - "Nova User": "Nova Bruger", - "November": "November", - "October": "Oktober", - "of": "af", "Oh no": "Åh nej", - "Oman": "Omanbugten", - "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 Do .nloade alle data eller oplysninger om dette hold, som du ønsker at beholde.", - "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 sine ressourcer og data blive slettet permanent. Før du sletter din konto, skal du Do .nloade alle data eller oplysninger, som du ønsker at beholde.", - "Only Trashed": "Kun Trashed", - "Original": "Oprindelig", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Siden er udløbet", "Pagination Navigation": "Pagination Navigation", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Palæstinensiske Områder", - "Panama": "Panamakanalen", - "Papua New Guinea": "Papua Ny Guinea", - "Paraguay": "Paraguay", - "Password": "Adgangskode", - "Pay :amount": "Betal :amount", - "Payment Cancelled": "Betaling Annulleret", - "Payment Confirmation": "Bekræftelse Betaling", - "Payment Information": "Payment Information", - "Payment Successful": "Betaling Vellykket", - "Pending Team Invitations": "Ventende Team Invitationer", - "Per Page": "Pr. Side", - "Permanently delete this team.": "Slet dette hold permanent.", - "Permanently delete your account.": "Slet din konto permanent.", - "Permissions": "Tilladelse", - "Peru": "Peru", - "Philippines": "Filippinerne", - "Photo": "Foto", - "Pitcairn": "Pitcairn-Øerne", "Please click the button below to verify your email address.": "Klik på knappen nedenfor for at verificere din email-adresse.", - "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 your password before continuing.": "Bekræft venligst dit password før du fortsætter.", - "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 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 bro .sersessioner på alle dine enheder.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Indtast din adgangskode for at bekræfte, at du gerne vil logge af dine andre bro .sersessioner på tværs af alle dine enheder.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "Please provide the email address of the person you would like to add to this team.": "Angiv venligst e-mail-adressen på den person, du gerne vil tilføje til dette team.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Angiv venligst e-mail-adressen på den person, du gerne vil tilføje til dette team. E - mailadressen skal være tilknyttet en eksisterende konto.", - "Please provide your name.": "Angiv venligst dit navn.", - "Poland": "Polen", - "Portugal": "Portugal", - "Press \/ to search": "Tryk på \/ for at søge", - "Preview": "Preview", - "Previous": "Tidligere", - "Privacy Policy": "Fortrolighedspolitik", - "Profile": "Profil", - "Profile Information": "profiloplysninger", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Kvartal Til Dato", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Gendannelseskode", "Regards": "Med venlig hilsen", - "Regenerate Recovery Codes": "Regenerere Inddrivelse Koder", - "Register": "Registrér", - "Reload": "Genindlæse", - "Remember me": "Husk mig", - "Remember Me": "Forbliv logget ind", - "Remove": "Fjerne", - "Remove Photo": "Fjern Foto", - "Remove Team Member": "Fjern Teammedlem", - "Resend Verification Email": "Send Bekræftelses-E-Mail Igen", - "Reset Filters": "Nulstil Filtre", - "Reset Password": "Nulstil password", - "Reset Password Notification": "Notifikation til nulstilling af password", - "resource": "ressource", - "Resources": "Midler", - "resources": "midler", - "Restore": "Gendanne", - "Restore Resource": "Gendan Ressource", - "Restore Selected": "Gendan Valgt", "results": "Resultat", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Møde", - "Role": "Rolle", - "Romania": "Rumænien", - "Run Action": "Køre Handling", - "Russian Federation": "Den Russiske Føderation", - "Rwanda": "Rwanda", - "Réunion": "Réunion", - "Saint Barthelemy": "St. Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "St. Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "St. Kitts og Nevis", - "Saint Lucia": "St. Lucia", - "Saint Martin": "St. Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "St. Pierre og Mi anduelon", - "Saint Vincent And Grenadines": "St. Vincent og Grenadinerne", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "S Ando Tom and og Principe", - "Saudi Arabia": "Saudi-Arabien", - "Save": "Spare", - "Saved.": "Gemt.", - "Search": "Søge", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Vælg Et Nyt Foto", - "Select Action": "Vælg Handling", - "Select All": "Vælg Alle", - "Select All Matching": "Vælg Alle Matchende", - "Send Password Reset Link": "Send link til nulstilling af password", - "Senegal": "Senegal", - "September": "September", - "Serbia": "Serbien", "Server Error": "Server-fejl", "Service Unavailable": "Service utilgængelig", - "Seychelles": "Seychellerne", - "Show All Fields": "Vis Alle Felter", - "Show Content": "Vis Indhold", - "Show Recovery Codes": "Vis Inddrivelse Koder", "Showing": "Vise", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapore", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovakiet", - "Slovenia": "Slovenien", - "Solomon Islands": "Salomonøerne", - "Somalia": "Somalia", - "Something went wrong.": "Noget gik galt.", - "Sorry! You are not authorized to perform this action.": "Undskyld! Du har ikke tilladelse til at udføre denne handling.", - "Sorry, your session has expired.": "Beklager, din session er udløbet.", - "South Africa": "Sydafrika", - "South Georgia And Sandwich Isl.": "South Georgia og South sand andich Islands", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Sydsudan", - "Spain": "Spanien", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Start Polling", - "State \/ County": "State \/ County", - "Stop Polling": "Stop Polling", - "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.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Surinam", - "Svalbard And Jan Mayen": "Svalbard og Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Sverige", - "Switch Teams": "Skift Hold", - "Switzerland": "Schweiz", - "Syrian Arab Republic": "Syrien", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tadsjikistan", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Team Detaljer", - "Team Invitation": "Team Invitation", - "Team Members": "kontoteammedlemmer", - "Team Name": "Holdets Navn", - "Team Owner": "Team Ejer", - "Team Settings": "Teamindstillinger", - "Terms of Service": "Servicevilkår", - "Thailand": "Thailand", - "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 tilmelding! Før du kommer i gang, kan du bekræfte din e-mail-adresse ved at klikke på det link, vi lige har sendt til dig? Hvis du ikke har modtaget e-mailen, vil vi gerne sende dig en anden.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute skal være en gyldig rolle.", - "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 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 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 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 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.": ":attribute skal være mindst :length tegn.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource blev oprettet!", - "The :resource was deleted!": ":resource blev slettet!", - "The :resource was restored!": ":resource blev restaureret!", - "The :resource was updated!": ":resource blev opdateret!", - "The action ran successfully!": "Handlingen løb med succes!", - "The file was deleted!": "Filen blev slettet!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Regeringen vil ikke lade os vise dig, hvad der er bag disse døre", - "The HasOne relationship has already been filled.": "HasOne-forholdet er allerede udfyldt.", - "The payment was successful.": "Betalingen var vellykket.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "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 medfølgende to faktor autentificering kode var ugyldig.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Ressourcen blev opdateret!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Holdets navn og ejer oplysninger.", - "There are no available options for this resource.": "Der er ingen tilgængelige muligheder for denne ressource.", - "There was a problem executing the action.": "Der var et problem med at udføre handlingen.", - "There was a problem submitting the form.": "Der var et problem med at indsende formularen.", - "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 mennesker er blevet inviteret til dit team og er blevet sendt en invitation email. De kan deltage i teamet ved at acceptere e-mailinvitationen.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Denne handling er uautoriseret.", - "This device": "Denne enhed", - "This file field is read-only.": "Dette filfelt er skrivebeskyttet.", - "This image": "Billedet", - "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 password does not match our records.": "Denne adgangskode stemmer ikke overens med vores poster.", "This password reset link will expire in :count minutes.": "Password-link vil udløbe om :count minutter.", - "This payment was already successfully confirmed.": "Denne betaling blev allerede bekræftet.", - "This payment was cancelled.": "Denne betaling blev annulleret.", - "This resource no longer exists": "Denne ressource findes ikke længere", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "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 holdet.", - "Timor-Leste": "Timor-Leste", "to": "at", - "Today": "Dag", "Toggle navigation": "Skift navigation", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Token Navn", - "Tonga": "Komme", "Too Many Attempts.": "For mange forsøg", "Too Many Requests": "For mange forespørgsler", - "total": "samlet", - "Total:": "Total:", - "Trashed": "Smide", - "Trinidad And Tobago": "Trinidad og Tobago", - "Tunisia": "Tunesien", - "Turkey": "Tyrkiet", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Turks-og Caicosøerne", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "To Faktor Autentificering", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "To faktor-godkendelse er nu aktiveret. Scan følgende coder-kode ved hjælp af telefonens godkendelsesprogram.", - "Uganda": "Uganda", - "Ukraine": "Ukraine", "Unauthorized": "Uautoriseret", - "United Arab Emirates": "De Forenede Arabiske Emirater", - "United Kingdom": "Storbritannien", - "United States": "USA", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "Amerikanske Oversøiske Øer", - "Update": "Opdatering", - "Update & Continue Editing": "Opdater & Fortsæt Med At Redigere", - "Update :resource": "Opdatering :resource", - "Update :resource: :title": "Opdatering :resource: :title", - "Update attached :resource: :title": "Opdatering vedhæftet :resource: :title", - "Update Password": "Opdater Adgangskode", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Opdater din kontos profiloplysninger og e-mailadresse.", - "Uruguay": "Uruguay", - "Use a recovery code": "Brug en gendannelseskode", - "Use an authentication code": "Brug en godkendelseskode", - "Uzbekistan": "Usbekistan", - "Value": "Værdi", - "Vanuatu": "Vanuatu formand", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Bekræft email-adresse", "Verify Your Email Address": "Bekræft din email-adresse", - "Viet Nam": "Vietnam", - "View": "Udsigt", - "Virgin Islands, British": "De Britiske Jomfruøer", - "Virgin Islands, U.S.": "De Amerikanske Jomfruøer", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis og Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "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 will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Vi vil ikke forespørge dit password indenfor de næste par timer.", - "We're lost in space. The page you were trying to view does not exist.": "Vi er faret vild i rummet. Den side, du forsøgte at se, findes ikke.", - "Welcome Back!": "Velkommen Tilbage!", - "Western Sahara": "Vestsahara", - "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.", - "Whoops": "Whoop", - "Whoops!": "Ups!", - "Whoops! Something went wrong.": "Ups! Noget gik galt.", - "With Trashed": "Med Trashed", - "Write": "Skrive", - "Year To Date": "År Til Dato", - "Yearly": "Yearly", - "Yemen": "Yemen", - "Yes": "Ja", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Du er logget ind!", - "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 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 may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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 hold, som du har oprettet.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Din email-adresse er endnu ikke verificeret.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Din email-adresse er endnu ikke verificeret." } diff --git a/locales/da/packages/cashier.json b/locales/da/packages/cashier.json new file mode 100644 index 00000000000..fb83387f47c --- /dev/null +++ b/locales/da/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Alle rettigheder forbeholdes.", + "Card": "Kort", + "Confirm Payment": "Bekræft Betaling", + "Confirm your :amount payment": "Bekræft din :amount betaling", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Ekstra bekræftelse er nødvendig for at behandle din betaling. Bekræft din betaling ved at udfylde dine betalingsoplysninger nedenfor.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Ekstra bekræftelse er nødvendig for at behandle din betaling. Fortsæt til betalingssiden ved at klikke på knappen nedenfor.", + "Full name": "Fulde navn", + "Go back": "Gå tilbage", + "Jane Doe": "Jane Doe", + "Pay :amount": "Betal :amount", + "Payment Cancelled": "Betaling Annulleret", + "Payment Confirmation": "Bekræftelse Betaling", + "Payment Successful": "Betaling Vellykket", + "Please provide your name.": "Angiv venligst dit navn.", + "The payment was successful.": "Betalingen var vellykket.", + "This payment was already successfully confirmed.": "Denne betaling blev allerede bekræftet.", + "This payment was cancelled.": "Denne betaling blev annulleret." +} diff --git a/locales/da/packages/fortify.json b/locales/da/packages/fortify.json new file mode 100644 index 00000000000..eb4e77adfa7 --- /dev/null +++ b/locales/da/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 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 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 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 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.": ":attribute skal være mindst :length tegn.", + "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 medfølgende to faktor autentificering kode var ugyldig." +} diff --git a/locales/da/packages/jetstream.json b/locales/da/packages/jetstream.json new file mode 100644 index 00000000000..7210be0507f --- /dev/null +++ b/locales/da/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Et nyt bekræftelseslink er blevet sendt til den e-mailadresse, du angav under registreringen.", + "Accept Invitation": "Accepter Invitation", + "Add": "Tilføje", + "Add a new team member to your team, allowing them to collaborate with you.": "Tilføj et nyt teammedlem til dit team, så de kan samarbejde med dig.", + "Add additional security to your account using two factor authentication.": "Tilføj ekstra sikkerhed til din konto ved hjælp af tofaktorautentisering.", + "Add Team Member": "Tilføj Teammedlem", + "Added.": "Tilføjet.", + "Administrator": "Administrator", + "Administrator users can perform any action.": "Administratorbrugere kan udføre enhver handling.", + "All of the people that are part of this team.": "Alle de mennesker, der er en del af dette hold.", + "Already registered?": "Allerede registreret?", + "API Token": "API-Token", + "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 godkende med vores applikation på dine vegne.", + "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 delete this API token?": "Er du sikker på, at du gerne vil slette dette API-token?", + "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?", + "Browser Sessions": "Browser Sessioner", + "Cancel": "Annullere", + "Close": "Lukke", + "Code": "Kode", + "Confirm": "Bekræfte", + "Confirm Password": "Bekræft password", + "Create": "Skabe", + "Create a new team to collaborate with others on projects.": "Opret et nyt team til at samarbejde med andre om projekter.", + "Create Account": "Opret En Bruger", + "Create API Token": "Opret API-Token", + "Create New Team": "Opret Nyt Hold", + "Create Team": "Opret Hold", + "Created.": "Oprettet.", + "Current Password": "Nuværende Adgangskode", + "Dashboard": "Dashboard", + "Delete": "Slette", + "Delete Account": "Slet Konto", + "Delete API Token": "Slet API-Token", + "Delete Team": "Slet Hold", + "Disable": "Deaktivere", + "Done.": "Gjort.", + "Editor": "Editor", + "Editor users have the ability to read, create, and update.": "Editor brugere har mulighed for at læse, oprette og opdatere.", + "Email": "Mail", + "Email Password Reset Link": "Link Til Nulstilling Af E-Mail-Adgangskode", + "Enable": "Aktivere", + "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.", + "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?": "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 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.", + "Great! You have accepted the invitation to join the :team team.": "Fedt! Du har accepteret invitationen til at deltage i :team-holdet.", + "I agree to the :terms_of_service and :privacy_policy": "Jeg accepterer :terms_of_service og :privacy_policy", + "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 bro .ser 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 føler, at din konto er blevet kompromitteret, skal du også opdatere din adgangskode.", + "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 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 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:", + "Last active": "Sidste aktive", + "Last used": "Sidst brugt", + "Leave": "Forlade", + "Leave Team": "Forlad Hold", + "Log in": "Login", + "Log Out": "Log Ud", + "Log Out Other Browser Sessions": "Log Af Andre Bro Browsersessioner", + "Manage Account": "Administrer Konto", + "Manage and log out your active sessions on other browsers and devices.": "Administrer og log af dine aktive sessioner på andre bro .sere og enheder.", + "Manage API Tokens": "Administrer API-Tokens", + "Manage Role": "Administrer Rolle", + "Manage Team": "Administrer Team", + "Name": "Navn", + "New Password": "Nyt Kodeord", + "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 Do .nloade alle data eller oplysninger om dette hold, som du ønsker at beholde.", + "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 sine ressourcer og data blive slettet permanent. Før du sletter din konto, skal du Do .nloade alle data eller oplysninger, som du ønsker at beholde.", + "Password": "Adgangskode", + "Pending Team Invitations": "Ventende Team Invitationer", + "Permanently delete this team.": "Slet dette hold permanent.", + "Permanently delete your account.": "Slet din konto permanent.", + "Permissions": "Tilladelse", + "Photo": "Foto", + "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 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 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 bro .sersessioner på alle dine enheder.", + "Please provide the email address of the person you would like to add to this team.": "Angiv venligst e-mail-adressen på den person, du gerne vil tilføje til dette team.", + "Privacy Policy": "Fortrolighedspolitik", + "Profile": "Profil", + "Profile Information": "profiloplysninger", + "Recovery Code": "Gendannelseskode", + "Regenerate Recovery Codes": "Regenerere Inddrivelse Koder", + "Register": "Registrér", + "Remember me": "Husk mig", + "Remove": "Fjerne", + "Remove Photo": "Fjern Foto", + "Remove Team Member": "Fjern Teammedlem", + "Resend Verification Email": "Send Bekræftelses-E-Mail Igen", + "Reset Password": "Nulstil password", + "Role": "Rolle", + "Save": "Spare", + "Saved.": "Gemt.", + "Select A New Photo": "Vælg Et Nyt Foto", + "Show Recovery Codes": "Vis Inddrivelse Koder", + "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.", + "Switch Teams": "Skift Hold", + "Team Details": "Team Detaljer", + "Team Invitation": "Team Invitation", + "Team Members": "kontoteammedlemmer", + "Team Name": "Holdets Navn", + "Team Owner": "Team Ejer", + "Team Settings": "Teamindstillinger", + "Terms of Service": "Servicevilkår", + "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 tilmelding! Før du kommer i gang, kan du bekræfte din e-mail-adresse ved at klikke på det link, vi lige har sendt til dig? Hvis du ikke har modtaget e-mailen, vil vi gerne sende dig en anden.", + "The :attribute must be a valid role.": ":attribute skal være en gyldig rolle.", + "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 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 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 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 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.": ":attribute skal være mindst :length tegn.", + "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 medfølgende to faktor autentificering kode var ugyldig.", + "The team's name and owner information.": "Holdets navn og ejer oplysninger.", + "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 mennesker er blevet inviteret til dit team og er blevet sendt en invitation email. De kan deltage i teamet ved at acceptere e-mailinvitationen.", + "This device": "Denne enhed", + "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 password does not match our records.": "Denne adgangskode stemmer ikke overens med vores poster.", + "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 holdet.", + "Token Name": "Token Navn", + "Two Factor Authentication": "To Faktor Autentificering", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "To faktor-godkendelse er nu aktiveret. Scan følgende coder-kode ved hjælp af telefonens godkendelsesprogram.", + "Update Password": "Opdater Adgangskode", + "Update your account's profile information and email address.": "Opdater din kontos profiloplysninger og e-mailadresse.", + "Use a recovery code": "Brug en gendannelseskode", + "Use an authentication code": "Brug en godkendelseskode", + "We were unable to find a registered user with this email address.": "Vi kunne ikke finde en registreret bruger med denne e-mail-adresse.", + "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.", + "Whoops! Something went wrong.": "Ups! Noget gik galt.", + "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 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.": "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 hold, som du har oprettet." +} diff --git a/locales/da/packages/nova.json b/locales/da/packages/nova.json new file mode 100644 index 00000000000..e181b63c47b --- /dev/null +++ b/locales/da/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 dage", + "60 Days": "60 dage", + "90 Days": "90 dage", + ":amount Total": ":amount i alt", + ":resource Details": ":resource detaljer", + ":resource Details: :title": ":resource detaljer: :title", + "Action": "Handling", + "Action Happened At": "Skete På", + "Action Initiated By": "Indledt Af", + "Action Name": "Navn", + "Action Status": "Status", + "Action Target": "Mål", + "Actions": "Handling", + "Add row": "Tilføj række", + "Afghanistan": "Afghanistan", + "Aland Islands": "Ålandsøerne", + "Albania": "Albanien", + "Algeria": "Algeriet", + "All resources loaded.": "Alle ressourcer indlæst.", + "American Samoa": "Amerikansk Samoa", + "An error occured while uploading the file.": "Der opstod en fejl under upload af filen.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "En anden bruger har opdateret denne ressource, da denne side blev indlæst. Opdater siden og prøv igen.", + "Antarctica": "Antarktis", + "Antigua And Barbuda": "Antigua og Barbuda", + "April": "April", + "Are you sure you want to delete the selected resources?": "Er du sikker på, at du vil slette de valgte ressourcer?", + "Are you sure you want to delete this file?": "Er du sikker på, at du vil slette denne fil?", + "Are you sure you want to delete this resource?": "Er du sikker på, at du vil slette denne ressource?", + "Are you sure you want to detach the selected resources?": "Er du sikker på, at du vil løsne de valgte ressourcer?", + "Are you sure you want to detach this resource?": "Er du sikker på, at du vil løsne denne ressource?", + "Are you sure you want to force delete the selected resources?": "Er du sikker på, at du vil tvinge slette de valgte ressourcer?", + "Are you sure you want to force delete this resource?": "Er du sikker på, at du vil tvinge slette denne ressource?", + "Are you sure you want to restore the selected resources?": "Er du sikker på, at du vil gendanne de valgte ressourcer?", + "Are you sure you want to restore this resource?": "Er du sikker på, at du vil gendanne denne ressource?", + "Are you sure you want to run this action?": "Er du sikker på, at du vil køre denne handling?", + "Argentina": "Argentina", + "Armenia": "Armenien", + "Aruba": "Aruba", + "Attach": "Vedhæfte", + "Attach & Attach Another": "Vedhæft & Vedhæft En Anden", + "Attach :resource": "Vedhæft :resource", + "August": "August", + "Australia": "Australien", + "Austria": "Østrig", + "Azerbaijan": "Aserbajdsjan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgien", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius og S andbado", + "Bosnia And Herzegovina": "Bosnien-Hercegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvetøen", + "Brazil": "Brasilien", + "British Indian Ocean Territory": "Britisk Indiske Ocean Territorium", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgarien", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodjanske", + "Cameroon": "Cameroun", + "Canada": "Canada", + "Cancel": "Annullere", + "Cape Verde": "Kap Verde", + "Cayman Islands": "Caymanøerne", + "Central African Republic": "Den Centralafrikanske Republik", + "Chad": "Tchad", + "Changes": "Ændre", + "Chile": "Chile", + "China": "Kina", + "Choose": "Vælge", + "Choose :field": "Vælg :field", + "Choose :resource": "Vælg :resource", + "Choose an option": "Vælg en mulighed", + "Choose date": "Vælg dato", + "Choose File": "Vælg Fil", + "Choose Type": "Vælg Type", + "Christmas Island": "Juleøen", + "Click to choose": "Klik for at vælge", + "Cocos (Keeling) Islands": "Cocos (Keeling) Øer", + "Colombia": "Columbia", + "Comoros": "Comorerne", + "Confirm Password": "Bekræft password", + "Congo": "Congo", + "Congo, Democratic Republic": "Congo, Den Demokratiske Republik", + "Constant": "Konstant", + "Cook Islands": "Cookøerne", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "kunne ikke findes.", + "Create": "Skabe", + "Create & Add Another": "Opret & Tilføj En Anden", + "Create :resource": "Oprette :resource", + "Croatia": "Kroatien", + "Cuba": "Cuba", + "Curaçao": "Curacao", + "Customize": "Tilpasse", + "Cyprus": "Cypern", + "Czech Republic": "Tjekkiet", + "Dashboard": "Dashboard", + "December": "December", + "Decrease": "Reducere", + "Delete": "Slette", + "Delete File": "Slet Fil", + "Delete Resource": "Slet Ressource", + "Delete Selected": "Slet Valgt", + "Denmark": "Dansk", + "Detach": "Frigøre", + "Detach Resource": "Løsn Ressource", + "Detach Selected": "Løs Valgte", + "Details": "Information", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Vil du virkelig rejse? I har ikke-gemte ændringer.", + "Dominica": "Søndag", + "Dominican Republic": "Den Dominikanske Republik", + "Download": "Hente", + "Ecuador": "Ecuador", + "Edit": "Redigere", + "Edit :resource": "Rediger :resource", + "Edit Attached": "Rediger Vedhæftet", + "Egypt": "Egypten", + "El Salvador": "Salvador", + "Email Address": "mailadresse", + "Equatorial Guinea": "Ækvatorialguinea", + "Eritrea": "Eritrea", + "Estonia": "Estland", + "Ethiopia": "Etiopien", + "Falkland Islands (Malvinas)": "Falklandsøerne (Malvinas)", + "Faroe Islands": "Færøerne", + "February": "Februar", + "Fiji": "Fiji", + "Finland": "Finland", + "Force Delete": "Force Delete", + "Force Delete Resource": "Force Slet Ressource", + "Force Delete Selected": "Kraft Slet Valgt", + "Forgot Your Password?": "Glemt dit password?", + "Forgot your password?": "Glemt din adgangskode?", + "France": "Frankrig", + "French Guiana": "Fransk Guyana", + "French Polynesia": "Fransk Polynesien", + "French Southern Territories": "Franske Sydlige Territorier", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgien", + "Germany": "Tyskland", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "Til hjem", + "Greece": "Grækenland", + "Greenland": "Grønland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Heard Island og McDonald Islands", + "Hide Content": "Skjul Indhold", + "Hold Up!": "Vent!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hongkong", + "Hungary": "Ungarn", + "Iceland": "Island", + "ID": "ID", + "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.", + "Increase": "Øge", + "India": "Indien", + "Indonesia": "Indonesien", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Irak", + "Ireland": "Irland", + "Isle Of Man": "Øen Man", + "Israel": "Israel", + "Italy": "Italien", + "Jamaica": "Jamaica", + "January": "Januar", + "Japan": "Japan", + "Jersey": "Trøje", + "Jordan": "Jordan", + "July": "Juli", + "June": "Juni", + "Kazakhstan": "Kasakhstan", + "Kenya": "Kenya", + "Key": "Nøgle", + "Kiribati": "Kiribati", + "Korea": "Sydkorea", + "Korea, Democratic People's Republic of": "Nordkorea", + "Kosovo": "Kosovo", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kirgisistan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Letland", + "Lebanon": "Libanon", + "Lens": "Linse", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libyen", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litauen", + "Load :perPage More": "Belastning :perside mere", + "Login": "Log ind", + "Logout": "Log ud", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia": "Nord Makedonien", + "Madagascar": "Madagaskar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldiverne", + "Mali": "Små", + "Malta": "Malta", + "March": "Marts", + "Marshall Islands": "Marshalløerne", + "Martinique": "Martinique", + "Mauritania": "Mauretanien", + "Mauritius": "Mauritius", + "May": "Kan", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States Of": "Mikronesien", + "Moldova": "Moldova", + "Monaco": "Monaco", + "Mongolia": "Mongoliet", + "Montenegro": "Montenegro", + "Month To Date": "Måned Til Dato", + "Montserrat": "Montserrat", + "Morocco": "Marokko", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru formand", + "Nepal": "Nepal", + "Netherlands": "Nederlandene", + "New": "Ny", + "New :resource": "Nye :resource", + "New Caledonia": "Ny Kaledonien", + "New Zealand": "New Zealand", + "Next": "Næste", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "Ingen", + "No :resource matched the given criteria.": "Nr. :resource matchede de givne kriterier.", + "No additional information...": "Ingen yderligere oplysninger...", + "No Current Data": "Ingen Aktuelle Data", + "No Data": "Ingen Data", + "no file selected": "Ingen Fil valgt", + "No Increase": "Ingen Stigning", + "No Prior Data": "Ingen Forudgående Data", + "No Results Found.": "Ingen Resultater Fundet.", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Nordmarianerne", + "Norway": "Norge", + "Nova User": "Nova Bruger", + "November": "November", + "October": "Oktober", + "of": "af", + "Oman": "Omanbugten", + "Only Trashed": "Kun Trashed", + "Original": "Oprindelig", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palæstinensiske Områder", + "Panama": "Panamakanalen", + "Papua New Guinea": "Papua Ny Guinea", + "Paraguay": "Paraguay", + "Password": "Adgangskode", + "Per Page": "Pr. Side", + "Peru": "Peru", + "Philippines": "Filippinerne", + "Pitcairn": "Pitcairn-Øerne", + "Poland": "Polen", + "Portugal": "Portugal", + "Press \/ to search": "Tryk på \/ for at søge", + "Preview": "Preview", + "Previous": "Tidligere", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Kvartal Til Dato", + "Reload": "Genindlæse", + "Remember Me": "Forbliv logget ind", + "Reset Filters": "Nulstil Filtre", + "Reset Password": "Nulstil password", + "Reset Password Notification": "Notifikation til nulstilling af password", + "resource": "ressource", + "Resources": "Midler", + "resources": "midler", + "Restore": "Gendanne", + "Restore Resource": "Gendan Ressource", + "Restore Selected": "Gendan Valgt", + "Reunion": "Møde", + "Romania": "Rumænien", + "Run Action": "Køre Handling", + "Russian Federation": "Den Russiske Føderation", + "Rwanda": "Rwanda", + "Saint Barthelemy": "St. Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts And Nevis": "St. Kitts og Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin": "St. Martin", + "Saint Pierre And Miquelon": "St. Pierre og Mi anduelon", + "Saint Vincent And Grenadines": "St. Vincent og Grenadinerne", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "S Ando Tom and og Principe", + "Saudi Arabia": "Saudi-Arabien", + "Search": "Søge", + "Select Action": "Vælg Handling", + "Select All": "Vælg Alle", + "Select All Matching": "Vælg Alle Matchende", + "Send Password Reset Link": "Send link til nulstilling af password", + "Senegal": "Senegal", + "September": "September", + "Serbia": "Serbien", + "Seychelles": "Seychellerne", + "Show All Fields": "Vis Alle Felter", + "Show Content": "Vis Indhold", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapore", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovakiet", + "Slovenia": "Slovenien", + "Solomon Islands": "Salomonøerne", + "Somalia": "Somalia", + "Something went wrong.": "Noget gik galt.", + "Sorry! You are not authorized to perform this action.": "Undskyld! Du har ikke tilladelse til at udføre denne handling.", + "Sorry, your session has expired.": "Beklager, din session er udløbet.", + "South Africa": "Sydafrika", + "South Georgia And Sandwich Isl.": "South Georgia og South sand andich Islands", + "South Sudan": "Sydsudan", + "Spain": "Spanien", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Start Polling", + "Stop Polling": "Stop Polling", + "Sudan": "Sudan", + "Suriname": "Surinam", + "Svalbard And Jan Mayen": "Svalbard og Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sverige", + "Switzerland": "Schweiz", + "Syrian Arab Republic": "Syrien", + "Taiwan": "Taiwan", + "Tajikistan": "Tadsjikistan", + "Tanzania": "Tanzania", + "Thailand": "Thailand", + "The :resource was created!": ":resource blev oprettet!", + "The :resource was deleted!": ":resource blev slettet!", + "The :resource was restored!": ":resource blev restaureret!", + "The :resource was updated!": ":resource blev opdateret!", + "The action ran successfully!": "Handlingen løb med succes!", + "The file was deleted!": "Filen blev slettet!", + "The government won't let us show you what's behind these doors": "Regeringen vil ikke lade os vise dig, hvad der er bag disse døre", + "The HasOne relationship has already been filled.": "HasOne-forholdet er allerede udfyldt.", + "The resource was updated!": "Ressourcen blev opdateret!", + "There are no available options for this resource.": "Der er ingen tilgængelige muligheder for denne ressource.", + "There was a problem executing the action.": "Der var et problem med at udføre handlingen.", + "There was a problem submitting the form.": "Der var et problem med at indsende formularen.", + "This file field is read-only.": "Dette filfelt er skrivebeskyttet.", + "This image": "Billedet", + "This resource no longer exists": "Denne ressource findes ikke længere", + "Timor-Leste": "Timor-Leste", + "Today": "Dag", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Komme", + "total": "samlet", + "Trashed": "Smide", + "Trinidad And Tobago": "Trinidad og Tobago", + "Tunisia": "Tunesien", + "Turkey": "Tyrkiet", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Turks-og Caicosøerne", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "De Forenede Arabiske Emirater", + "United Kingdom": "Storbritannien", + "United States": "USA", + "United States Outlying Islands": "Amerikanske Oversøiske Øer", + "Update": "Opdatering", + "Update & Continue Editing": "Opdater & Fortsæt Med At Redigere", + "Update :resource": "Opdatering :resource", + "Update :resource: :title": "Opdatering :resource: :title", + "Update attached :resource: :title": "Opdatering vedhæftet :resource: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Usbekistan", + "Value": "Værdi", + "Vanuatu": "Vanuatu formand", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Udsigt", + "Virgin Islands, British": "De Britiske Jomfruøer", + "Virgin Islands, U.S.": "De Amerikanske Jomfruøer", + "Wallis And Futuna": "Wallis og Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Vi er faret vild i rummet. Den side, du forsøgte at se, findes ikke.", + "Welcome Back!": "Velkommen Tilbage!", + "Western Sahara": "Vestsahara", + "Whoops": "Whoop", + "Whoops!": "Ups!", + "With Trashed": "Med Trashed", + "Write": "Skrive", + "Year To Date": "År Til Dato", + "Yemen": "Yemen", + "Yes": "Ja", + "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.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/da/packages/spark-paddle.json b/locales/da/packages/spark-paddle.json new file mode 100644 index 00000000000..31bdf4011fa --- /dev/null +++ b/locales/da/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Servicevilkår", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Ups! Noget gik galt.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/da/packages/spark-stripe.json b/locales/da/packages/spark-stripe.json new file mode 100644 index 00000000000..5904146fab5 --- /dev/null +++ b/locales/da/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afghanistan", + "Albania": "Albanien", + "Algeria": "Algeriet", + "American Samoa": "Amerikansk Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarktis", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armenien", + "Aruba": "Aruba", + "Australia": "Australien", + "Austria": "Østrig", + "Azerbaijan": "Aserbajdsjan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgien", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvetøen", + "Brazil": "Brasilien", + "British Indian Ocean Territory": "Britisk Indiske Ocean Territorium", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgarien", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodjanske", + "Cameroon": "Cameroun", + "Canada": "Canada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Kap Verde", + "Card": "Kort", + "Cayman Islands": "Caymanøerne", + "Central African Republic": "Den Centralafrikanske Republik", + "Chad": "Tchad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Chile", + "China": "Kina", + "Christmas Island": "Juleøen", + "City": "City", + "Cocos (Keeling) Islands": "Cocos (Keeling) Øer", + "Colombia": "Columbia", + "Comoros": "Comorerne", + "Confirm Payment": "Bekræft Betaling", + "Confirm your :amount payment": "Bekræft din :amount betaling", + "Congo": "Congo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Cookøerne", + "Costa Rica": "Costa Rica", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Kroatien", + "Cuba": "Cuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Cypern", + "Czech Republic": "Tjekkiet", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Dansk", + "Djibouti": "Djibouti", + "Dominica": "Søndag", + "Dominican Republic": "Den Dominikanske Republik", + "Download Receipt": "Download Receipt", + "Ecuador": "Ecuador", + "Egypt": "Egypten", + "El Salvador": "Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Ækvatorialguinea", + "Eritrea": "Eritrea", + "Estonia": "Estland", + "Ethiopia": "Etiopien", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Ekstra bekræftelse er nødvendig for at behandle din betaling. Fortsæt til betalingssiden ved at klikke på knappen nedenfor.", + "Falkland Islands (Malvinas)": "Falklandsøerne (Malvinas)", + "Faroe Islands": "Færøerne", + "Fiji": "Fiji", + "Finland": "Finland", + "France": "Frankrig", + "French Guiana": "Fransk Guyana", + "French Polynesia": "Fransk Polynesien", + "French Southern Territories": "Franske Sydlige Territorier", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgien", + "Germany": "Tyskland", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Grækenland", + "Greenland": "Grønland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hongkong", + "Hungary": "Ungarn", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Island", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Indien", + "Indonesia": "Indonesien", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Irak", + "Ireland": "Irland", + "Isle of Man": "Isle of Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italien", + "Jamaica": "Jamaica", + "Japan": "Japan", + "Jersey": "Trøje", + "Jordan": "Jordan", + "Kazakhstan": "Kasakhstan", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Nordkorea", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kirgisistan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Letland", + "Lebanon": "Libanon", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libyen", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litauen", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagaskar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldiverne", + "Mali": "Små", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marshalløerne", + "Martinique": "Martinique", + "Mauritania": "Mauretanien", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monaco", + "Mongolia": "Mongoliet", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Marokko", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru formand", + "Nepal": "Nepal", + "Netherlands": "Nederlandene", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Ny Kaledonien", + "New Zealand": "New Zealand", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Nordmarianerne", + "Norway": "Norge", + "Oman": "Omanbugten", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palæstinensiske Områder", + "Panama": "Panamakanalen", + "Papua New Guinea": "Papua Ny Guinea", + "Paraguay": "Paraguay", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Filippinerne", + "Pitcairn": "Pitcairn-Øerne", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Polen", + "Portugal": "Portugal", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Rumænien", + "Russian Federation": "Den Russiske Føderation", + "Rwanda": "Rwanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saudi-Arabien", + "Save": "Spare", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbien", + "Seychelles": "Seychellerne", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapore", + "Slovakia": "Slovakiet", + "Slovenia": "Slovenien", + "Solomon Islands": "Salomonøerne", + "Somalia": "Somalia", + "South Africa": "Sydafrika", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Spanien", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Surinam", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sverige", + "Switzerland": "Schweiz", + "Syrian Arab Republic": "Syrien", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tadsjikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Servicevilkår", + "Thailand": "Thailand", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Komme", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunesien", + "Turkey": "Tyrkiet", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "De Forenede Arabiske Emirater", + "United Kingdom": "Storbritannien", + "United States": "USA", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Opdatering", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Usbekistan", + "Vanuatu": "Vanuatu formand", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "De Britiske Jomfruøer", + "Virgin Islands, U.S.": "De Amerikanske Jomfruøer", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Vestsahara", + "Whoops! Something went wrong.": "Ups! Noget gik galt.", + "Yearly": "Yearly", + "Yemen": "Yemen", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/de/de.json b/locales/de/de.json index 2e65c998c3d..1b5eb80664b 100644 --- a/locales/de/de.json +++ b/locales/de/de.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Tage", - "60 Days": "60 Tage", - "90 Days": "90 Tage", - ":amount Total": ":amount Gesamt", - ":days day trial": ":days Tage Testversion", - ":resource Details": ":resource Details", - ":resource Details: :title": ":resource Details: :title", "A fresh verification link has been sent to your email address.": "Ein neuer Bestätigungslink wurde verschickt.", - "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.", - "Accept Invitation": "Einladung annehmen", - "Action": "Aktion", - "Action Happened At": "Aktion geschah am", - "Action Initiated By": "Aktion initiiert von", - "Action Name": "Name", - "Action Status": "Status", - "Action Target": "Ziel", - "Actions": "Aktionen", - "Add": "Hinzufügen", - "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 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 row": "Zeile hinzufügen", - "Add Team Member": "Teammitglied hinzufügen", - "Add VAT Number": "Umsatzsteuer-Identifikationsnummer hinzufügen", - "Added.": "Hinzugefügt.", - "Address": "Adresse", - "Address Line 2": "Adresse Zeile 2", - "Administrator": "Administrator", - "Administrator users can perform any action.": "Administratoren können jede Aktion durchführen.", - "Afghanistan": "Afghanistan", - "Aland Islands": "Åland", - "Albania": "Albanien", - "Algeria": "Algerien", - "All of the people that are part of this team.": "Alle Personen, die Teil dieses Teams sind.", - "All resources loaded.": "Alle Ressourcen geladen.", - "All rights reserved.": "Alle Rechte vorbehalten.", - "Already registered?": "Bereits registriert?", - "American Samoa": "Amerikanisch-Samoa", - "An error occured while uploading the file.": "Beim Hochladen der Datei ist ein Fehler aufgetreten.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "Es ist ein unerwarteter Fehler aufgetreten und wir haben unser Support-Team benachrichtigt. Bitte versuchen Sie es später noch einmal.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Ein anderer Benutzer hat diese Ressource aktualisiert, seit diese Seite geladen wurde. Bitte aktualisieren Sie die Seite und versuchen Sie es erneut.", - "Antarctica": "Antarktis", - "Antigua and Barbuda": "Antigua und Barbuda", - "Antigua And Barbuda": "Antigua und Barbuda", - "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.", - "April": "April", - "Are you sure you want to delete the selected resources?": "Sind Sie sicher, dass Sie die ausgewählten Ressourcen löschen möchten?", - "Are you sure you want to delete this file?": "Sind Sie sicher, dass Sie diese Datei löschen wollen?", - "Are you sure you want to delete this resource?": "Sind Sie sicher, dass Sie diese Ressource löschen wollen?", - "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 want to detach the selected resources?": "Sind Sie sicher, dass Sie die ausgewählten Ressourcen abtrennen wollen?", - "Are you sure you want to detach this resource?": "Sind Sie sicher, dass Sie diese Ressource abtrennen wollen?", - "Are you sure you want to force delete the selected resources?": "Sind Sie sicher, dass Sie das Löschen der ausgewählten Ressourcen erzwingen wollen?", - "Are you sure you want to force delete this resource?": "Sind Sie sicher, dass Sie die Löschung dieser Ressource erzwingen wollen?", - "Are you sure you want to restore the selected resources?": "Sind Sie sicher, dass Sie die ausgewählten Ressourcen wiederherstellen wollen?", - "Are you sure you want to restore this resource?": "Sind Sie sicher, dass Sie diese Ressource wiederherstellen wollen?", - "Are you sure you want to run this action?": "Sind Sie sicher, dass Sie diese Aktion ausführen wollen?", - "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 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?", - "Argentina": "Argentinien", - "Armenia": "Armenien", - "Aruba": "Aruba", - "Attach": "Anhängen", - "Attach & Attach Another": "Anhang und weiterer Anhang", - "Attach :resource": ":resource Anhängen", - "August": "August", - "Australia": "Australien", - "Austria": "Österreich", - "Azerbaijan": "Aserbaidschan", - "Bahamas": "Bahamas", - "Bahrain": "Bahrain", - "Bangladesh": "Bangladesch", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Bevor Sie fortfahren, überprüfen Sie bitte Ihr E-Mail-Postfach auf einen Bestätigungslink.", - "Belarus": "Belarus", - "Belgium": "Belgien", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bhutan", - "Billing Information": "Informationen zur Abrechnung", - "Billing Management": "Abrechnungs-Management", - "Bolivia": "Bolivien", - "Bolivia, Plurinational State of": "Bolivien", - "Bonaire, Sint Eustatius and Saba": "Karibische Niederlande", - "Bosnia And Herzegovina": "Bosnien und Herzegowina", - "Bosnia and Herzegovina": "Bosnien und Herzegowina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvetinsel", - "Brazil": "Brasilien", - "British Indian Ocean Territory": "Britisches Territorium im Indischen Ozean", - "Browser Sessions": "Browsersitzungen", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgarien", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Kambodscha", - "Cameroon": "Kamerun", - "Canada": "Kanada", - "Cancel": "Abbrechen", - "Cancel Subscription": "Abonnement kündigen", - "Cape Verde": "Kap Verde", - "Card": "Karte", - "Cayman Islands": "Caymaninseln", - "Central African Republic": "Zentralafrikanische Republik", - "Chad": "Tschad", - "Change Subscription Plan": "Abonnementplan ändern", - "Changes": "Änderungen", - "Chile": "Chile", - "China": "China", - "Choose": "Wählen Sie", - "Choose :field": "Wählen Sie :field", - "Choose :resource": "Wählen Sie :resource", - "Choose an option": "Wählen Sie eine Option", - "Choose date": "Datum wählen", - "Choose File": "Datei wählen", - "Choose Type": "Typ wählen", - "Christmas Island": "Weihnachtsinsel", - "City": "Stadt", "click here to request another": "klicken Sie hier, um einen neuen anzufordern", - "Click to choose": "Klicken Sie zum Auswählen", - "Close": "Schließen", - "Cocos (Keeling) Islands": "Kokosinseln", - "Code": "Code", - "Colombia": "Kolumbien", - "Comoros": "Komoren", - "Confirm": "Bestätigen", - "Confirm Password": "Passwort bestätigen", - "Confirm Payment": "Bestätigen Sie die Zahlung", - "Confirm your :amount payment": "Bestätigen Sie Ihre :amount Zahlung", - "Congo": "Kongo", - "Congo, Democratic Republic": "Demokratische Republik Kongo", - "Congo, the Democratic Republic of the": "Demokratische Republik Kongo", - "Constant": "Konstant", - "Cook Islands": "Cookinseln", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Elfenbeinküste", - "could not be found.": "konnte nicht gefunden werden.", - "Country": "Land", - "Coupon": "Gutschein", - "Create": "Erstellen", - "Create & Add Another": "Anlegen & Hinzufügen einer weiteren", - "Create :resource": "Anlegen :resource", - "Create a new team to collaborate with others on projects.": "Erstellen Sie ein neues Team, um mit anderen an Projekten zusammenzuarbeiten.", - "Create Account": "Neues Konto registrieren", - "Create API Token": "API-Token erstellen", - "Create New Team": "Neues Team erstellen", - "Create Team": "Team erstellen", - "Created.": "Erstellt.", - "Croatia": "Kroatien", - "Cuba": "Kuba", - "Curaçao": "Curaçao", - "Current Password": "Derzeitiges Passwort", - "Current Subscription Plan": "Aktueller Abonnementplan", - "Currently Subscribed": "Aktuell abonniert", - "Customize": "Anpassen", - "Cyprus": "Zypern", - "Czech Republic": "Tschechische Republik", - "Côte d'Ivoire": "Elfenbeinküste", - "Dashboard": "Dashboard", - "December": "Dezember", - "Decrease": "Verringern", - "Delete": "Löschen", - "Delete Account": "Account löschen", - "Delete API Token": "API-Token löschen", - "Delete File": "Datei löschen", - "Delete Resource": "Ressource löschen", - "Delete Selected": "Ausgewählte löschen", - "Delete Team": "Team löschen", - "Denmark": "Dänemark", - "Detach": "Trennen", - "Detach Resource": "Ressource abtrennen", - "Detach Selected": "Ausgewählte abtrennen", - "Details": "Details", - "Disable": "Deaktivieren", - "Djibouti": "Dschibuti", - "Do you really want to leave? You have unsaved changes.": "Wollen Sie wirklich gehen? Sie haben nicht gespeicherte Änderungen.", - "Dominica": "Dominica", - "Dominican Republic": "Dominikanische Republik", - "Done.": "Erledigt.", - "Download": "Herunterladen", - "Download Receipt": "Beleg herunterladen", "E-Mail Address": "E-Mail-Adresse", - "Ecuador": "Ecuador", - "Edit": "Bearbeiten", - "Edit :resource": ":resource bearbeiten", - "Edit Attached": "Anhang 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.", - "Egypt": "Ägypten", - "El Salvador": "El Salvador", - "Email": "E-Mail", - "Email Address": "E-Mail Adresse", - "Email Addresses": "E-Mail Adressen", - "Email Password Reset Link": "Link zum Zurücksetzen des Passwortes zusenden", - "Enable": "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.", - "Equatorial Guinea": "Äquatorialguinea", - "Eritrea": "Eritrea", - "Estonia": "Estland", - "Ethiopia": "Äthiopien", - "ex VAT": "ohne Umsatzsteuer", - "Extra Billing Information": "Zusätzliche Informationen zur Rechnungsstellung", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Eine zusätzliche Bestätigung ist erforderlich, um Ihre Zahlung zu bearbeiten. Bitte bestätigen Sie Ihre Zahlung, indem Sie Ihre Zahlungsdetails unten ausfüllen.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Eine zusätzliche Bestätigung ist erforderlich, um Ihre Zahlung zu bearbeiten. Bitte fahren Sie mit der Zahlungsseite fort, indem Sie auf die Schaltfläche unten klicken.", - "Falkland Islands (Malvinas)": "Falklandinseln", - "Faroe Islands": "Färöer", - "February": "Februar", - "Fiji": "Fidschi", - "Finland": "Finnland", - "For your security, please confirm your password to continue.": "Um fortzufahren, bestätigen Sie zu Ihrer Sicherheit bitte Ihr Passwort.", "Forbidden": "Verboten", - "Force Delete": "Löschen erzwingen", - "Force Delete Resource": "Löschen der Ressource erzwingen", - "Force Delete Selected": "Auswahl Löschen erzwingen", - "Forgot Your 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.", - "France": "Frankreich", - "French Guiana": "Französisch-Guayana", - "French Polynesia": "Französisch-Polynesien", - "French Southern Territories": "Französische Süd- und Antarktisgebiete", - "Full name": "Vollständiger Name", - "Gabon": "Gabun", - "Gambia": "Gambia", - "Georgia": "Georgien", - "Germany": "Deutschland", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Zurück gehen", - "Go Home": "Nach Hause", "Go to page :page": "Gehe zur Seite :page", - "Great! You have accepted the invitation to join the :team team.": "Großartig! Sie haben die Einladung zur Teilnahme am :team angenommen.", - "Greece": "Griechenland", - "Greenland": "Grönland", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Haben Sie einen Gutscheincode?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Haben Sie Bedenken, Ihr Abonnement zu kündigen? Sie können Ihr Abonnement jederzeit bis zum Ende Ihres aktuellen Abrechnungszeitraums sofort reaktivieren. Nach dem Ende Ihres aktuellen Abrechnungszeitraums können Sie einen völlig neuen Aboplan wählen.", - "Heard Island & Mcdonald Islands": "Heard und McDonaldinseln", - "Heard Island and McDonald Islands": "Heard und McDonaldinseln", "Hello!": "Hallo!", - "Hide Content": "Inhalt ausblenden", - "Hold Up!": "Moment mal!", - "Holy See (Vatican City State)": "Vatikanstadt", - "Honduras": "Honduras", - "Hong Kong": "Hongkong", - "Hungary": "Ungarn", - "I agree to the :terms_of_service and :privacy_policy": "Ich akzeptiere die :terms_of_service und die :privacy_policy", - "Iceland": "Island", - "ID": "ID", - "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 necessary, you may logout 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 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.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Wenn Sie keine Einladung zu diesem Team erwartet haben, kann das E-Mail gelöscht werden.", "If you did not receive the email": "Wenn Sie keine E-Mail erhalten haben", - "If you did not request a password reset, no further action is required.": "Wenn Sie kein Zurücksetzen des Passworts beantragt haben, sind keine weiteren Handlungen nötig.", - "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:": "Wenn Sie kein Konto haben, können Sie ein Konto erstellen, indem Sie auf die Schaltfläche unten klicken. Nach dem Erstellen eines Kontos können Sie in dieser E-Mail auf die Schaltfläche zur Annahme der Einladung klicken, um die Teameinladung anzunehmen:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "Wenn Sie Ihren Quittungen bestimmte Kontakt- oder Steuerinformationen hinzufügen möchten, wie z. B. Ihren vollständigen Firmennamen, Ihre Umsatzsteuer-Identifikationsnummer oder Ihre Anschrift, können Sie diese hier hinzufügen.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Wenn Sie Schwierigkeiten haben, die \":actionText\"-Schaltfläche zu drücken, fügen Sie bitte die folgende Adresse in Ihren Browser ein:", - "Increase": "erhöhen", - "India": "Indien", - "Indonesia": "Indonesien", "Invalid signature.": "Ungültige Signatur.", - "Iran, Islamic Republic of": "Iran", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Irak", - "Ireland": "Irland", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Isle of Man", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "Es sieht so aus, als hätten Sie kein aktives Abonnement. Sie können einen der unten aufgeführten Abonnementpläne wählen, um zu beginnen. Abonnementpläne können jederzeit geändert oder gekündigt werden.", - "Italy": "Italien", - "Jamaica": "Jamaika", - "January": "Januar", - "Japan": "Japan", - "Jersey": "Jersey", - "Jordan": "Jordanien", - "July": "Juli", - "June": "Juni", - "Kazakhstan": "Kasachstan", - "Kenya": "Kenia", - "Key": "Schlüssel", - "Kiribati": "Kiribati", - "Korea": "Südkorea", - "Korea, Democratic People's Republic of": "Nordkorea", - "Korea, Republic of": "Republik Korea", - "Kosovo": "Kosovo", - "Kuwait": "Kuwait", - "Kyrgyzstan": "Kirgisistan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Zuletzt aktiv", - "Last used": "Zuletzt verwendet", - "Latvia": "Lettland", - "Leave": "Verlassen", - "Leave Team": "Team verlassen", - "Lebanon": "Libanon", - "Lens": "Lens", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libyen", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Litauen", - "Load :perPage More": "Laden :perPage weitere", - "Log in": "Einloggen", "Log out": "Abmelden", - "Log Out": "Abmelden", - "Log Out Other Browser Sessions": "Andere Browser-Sitzungen abmelden", - "Login": "Anmelden", - "Logout": "Abmelden", "Logout Other Browser Sessions": "Andere Browsersitzungen abmelden", - "Luxembourg": "Luxemburg", - "Macao": "Macao", - "Macedonia": "Nordmazedonien", - "Macedonia, the former Yugoslav Republic of": "Republik Nordmazedonien", - "Madagascar": "Madagaskar", - "Malawi": "Malawi", - "Malaysia": "Malaysia", - "Maldives": "Malediven", - "Mali": "Mali", - "Malta": "Malta", - "Manage Account": "Account 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 and logout your active sessions on other browsers and devices.": "Verwalten und Abmelden Ihrer aktiven Sitzungen in anderen Browsern und Geräten.", - "Manage API Tokens": "API-Token verwalten", - "Manage Role": "Rolle verwalten", - "Manage Team": "Team verwalten", - "Managing billing for :billableName": "Verwalten der Abrechnung für :billableName", - "March": "März", - "Marshall Islands": "Marshallinseln", - "Martinique": "Martinique", - "Mauritania": "Mauretanien", - "Mauritius": "Mauritius", - "May": "Mai", - "Mayotte": "Mayotte", - "Mexico": "Mexiko", - "Micronesia, Federated States Of": "Mikronesien", - "Moldova": "Moldawien", - "Moldova, Republic of": "Republik Moldau", - "Monaco": "Monaco", - "Mongolia": "Mongolei", - "Montenegro": "Montenegro", - "Month To Date": "Monat bis dato", - "Monthly": "Monatlich", - "monthly": "monatlich", - "Montserrat": "Montserrat", - "Morocco": "Marokko", - "Mozambique": "Mosambik", - "Myanmar": "Myanmar", - "Name": "Name", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Niederlande", - "Netherlands Antilles": "Niederländische Antillen", "Nevermind": "Keine Ursache", - "Nevermind, I'll keep my old plan": "Macht nichts, ich behalte meinen alten Tarif", - "New": "Neu", - "New :resource": "Neu :resource", - "New Caledonia": "Neukaledonien", - "New Password": "Neues Passwort", - "New Zealand": "Neuseeland", - "Next": "Nächste", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "Keine", - "No :resource matched the given criteria.": "Keine :resource entsprach den angegebenen Kriterien.", - "No additional information...": "Keine zusätzlichen Informationen...", - "No Current Data": "Keine aktuellen Daten", - "No Data": "Keine Daten", - "no file selected": "keine Datei ausgewählt", - "No Increase": "Keine Erhöhung", - "No Prior Data": "Keine vorherigen Daten", - "No Results Found.": "Keine Ergebnisse gefunden.", - "Norfolk Island": "Norfolkinsel", - "Northern Mariana Islands": "Nördliche Marianen", - "Norway": "Norwegen", "Not Found": "Nicht gefunden", - "Nova User": "Nova Benutzer", - "November": "November", - "October": "Oktober", - "of": "von", "Oh no": "Oh nein", - "Oman": "Oman", - "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 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 Trashed": "Nur gelöschte", - "Original": "Ursprünglich", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "In unserem Portal zur Rechnungsverwaltung können Sie bequem Ihren Abonnementplan und Ihre Zahlungsmethode verwalten und Ihre letzten Rechnungen herunterladen.", "Page Expired": "Seite abgelaufen", "Pagination Navigation": "Seitennummerierungsnavigation", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Palästinensische Autonomiegebiete", - "Panama": "Panama", - "Papua New Guinea": "Papua-Neuguinea", - "Paraguay": "Paraguay", - "Password": "Passwort", - "Pay :amount": ":amount Bezahlen", - "Payment Cancelled": "Zahlung storniert", - "Payment Confirmation": "Zahlungsbestätigung", - "Payment Information": "Informationen zur Zahlung", - "Payment Successful": "Zahlung erfolgreich", - "Pending Team Invitations": "Ausstehende Team Einladungen", - "Per Page": "Pro Seite", - "Permanently delete this team.": "Löschen Sie dieses Team dauerhaft.", - "Permanently delete your account.": "Löschen Sie Ihren Account dauerhaft.", - "Permissions": "Berechtigungen", - "Peru": "Peru", - "Philippines": "Philippinen", - "Photo": "Foto", - "Pitcairn": "Pitcairninseln", "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 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.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Bitte bestätigen Sie den Zugriff auf Ihr Konto, indem Sie den von Ihrer Authentifizierungsanwendung bereitgestellten Authentifizierungscode eingeben.", "Please confirm your password before continuing.": "Bitte bestätigen Sie Ihr Passwort bevor Sie fortfahren.", - "Please copy your new API token. For your security, it won't be shown again.": "Bitte kopieren Sie Ihren neuen API-Token. Zu Ihrer Sicherheit wird er nicht mehr angezeigt", - "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 enter your password to confirm you would like to logout 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 Browsersitzungen auf allen Ihren Geräten abmelden möchten.", - "Please provide a maximum of three receipt emails addresses.": "Bitte geben Sie maximal drei Empfangs E-Mail Adressen 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 provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Bitte geben Sie die E-Mail-Adresse der Person an, die Sie diesem Team hinzufügen möchten. Die E-Mail-Adresse muss einem vorhandenen Konto zugeordnet sein.", - "Please provide your name.": "Bitte geben Sie Ihren Namen an.", - "Poland": "Polen", - "Portugal": "Portugal", - "Press \/ to search": "Drücken Sie \/ zum Suchen", - "Preview": "Vorschau", - "Previous": "Vorherige", - "Privacy Policy": "Datenschutzerklärung", - "Profile": "Profil", - "Profile Information": "Profilinformationen", - "Puerto Rico": "Puerto Rico", - "Qatar": "Katar", - "Quarter To Date": "Quartal bis dato", - "Receipt Email Addresses": "Beleg E-Mail-Adressen", - "Receipts": "Belege", - "Recovery Code": "Wiederherstellungscode", "Regards": "Mit freundlichen Grüßen", - "Regenerate Recovery Codes": "Wiederherstellungscodes neu generieren", - "Register": "Registrieren", - "Reload": "Neu laden", - "Remember me": "Angemeldet bleiben", - "Remember Me": "Angemeldet bleiben", - "Remove": "Entfernen", - "Remove Photo": "Foto entfernen", - "Remove Team Member": "Teammitglied entfernen", - "Resend Verification Email": "Bestätigungslink erneut senden", - "Reset Filters": "Filter zurücksetzen", - "Reset Password": "Passwort zurücksetzen", - "Reset Password Notification": "Benachrichtigung zum Zurücksetzen des Passworts", - "resource": "Ressource", - "Resources": "Ressourcen", - "resources": "Ressourcen", - "Restore": "Wiederherstellen", - "Restore Resource": "Ressource wiederherstellen", - "Restore Selected": "Wiederherstellen Ausgewählte", "results": "Ergebnisse", - "Resume Subscription": "Abonnement fortsetzen", - "Return to :appName": "Rückkehr zu :appName", - "Reunion": "Réunion", - "Role": "Rolle", - "Romania": "Rumänien", - "Run Action": "Aktion ausführen", - "Russian Federation": "Russische Föderation", - "Rwanda": "Ruanda", - "Réunion": "Réunion", - "Saint Barthelemy": "Saint-Barthélemy", - "Saint Barthélemy": "Saint-Barthélemy", - "Saint Helena": "St. Helena", - "Saint Kitts and Nevis": "St. Kitts und Nevis", - "Saint Kitts And Nevis": "St. Kitts und Nevis", - "Saint Lucia": "St. Lucia", - "Saint Martin": "St. Martin", - "Saint Martin (French part)": "Saint-Martin", - "Saint Pierre and Miquelon": "Saint-Pierre und Miquelon", - "Saint Pierre And Miquelon": "Saint-Pierre und Miquelon", - "Saint Vincent And Grenadines": "St. Vincent und die Grenadinen", - "Saint Vincent and the Grenadines": "St. Vincent und die Grenadinen", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "São Tomé und Príncipe", - "Sao Tome And Principe": "São Tomé und Príncipe", - "Saudi Arabia": "Saudi-Arabien", - "Save": "Speichern", - "Saved.": "Gespeichert", - "Search": "Suchen", - "Select": "Wählen Sie", - "Select a different plan": "Wählen Sie einen anderen Plan", - "Select A New Photo": "Wählen Sie ein neues Foto aus", - "Select Action": "Aktion auswählen", - "Select All": "Alles auswählen", - "Select All Matching": "Alle Übereinstimmungen auswählen", - "Send Password Reset Link": "Link zum Zurücksetzen des Passworts senden", - "Senegal": "Senegal", - "September": "September", - "Serbia": "Serbien", "Server Error": "Interner Fehler", "Service Unavailable": "Service nicht verfügbar", - "Seychelles": "Seychellen", - "Show All Fields": "Alle Felder anzeigen", - "Show Content": "Inhalt anzeigen", - "Show Recovery Codes": "Zeige die Wiederherstellungscodes", "Showing": "Zeigen", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Eingetragen als", - "Singapore": "Singapur", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slowakei", - "Slovenia": "Slowenien", - "Solomon Islands": "Salomon-Inseln", - "Somalia": "Somalia", - "Something went wrong.": "Da ist etwas schief gelaufen.", - "Sorry! You are not authorized to perform this action.": "Entschuldigung! Sie sind nicht berechtigt, diese Aktion durchzuführen.", - "Sorry, your session has expired.": "Entschuldigung, Ihre Sitzung ist abgelaufen.", - "South Africa": "Südafrika", - "South Georgia And Sandwich Isl.": "Südgeorgien und die Südlichen Sandwichinseln", - "South Georgia and the South Sandwich Islands": "Südgeorgien und die Südlichen Sandwichinseln", - "South Sudan": "Südsudan", - "Spain": "Spanien", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Abfrage starten", - "State \/ County": "Bundesland", - "Stop Polling": "Abruf stoppen", - "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.", - "Subscribe": "Abonnieren", - "Subscription Information": "Informationen zum Abonnement", - "Sudan": "Sudan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Spitzbergen und Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Schweden", - "Switch Teams": "Teams wechseln", - "Switzerland": "Schweiz", - "Syrian Arab Republic": "Syrien", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Republik China (Taiwan)", - "Tajikistan": "Tadschikistan", - "Tanzania": "Tansania", - "Tanzania, United Republic of": "Vereinigte Republik Tansania", - "Team Details": "Teamdetails", - "Team Invitation": "Team Einladung", - "Team Members": "Teammitglieder", - "Team Name": "Teamname", - "Team Owner": "Teambesitzer", - "Team Settings": "Teameinstellungen", - "Terms of Service": "Nutzungsbedingungen", - "Thailand": "Thailand", - "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 loslegen, könnten Sie Ihre E-Mail-Adresse verifizieren, indem Sie auf den Link klicken, den wir Ihnen per E-Mail zugeschickt haben? Wenn Sie die E-Mail nicht erhalten haben, senden wir Ihnen gerne eine weitere zu.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Vielen Dank für Ihre kontinuierliche Unterstützung. Wir haben eine Kopie Ihrer Rechnung für Ihre Unterlagen beigefügt. Bitte lassen Sie uns wissen, wenn Sie irgendwelche Fragen oder Bedenken haben.", - "Thanks,": "Vielen Dank,", - "The :attribute must be a valid role.": ":attribute muss eine gültige Rolle sein.", - "The :attribute must be at least :length characters and contain at least one number.": "Das :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 and one number.": "Das :attribute muss mindestens :length Zeichen lang sein und mindestens ein Sonderzeichen und eine Zahl enthalten.", - "The :attribute must be at least :length characters and contain at least one special character.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens ein Sonderzeichen enthalten.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Das :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.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens einen Großbuchstaben und ein Sonderzeichen enthalten.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens einen Großbuchstaben, eine Zahl und ein Sonderzeichen enthalten.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens einen Großbuchstaben enthalten.", - "The :attribute must be at least :length characters.": "Das :attribute muss aus mindestens :length Zeichen bestehen.", "The :attribute must contain at least one letter.": "Das :attribute muss aus mindestens einem Zeichen bestehen.", "The :attribute must contain at least one number.": "Das :attribute muss aus mindestens einer Zahl bestehen.", "The :attribute must contain at least one symbol.": "Das :attribute muss aus mindestens einem Sonderzeichen bestehen.", "The :attribute must contain at least one uppercase and one lowercase letter.": "Das :attribute muss aus mindestens einem Groß- und einem Kleinbuchstaben bestehen.", - "The :resource was created!": "Die :resource wurde erstellt!", - "The :resource was deleted!": "Die :resource wurde gelöscht!", - "The :resource was restored!": "Die :resource wurde wiederhergestellt!", - "The :resource was updated!": "Die :resource wurde aktualisiert!", - "The action ran successfully!": "Die Aktion wurde erfolgreich ausgeführt!", - "The file was deleted!": "Die Datei wurde gelöscht!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "Das :attribute ist bereits in einem Datenleck aufgetaucht. Bitte wähle ein anderes :attribute.", - "The government won't let us show you what's behind these doors": "Wir dürfen Ihnen nicht zeigen, was sich hinter diesen Türen verbirgt", - "The HasOne relationship has already been filled.": "Die HasOne-Beziehung wurde bereits befüllt.", - "The payment was successful.": "Die Zahlung war erfolgreich.", - "The provided coupon code is invalid.": "Der angegebene Gutscheincode ist ungültig.", - "The provided password does not match your current password.": "Das angegebene Passwort stimmt nicht mit Ihrem aktuellen Passwort überein.", - "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 VAT number is invalid.": "Die angegebene Umsatzsteuer-Identifikationsnummer ist ungültig.", - "The receipt emails must be valid email addresses.": "Die Belege E-Mails müssen gültige E-Mail-Adressen sein.", - "The resource was updated!": "Die Ressource wurde aktualisiert!", - "The selected country is invalid.": "Das gewählte Land ist ungültig.", - "The selected plan is invalid.": "Der gewählte Plan ist ungültig.", - "The team's name and owner information.": "Der Name des Teams und Informationen zum Besitzer.", - "There are no available options for this resource.": "Es gibt keine verfügbaren Optionen für diese Ressource.", - "There was a problem executing the action.": "Es gab ein Problem beim Ausführen der Aktion.", - "There was a problem submitting the form.": "Es gab ein Problem beim Absenden des Formulars.", - "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.", - "This account does not have an active subscription.": "Dieses Konto hat kein aktives Abonnement.", "This action is unauthorized.": "Diese Aktion wurde nicht autorisiert.", - "This device": "Dieses Gerät", - "This file field is read-only.": "Dieses Dateifeld ist schreibgeschützt.", - "This image": "Dieses Bild", - "This is a secure area of the application. Please confirm your password before continuing.": "Dies ist ein sicherer Bereich der Anwendung. Bitte geben Sie Ihr Passwort ein, bevor Sie fortfahren.", - "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 payment was already successfully confirmed.": "Diese Zahlung wurde bereits erfolgreich bestätigt.", - "This payment was cancelled.": "Diese Zahlung wurde storniert.", - "This resource no longer exists": "Diese Ressource existiert nicht mehr", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "Dieses Abonnement ist abgelaufen und kann nicht wiederaufgenommen werden. Bitte legen Sie ein neues Abonnement an.", - "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.", - "Timor-Leste": "Osttimor", "to": "bis", - "Today": "Heute", "Toggle navigation": "Navigation umschalten", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Tokenname", - "Tonga": "Tonga", "Too Many Attempts.": "Zu viele Versuche.", "Too Many Requests": "Zu viele Anfragen", - "total": "gesamt", - "Total:": "Gesamt:", - "Trashed": "Gelöscht", - "Trinidad And Tobago": "Trinidad und Tobago", - "Tunisia": "Tunesien", - "Turkey": "Türkei", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks- und Caicosinseln", - "Turks And Caicos Islands": "Turks- und Caicosinseln", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Zwei-Faktor-Authentifizierung", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Die Zwei-Faktor-Authentifizierung ist jetzt aktiviert. Scannen Sie den folgenden QR-Code mit der Authentifizierungsanwendung Ihres Telefons.", - "Uganda": "Uganda", - "Ukraine": "Ukraine", "Unauthorized": "Nicht autorisiert", - "United Arab Emirates": "Vereinigte Arabische Emirate", - "United Kingdom": "Vereinigtes Königreich", - "United States": "Vereinigte Staaten", - "United States Minor Outlying Islands": "Kleinere Amerikanische Überseeinseln", - "United States Outlying Islands": "Kleinere Amerikanische Überseeinseln", - "Update": "Aktualisieren", - "Update & Continue Editing": "Aktualisieren & Weiterbearbeiten", - "Update :resource": "Aktualisieren :resource", - "Update :resource: :title": "Aktualisieren :resource: :title", - "Update attached :resource: :title": "Angehängte :resource aktualisieren: :title", - "Update Password": "Passwort aktualisieren", - "Update Payment Information": "Zahlungsinformationen aktualisieren", - "Update your account's profile information and email address.": "Aktualisieren Sie die Profilinformationen und die E-Mail-Adresse Ihres Kontos.", - "Uruguay": "Uruguay", - "Use a recovery code": "Verwenden Sie einen Wiederherstellungscode", - "Use an authentication code": "Verwenden Sie einen Authentifizierungscode", - "Uzbekistan": "Usbekistan", - "Value": "Wert", - "Vanuatu": "Vanuatu", - "VAT Number": "Umsatzsteuer-Identifikationsnummer", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Bolivarische Republik Venezuela", "Verify Email Address": "E-Mail-Adresse bestätigen", "Verify Your Email Address": "Bestätigen Sie Ihre E-Mail-Adresse", - "Viet Nam": "Vietnam", - "View": "Ansicht", - "Virgin Islands, British": "Britische Jungferninseln", - "Virgin Islands, U.S.": "Amerikanische Jungferninseln", - "Wallis and Futuna": "Wallis und Futuna", - "Wallis And Futuna": "Wallis und Futuna", - "We are unable to process your payment. Please contact customer support.": "Wir können Ihre Zahlung nicht bearbeiten. Bitte kontaktieren Sie den Kundensupport.", - "We were unable to find a registered user with this email address.": "Wir konnten keinen registrierten Benutzer mit dieser E-Mail-Adresse finden.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "Wir senden Ihnen einen Download-Link für den Beleg an die von Ihnen angegebenen E-Mail-Adressen. Sie können mehrere E-Mail-Adressen durch Kommata trennen.", "We won't ask for your password again for a few hours.": "Wir werden Sie für die nächsten paar Stunden nicht mehr nach dem Passwort fragen.", - "We're lost in space. The page you were trying to view does not exist.": "Wir sind im Weltraum verloren. Die Seite, die Sie aufrufen wollten, existiert nicht.", - "Welcome Back!": "Willkommen zurück!", - "Western Sahara": "Westsahara", - "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 aus der Google Authenticator-Anwendung Ihres Telefons abrufen.", - "Whoops": "Ups", - "Whoops!": "Ups!", - "Whoops! Something went wrong.": "Ups, etwas ist schief gelaufen.", - "With Trashed": "Mit gelöschten", - "Write": "Schreiben Sie", - "Year To Date": "Jahr bis dato", - "Yearly": "Jährlich", - "Yemen": "Jemen", - "Yes": "Ja", - "You are currently within your free trial period. Your trial will expire on :date.": "Sie befinden sich derzeit in Ihrem kostenlosen Testzeitraum. Ihre Testphase läuft am :date ab.", "You are logged in!": "Sie sind eingeloggt!", - "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 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 may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "Sie können Ihr Abonnement jederzeit kündigen. Sobald Ihr Abonnement gekündigt wurde, haben Sie die Möglichkeit, das Abonnement bis zum Ende des aktuellen Abrechnungszyklus fortzusetzen.", - "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.", - "Your :invoiceName invoice is now available!": "Ihre :invoiceName Rechnung ist jetzt verfügbar!", - "Your card was declined. Please contact your card issuer for more information.": "Ihre Karte wurde abgelehnt. Bitte kontaktieren Sie Ihren Kartenaussteller für weitere Informationen.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Ihre aktuelle Zahlungsmethode ist eine Kreditkarte mit der Endung :lastFour, die am :expiration ausläuft.", - "Your email address is not verified.": "Ihre E-Mail Adresse wurde noch nicht bestätigt.", - "Your registered VAT Number is :vatNumber.": "Ihre registrierte Umsatzsteuer-Identifikationsnummer lautet :vatNumber.", - "Zambia": "Sambia", - "Zimbabwe": "Simbabwe", - "Zip \/ Postal Code": "Postleitzahl" + "Your email address is not verified.": "Ihre E-Mail Adresse wurde noch nicht bestätigt." } diff --git a/locales/de/packages/cashier.json b/locales/de/packages/cashier.json new file mode 100644 index 00000000000..7970c9725d6 --- /dev/null +++ b/locales/de/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Alle Rechte vorbehalten.", + "Card": "Karte", + "Confirm Payment": "Bestätigen Sie die Zahlung", + "Confirm your :amount payment": "Bestätigen Sie Ihre :amount Zahlung", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Eine zusätzliche Bestätigung ist erforderlich, um Ihre Zahlung zu bearbeiten. Bitte bestätigen Sie Ihre Zahlung, indem Sie Ihre Zahlungsdetails unten ausfüllen.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Eine zusätzliche Bestätigung ist erforderlich, um Ihre Zahlung zu bearbeiten. Bitte fahren Sie mit der Zahlungsseite fort, indem Sie auf die Schaltfläche unten klicken.", + "Full name": "Vollständiger Name", + "Go back": "Zurück gehen", + "Jane Doe": "Jane Doe", + "Pay :amount": ":amount Bezahlen", + "Payment Cancelled": "Zahlung storniert", + "Payment Confirmation": "Zahlungsbestätigung", + "Payment Successful": "Zahlung erfolgreich", + "Please provide your name.": "Bitte geben Sie Ihren Namen an.", + "The payment was successful.": "Die Zahlung war erfolgreich.", + "This payment was already successfully confirmed.": "Diese Zahlung wurde bereits erfolgreich bestätigt.", + "This payment was cancelled.": "Diese Zahlung wurde storniert." +} diff --git a/locales/de/packages/fortify.json b/locales/de/packages/fortify.json new file mode 100644 index 00000000000..463920f7455 --- /dev/null +++ b/locales/de/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": "Das :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 and one number.": "Das :attribute muss mindestens :length Zeichen lang sein und mindestens ein Sonderzeichen und eine Zahl enthalten.", + "The :attribute must be at least :length characters and contain at least one special character.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens ein Sonderzeichen enthalten.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Das :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.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens einen Großbuchstaben und ein Sonderzeichen enthalten.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens einen Großbuchstaben, eine Zahl und ein Sonderzeichen enthalten.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens einen Großbuchstaben enthalten.", + "The :attribute must be at least :length characters.": "Das :attribute muss aus mindestens :length Zeichen bestehen.", + "The provided password does not match your current password.": "Das angegebene Passwort stimmt nicht mit Ihrem aktuellen Passwort überein.", + "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." +} diff --git a/locales/de/packages/jetstream.json b/locales/de/packages/jetstream.json new file mode 100644 index 00000000000..f0c7882e6e5 --- /dev/null +++ b/locales/de/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "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.", + "Accept Invitation": "Einladung annehmen", + "Add": "Hinzufügen", + "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 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 Team Member": "Teammitglied hinzufügen", + "Added.": "Hinzugefügt.", + "Administrator": "Administrator", + "Administrator users can perform any action.": "Administratoren können jede Aktion durchführen.", + "All of the people that are part of this team.": "Alle Personen, die Teil dieses Teams sind.", + "Already registered?": "Bereits registriert?", + "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.", + "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 delete this API token?": "Möchten Sie dieses API-Token wirklich löschen?", + "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?", + "Browser Sessions": "Browsersitzungen", + "Cancel": "Abbrechen", + "Close": "Schließen", + "Code": "Code", + "Confirm": "Bestätigen", + "Confirm Password": "Passwort bestätigen", + "Create": "Erstellen", + "Create a new team to collaborate with others on projects.": "Erstellen Sie ein neues Team, um mit anderen an Projekten zusammenzuarbeiten.", + "Create Account": "Neues Konto registrieren", + "Create API Token": "API-Token erstellen", + "Create New Team": "Neues Team erstellen", + "Create Team": "Team erstellen", + "Created.": "Erstellt.", + "Current Password": "Derzeitiges Passwort", + "Dashboard": "Dashboard", + "Delete": "Löschen", + "Delete Account": "Account löschen", + "Delete API Token": "API-Token löschen", + "Delete Team": "Team löschen", + "Disable": "Deaktivieren", + "Done.": "Erledigt.", + "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.", + "Email": "E-Mail", + "Email Password Reset Link": "Link zum Zurücksetzen des Passwortes zusenden", + "Enable": "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.", + "For your security, please confirm your password to continue.": "Um fortzufahren, bestätigen Sie zu Ihrer Sicherheit bitte Ihr Passwort.", + "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.", + "Great! You have accepted the invitation to join the :team team.": "Großartig! Sie haben die Einladung zur Teilnahme am :team angenommen.", + "I agree to the :terms_of_service and :privacy_policy": "Ich akzeptiere die :terms_of_service und die :privacy_policy", + "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 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 expect to receive an invitation to this team, you may discard this email.": "Wenn Sie keine Einladung zu diesem Team erwartet haben, kann das E-Mail gelöscht werden.", + "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:": "Wenn Sie kein Konto haben, können Sie ein Konto erstellen, indem Sie auf die Schaltfläche unten klicken. Nach dem Erstellen eines Kontos können Sie in dieser E-Mail auf die Schaltfläche zur Annahme der Einladung klicken, um die Teameinladung anzunehmen:", + "Last active": "Zuletzt aktiv", + "Last used": "Zuletzt verwendet", + "Leave": "Verlassen", + "Leave Team": "Team verlassen", + "Log in": "Einloggen", + "Log Out": "Abmelden", + "Log Out Other Browser Sessions": "Andere Browser-Sitzungen abmelden", + "Manage Account": "Account 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 Role": "Rolle verwalten", + "Manage Team": "Team verwalten", + "Name": "Name", + "New Password": "Neues Passwort", + "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 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.", + "Password": "Passwort", + "Pending Team Invitations": "Ausstehende Team Einladungen", + "Permanently delete this team.": "Löschen Sie dieses Team dauerhaft.", + "Permanently delete your account.": "Löschen Sie Ihren Account dauerhaft.", + "Permissions": "Berechtigungen", + "Photo": "Foto", + "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.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Bitte bestätigen Sie den Zugriff auf Ihr Konto, indem Sie den von Ihrer Authentifizierungsanwendung bereitgestellten Authentifizierungscode eingeben.", + "Please copy your new API token. For your security, it won't be shown again.": "Bitte kopieren Sie Ihren neuen API-Token. Zu Ihrer Sicherheit wird er nicht mehr angezeigt", + "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 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.", + "Privacy Policy": "Datenschutzerklärung", + "Profile": "Profil", + "Profile Information": "Profilinformationen", + "Recovery Code": "Wiederherstellungscode", + "Regenerate Recovery Codes": "Wiederherstellungscodes neu generieren", + "Register": "Registrieren", + "Remember me": "Angemeldet bleiben", + "Remove": "Entfernen", + "Remove Photo": "Foto entfernen", + "Remove Team Member": "Teammitglied entfernen", + "Resend Verification Email": "Bestätigungslink erneut senden", + "Reset Password": "Passwort zurücksetzen", + "Role": "Rolle", + "Save": "Speichern", + "Saved.": "Gespeichert", + "Select A New Photo": "Wählen Sie ein neues Foto aus", + "Show Recovery Codes": "Zeige die Wiederherstellungscodes", + "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.", + "Switch Teams": "Teams wechseln", + "Team Details": "Teamdetails", + "Team Invitation": "Team Einladung", + "Team Members": "Teammitglieder", + "Team Name": "Teamname", + "Team Owner": "Teambesitzer", + "Team Settings": "Teameinstellungen", + "Terms of Service": "Nutzungsbedingungen", + "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 loslegen, könnten Sie Ihre E-Mail-Adresse verifizieren, indem Sie auf den Link klicken, den wir Ihnen per E-Mail zugeschickt haben? Wenn Sie die E-Mail nicht erhalten haben, senden wir Ihnen gerne eine weitere zu.", + "The :attribute must be a valid role.": ":attribute muss eine gültige Rolle sein.", + "The :attribute must be at least :length characters and contain at least one number.": "Das :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 and one number.": "Das :attribute muss mindestens :length Zeichen lang sein und mindestens ein Sonderzeichen und eine Zahl enthalten.", + "The :attribute must be at least :length characters and contain at least one special character.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens ein Sonderzeichen enthalten.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Das :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.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens einen Großbuchstaben und ein Sonderzeichen enthalten.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens einen Großbuchstaben, eine Zahl und ein Sonderzeichen enthalten.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens einen Großbuchstaben enthalten.", + "The :attribute must be at least :length characters.": "Das :attribute muss aus mindestens :length Zeichen bestehen.", + "The provided password does not match your current password.": "Das angegebene Passwort stimmt nicht mit Ihrem aktuellen Passwort überein.", + "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 team's name and owner information.": "Der Name des Teams und Informationen zum Besitzer.", + "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.", + "This device": "Dieses Gerät", + "This is a secure area of the application. Please confirm your password before continuing.": "Dies ist ein sicherer Bereich der Anwendung. Bitte geben Sie Ihr Passwort ein, bevor Sie fortfahren.", + "This password does not match our records.": "Dieses Passwort ist uns nicht bekannt.", + "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.", + "Token Name": "Tokenname", + "Two Factor Authentication": "Zwei-Faktor-Authentifizierung", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Die Zwei-Faktor-Authentifizierung ist jetzt aktiviert. Scannen Sie den folgenden QR-Code mit der Authentifizierungsanwendung Ihres Telefons.", + "Update Password": "Passwort aktualisieren", + "Update your account's profile information and email address.": "Aktualisieren Sie die Profilinformationen und die E-Mail-Adresse Ihres Kontos.", + "Use a recovery code": "Verwenden Sie einen Wiederherstellungscode", + "Use an authentication code": "Verwenden Sie einen Authentifizierungscode", + "We were unable to find a registered user with this email address.": "Wir konnten keinen registrierten Benutzer mit dieser E-Mail-Adresse finden.", + "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 aus der Google Authenticator-Anwendung Ihres Telefons abrufen.", + "Whoops! Something went wrong.": "Ups, etwas ist schief gelaufen.", + "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 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.": "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." +} diff --git a/locales/de/packages/nova.json b/locales/de/packages/nova.json new file mode 100644 index 00000000000..3930265d0a5 --- /dev/null +++ b/locales/de/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Tage", + "60 Days": "60 Tage", + "90 Days": "90 Tage", + ":amount Total": ":amount Gesamt", + ":resource Details": ":resource Details", + ":resource Details: :title": ":resource Details: :title", + "Action": "Aktion", + "Action Happened At": "Aktion geschah am", + "Action Initiated By": "Aktion initiiert von", + "Action Name": "Name", + "Action Status": "Status", + "Action Target": "Ziel", + "Actions": "Aktionen", + "Add row": "Zeile hinzufügen", + "Afghanistan": "Afghanistan", + "Aland Islands": "Åland", + "Albania": "Albanien", + "Algeria": "Algerien", + "All resources loaded.": "Alle Ressourcen geladen.", + "American Samoa": "Amerikanisch-Samoa", + "An error occured while uploading the file.": "Beim Hochladen der Datei ist ein Fehler aufgetreten.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Ein anderer Benutzer hat diese Ressource aktualisiert, seit diese Seite geladen wurde. Bitte aktualisieren Sie die Seite und versuchen Sie es erneut.", + "Antarctica": "Antarktis", + "Antigua And Barbuda": "Antigua und Barbuda", + "April": "April", + "Are you sure you want to delete the selected resources?": "Sind Sie sicher, dass Sie die ausgewählten Ressourcen löschen möchten?", + "Are you sure you want to delete this file?": "Sind Sie sicher, dass Sie diese Datei löschen wollen?", + "Are you sure you want to delete this resource?": "Sind Sie sicher, dass Sie diese Ressource löschen wollen?", + "Are you sure you want to detach the selected resources?": "Sind Sie sicher, dass Sie die ausgewählten Ressourcen abtrennen wollen?", + "Are you sure you want to detach this resource?": "Sind Sie sicher, dass Sie diese Ressource abtrennen wollen?", + "Are you sure you want to force delete the selected resources?": "Sind Sie sicher, dass Sie das Löschen der ausgewählten Ressourcen erzwingen wollen?", + "Are you sure you want to force delete this resource?": "Sind Sie sicher, dass Sie die Löschung dieser Ressource erzwingen wollen?", + "Are you sure you want to restore the selected resources?": "Sind Sie sicher, dass Sie die ausgewählten Ressourcen wiederherstellen wollen?", + "Are you sure you want to restore this resource?": "Sind Sie sicher, dass Sie diese Ressource wiederherstellen wollen?", + "Are you sure you want to run this action?": "Sind Sie sicher, dass Sie diese Aktion ausführen wollen?", + "Argentina": "Argentinien", + "Armenia": "Armenien", + "Aruba": "Aruba", + "Attach": "Anhängen", + "Attach & Attach Another": "Anhang und weiterer Anhang", + "Attach :resource": ":resource Anhängen", + "August": "August", + "Australia": "Australien", + "Austria": "Österreich", + "Azerbaijan": "Aserbaidschan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesch", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgien", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Bolivia": "Bolivien", + "Bonaire, Sint Eustatius and Saba": "Karibische Niederlande", + "Bosnia And Herzegovina": "Bosnien und Herzegowina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvetinsel", + "Brazil": "Brasilien", + "British Indian Ocean Territory": "Britisches Territorium im Indischen Ozean", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgarien", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodscha", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel": "Abbrechen", + "Cape Verde": "Kap Verde", + "Cayman Islands": "Caymaninseln", + "Central African Republic": "Zentralafrikanische Republik", + "Chad": "Tschad", + "Changes": "Änderungen", + "Chile": "Chile", + "China": "China", + "Choose": "Wählen Sie", + "Choose :field": "Wählen Sie :field", + "Choose :resource": "Wählen Sie :resource", + "Choose an option": "Wählen Sie eine Option", + "Choose date": "Datum wählen", + "Choose File": "Datei wählen", + "Choose Type": "Typ wählen", + "Christmas Island": "Weihnachtsinsel", + "Click to choose": "Klicken Sie zum Auswählen", + "Cocos (Keeling) Islands": "Kokosinseln", + "Colombia": "Kolumbien", + "Comoros": "Komoren", + "Confirm Password": "Passwort bestätigen", + "Congo": "Kongo", + "Congo, Democratic Republic": "Demokratische Republik Kongo", + "Constant": "Konstant", + "Cook Islands": "Cookinseln", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Elfenbeinküste", + "could not be found.": "konnte nicht gefunden werden.", + "Create": "Erstellen", + "Create & Add Another": "Anlegen & Hinzufügen einer weiteren", + "Create :resource": "Anlegen :resource", + "Croatia": "Kroatien", + "Cuba": "Kuba", + "Curaçao": "Curaçao", + "Customize": "Anpassen", + "Cyprus": "Zypern", + "Czech Republic": "Tschechische Republik", + "Dashboard": "Dashboard", + "December": "Dezember", + "Decrease": "Verringern", + "Delete": "Löschen", + "Delete File": "Datei löschen", + "Delete Resource": "Ressource löschen", + "Delete Selected": "Ausgewählte löschen", + "Denmark": "Dänemark", + "Detach": "Trennen", + "Detach Resource": "Ressource abtrennen", + "Detach Selected": "Ausgewählte abtrennen", + "Details": "Details", + "Djibouti": "Dschibuti", + "Do you really want to leave? You have unsaved changes.": "Wollen Sie wirklich gehen? Sie haben nicht gespeicherte Änderungen.", + "Dominica": "Dominica", + "Dominican Republic": "Dominikanische Republik", + "Download": "Herunterladen", + "Ecuador": "Ecuador", + "Edit": "Bearbeiten", + "Edit :resource": ":resource bearbeiten", + "Edit Attached": "Anhang bearbeiten", + "Egypt": "Ägypten", + "El Salvador": "El Salvador", + "Email Address": "E-Mail Adresse", + "Equatorial Guinea": "Äquatorialguinea", + "Eritrea": "Eritrea", + "Estonia": "Estland", + "Ethiopia": "Äthiopien", + "Falkland Islands (Malvinas)": "Falklandinseln", + "Faroe Islands": "Färöer", + "February": "Februar", + "Fiji": "Fidschi", + "Finland": "Finnland", + "Force Delete": "Löschen erzwingen", + "Force Delete Resource": "Löschen der Ressource erzwingen", + "Force Delete Selected": "Auswahl Löschen erzwingen", + "Forgot Your Password?": "Passwort vergessen?", + "Forgot your password?": "Passwort vergessen?", + "France": "Frankreich", + "French Guiana": "Französisch-Guayana", + "French Polynesia": "Französisch-Polynesien", + "French Southern Territories": "Französische Süd- und Antarktisgebiete", + "Gabon": "Gabun", + "Gambia": "Gambia", + "Georgia": "Georgien", + "Germany": "Deutschland", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "Nach Hause", + "Greece": "Griechenland", + "Greenland": "Grönland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Heard und McDonaldinseln", + "Hide Content": "Inhalt ausblenden", + "Hold Up!": "Moment mal!", + "Holy See (Vatican City State)": "Vatikanstadt", + "Honduras": "Honduras", + "Hong Kong": "Hongkong", + "Hungary": "Ungarn", + "Iceland": "Island", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "Wenn Sie kein Zurücksetzen des Passworts beantragt haben, sind keine weiteren Handlungen nötig.", + "Increase": "erhöhen", + "India": "Indien", + "Indonesia": "Indonesien", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Irak", + "Ireland": "Irland", + "Isle Of Man": "Isle of Man", + "Israel": "Israel", + "Italy": "Italien", + "Jamaica": "Jamaika", + "January": "Januar", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordanien", + "July": "Juli", + "June": "Juni", + "Kazakhstan": "Kasachstan", + "Kenya": "Kenia", + "Key": "Schlüssel", + "Kiribati": "Kiribati", + "Korea": "Südkorea", + "Korea, Democratic People's Republic of": "Nordkorea", + "Kosovo": "Kosovo", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kirgisistan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Lettland", + "Lebanon": "Libanon", + "Lens": "Lens", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libyen", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litauen", + "Load :perPage More": "Laden :perPage weitere", + "Login": "Anmelden", + "Logout": "Abmelden", + "Luxembourg": "Luxemburg", + "Macao": "Macao", + "Macedonia": "Nordmazedonien", + "Madagascar": "Madagaskar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Malediven", + "Mali": "Mali", + "Malta": "Malta", + "March": "März", + "Marshall Islands": "Marshallinseln", + "Martinique": "Martinique", + "Mauritania": "Mauretanien", + "Mauritius": "Mauritius", + "May": "Mai", + "Mayotte": "Mayotte", + "Mexico": "Mexiko", + "Micronesia, Federated States Of": "Mikronesien", + "Moldova": "Moldawien", + "Monaco": "Monaco", + "Mongolia": "Mongolei", + "Montenegro": "Montenegro", + "Month To Date": "Monat bis dato", + "Montserrat": "Montserrat", + "Morocco": "Marokko", + "Mozambique": "Mosambik", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Niederlande", + "New": "Neu", + "New :resource": "Neu :resource", + "New Caledonia": "Neukaledonien", + "New Zealand": "Neuseeland", + "Next": "Nächste", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "Keine", + "No :resource matched the given criteria.": "Keine :resource entsprach den angegebenen Kriterien.", + "No additional information...": "Keine zusätzlichen Informationen...", + "No Current Data": "Keine aktuellen Daten", + "No Data": "Keine Daten", + "no file selected": "keine Datei ausgewählt", + "No Increase": "Keine Erhöhung", + "No Prior Data": "Keine vorherigen Daten", + "No Results Found.": "Keine Ergebnisse gefunden.", + "Norfolk Island": "Norfolkinsel", + "Northern Mariana Islands": "Nördliche Marianen", + "Norway": "Norwegen", + "Nova User": "Nova Benutzer", + "November": "November", + "October": "Oktober", + "of": "von", + "Oman": "Oman", + "Only Trashed": "Nur gelöschte", + "Original": "Ursprünglich", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palästinensische Autonomiegebiete", + "Panama": "Panama", + "Papua New Guinea": "Papua-Neuguinea", + "Paraguay": "Paraguay", + "Password": "Passwort", + "Per Page": "Pro Seite", + "Peru": "Peru", + "Philippines": "Philippinen", + "Pitcairn": "Pitcairninseln", + "Poland": "Polen", + "Portugal": "Portugal", + "Press \/ to search": "Drücken Sie \/ zum Suchen", + "Preview": "Vorschau", + "Previous": "Vorherige", + "Puerto Rico": "Puerto Rico", + "Qatar": "Katar", + "Quarter To Date": "Quartal bis dato", + "Reload": "Neu laden", + "Remember Me": "Angemeldet bleiben", + "Reset Filters": "Filter zurücksetzen", + "Reset Password": "Passwort zurücksetzen", + "Reset Password Notification": "Benachrichtigung zum Zurücksetzen des Passworts", + "resource": "Ressource", + "Resources": "Ressourcen", + "resources": "Ressourcen", + "Restore": "Wiederherstellen", + "Restore Resource": "Ressource wiederherstellen", + "Restore Selected": "Wiederherstellen Ausgewählte", + "Reunion": "Réunion", + "Romania": "Rumänien", + "Run Action": "Aktion ausführen", + "Russian Federation": "Russische Föderation", + "Rwanda": "Ruanda", + "Saint Barthelemy": "Saint-Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts And Nevis": "St. Kitts und Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin": "St. Martin", + "Saint Pierre And Miquelon": "Saint-Pierre und Miquelon", + "Saint Vincent And Grenadines": "St. Vincent und die Grenadinen", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "São Tomé und Príncipe", + "Saudi Arabia": "Saudi-Arabien", + "Search": "Suchen", + "Select Action": "Aktion auswählen", + "Select All": "Alles auswählen", + "Select All Matching": "Alle Übereinstimmungen auswählen", + "Send Password Reset Link": "Link zum Zurücksetzen des Passworts senden", + "Senegal": "Senegal", + "September": "September", + "Serbia": "Serbien", + "Seychelles": "Seychellen", + "Show All Fields": "Alle Felder anzeigen", + "Show Content": "Inhalt anzeigen", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapur", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slowakei", + "Slovenia": "Slowenien", + "Solomon Islands": "Salomon-Inseln", + "Somalia": "Somalia", + "Something went wrong.": "Da ist etwas schief gelaufen.", + "Sorry! You are not authorized to perform this action.": "Entschuldigung! Sie sind nicht berechtigt, diese Aktion durchzuführen.", + "Sorry, your session has expired.": "Entschuldigung, Ihre Sitzung ist abgelaufen.", + "South Africa": "Südafrika", + "South Georgia And Sandwich Isl.": "Südgeorgien und die Südlichen Sandwichinseln", + "South Sudan": "Südsudan", + "Spain": "Spanien", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Abfrage starten", + "Stop Polling": "Abruf stoppen", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Spitzbergen und Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Schweden", + "Switzerland": "Schweiz", + "Syrian Arab Republic": "Syrien", + "Taiwan": "Taiwan", + "Tajikistan": "Tadschikistan", + "Tanzania": "Tansania", + "Thailand": "Thailand", + "The :resource was created!": "Die :resource wurde erstellt!", + "The :resource was deleted!": "Die :resource wurde gelöscht!", + "The :resource was restored!": "Die :resource wurde wiederhergestellt!", + "The :resource was updated!": "Die :resource wurde aktualisiert!", + "The action ran successfully!": "Die Aktion wurde erfolgreich ausgeführt!", + "The file was deleted!": "Die Datei wurde gelöscht!", + "The government won't let us show you what's behind these doors": "Wir dürfen Ihnen nicht zeigen, was sich hinter diesen Türen verbirgt", + "The HasOne relationship has already been filled.": "Die HasOne-Beziehung wurde bereits befüllt.", + "The resource was updated!": "Die Ressource wurde aktualisiert!", + "There are no available options for this resource.": "Es gibt keine verfügbaren Optionen für diese Ressource.", + "There was a problem executing the action.": "Es gab ein Problem beim Ausführen der Aktion.", + "There was a problem submitting the form.": "Es gab ein Problem beim Absenden des Formulars.", + "This file field is read-only.": "Dieses Dateifeld ist schreibgeschützt.", + "This image": "Dieses Bild", + "This resource no longer exists": "Diese Ressource existiert nicht mehr", + "Timor-Leste": "Osttimor", + "Today": "Heute", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "total": "gesamt", + "Trashed": "Gelöscht", + "Trinidad And Tobago": "Trinidad und Tobago", + "Tunisia": "Tunesien", + "Turkey": "Türkei", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Turks- und Caicosinseln", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "Vereinigte Arabische Emirate", + "United Kingdom": "Vereinigtes Königreich", + "United States": "Vereinigte Staaten", + "United States Outlying Islands": "Kleinere Amerikanische Überseeinseln", + "Update": "Aktualisieren", + "Update & Continue Editing": "Aktualisieren & Weiterbearbeiten", + "Update :resource": "Aktualisieren :resource", + "Update :resource: :title": "Aktualisieren :resource: :title", + "Update attached :resource: :title": "Angehängte :resource aktualisieren: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Usbekistan", + "Value": "Wert", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Ansicht", + "Virgin Islands, British": "Britische Jungferninseln", + "Virgin Islands, U.S.": "Amerikanische Jungferninseln", + "Wallis And Futuna": "Wallis und Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Wir sind im Weltraum verloren. Die Seite, die Sie aufrufen wollten, existiert nicht.", + "Welcome Back!": "Willkommen zurück!", + "Western Sahara": "Westsahara", + "Whoops": "Ups", + "Whoops!": "Ups!", + "With Trashed": "Mit gelöschten", + "Write": "Schreiben Sie", + "Year To Date": "Jahr bis dato", + "Yemen": "Jemen", + "Yes": "Ja", + "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.", + "Zambia": "Sambia", + "Zimbabwe": "Simbabwe" +} diff --git a/locales/de/packages/spark-paddle.json b/locales/de/packages/spark-paddle.json new file mode 100644 index 00000000000..fc230278f57 --- /dev/null +++ b/locales/de/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "Es ist ein unerwarteter Fehler aufgetreten und wir haben unser Support-Team benachrichtigt. Bitte versuchen Sie es später noch einmal.", + "Billing Management": "Abrechnungs-Management", + "Cancel Subscription": "Abonnement kündigen", + "Change Subscription Plan": "Abonnementplan ändern", + "Current Subscription Plan": "Aktueller Abonnementplan", + "Currently Subscribed": "Aktuell abonniert", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Haben Sie Bedenken, Ihr Abonnement zu kündigen? Sie können Ihr Abonnement jederzeit bis zum Ende Ihres aktuellen Abrechnungszeitraums sofort reaktivieren. Nach dem Ende Ihres aktuellen Abrechnungszeitraums können Sie einen völlig neuen Aboplan wählen.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "Es sieht so aus, als hätten Sie kein aktives Abonnement. Sie können einen der unten aufgeführten Abonnementpläne wählen, um zu beginnen. Abonnementpläne können jederzeit geändert oder gekündigt werden.", + "Managing billing for :billableName": "Verwalten der Abrechnung für :billableName", + "Monthly": "Monatlich", + "Nevermind, I'll keep my old plan": "Macht nichts, ich behalte meinen alten Tarif", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "In unserem Portal zur Rechnungsverwaltung können Sie bequem Ihren Abonnementplan und Ihre Zahlungsmethode verwalten und Ihre letzten Rechnungen herunterladen.", + "Payment Method": "Payment Method", + "Receipts": "Belege", + "Resume Subscription": "Abonnement fortsetzen", + "Return to :appName": "Rückkehr zu :appName", + "Signed in as": "Eingetragen als", + "Subscribe": "Abonnieren", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Nutzungsbedingungen", + "The selected plan is invalid.": "Der gewählte Plan ist ungültig.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "Dieses Konto hat kein aktives Abonnement.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Ups, etwas ist schief gelaufen.", + "Yearly": "Jährlich", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "Sie können Ihr Abonnement jederzeit kündigen. Sobald Ihr Abonnement gekündigt wurde, haben Sie die Möglichkeit, das Abonnement bis zum Ende des aktuellen Abrechnungszyklus fortzusetzen.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Ihre aktuelle Zahlungsmethode ist eine Kreditkarte mit der Endung :lastFour, die am :expiration ausläuft." +} diff --git a/locales/de/packages/spark-stripe.json b/locales/de/packages/spark-stripe.json new file mode 100644 index 00000000000..e55db2e60d4 --- /dev/null +++ b/locales/de/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days Tage Testversion", + "Add VAT Number": "Umsatzsteuer-Identifikationsnummer hinzufügen", + "Address": "Adresse", + "Address Line 2": "Adresse Zeile 2", + "Afghanistan": "Afghanistan", + "Albania": "Albanien", + "Algeria": "Algerien", + "American Samoa": "Amerikanisch-Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "Es ist ein unerwarteter Fehler aufgetreten und wir haben unser Support-Team benachrichtigt. Bitte versuchen Sie es später noch einmal.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarktis", + "Antigua and Barbuda": "Antigua und Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentinien", + "Armenia": "Armenien", + "Aruba": "Aruba", + "Australia": "Australien", + "Austria": "Österreich", + "Azerbaijan": "Aserbaidschan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesch", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgien", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Billing Information": "Informationen zur Abrechnung", + "Billing Management": "Abrechnungs-Management", + "Bolivia, Plurinational State of": "Bolivien", + "Bosnia and Herzegovina": "Bosnien und Herzegowina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvetinsel", + "Brazil": "Brasilien", + "British Indian Ocean Territory": "Britisches Territorium im Indischen Ozean", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgarien", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodscha", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel Subscription": "Abonnement kündigen", + "Cape Verde": "Kap Verde", + "Card": "Karte", + "Cayman Islands": "Caymaninseln", + "Central African Republic": "Zentralafrikanische Republik", + "Chad": "Tschad", + "Change Subscription Plan": "Abonnementplan ändern", + "Chile": "Chile", + "China": "China", + "Christmas Island": "Weihnachtsinsel", + "City": "Stadt", + "Cocos (Keeling) Islands": "Kokosinseln", + "Colombia": "Kolumbien", + "Comoros": "Komoren", + "Confirm Payment": "Bestätigen Sie die Zahlung", + "Confirm your :amount payment": "Bestätigen Sie Ihre :amount Zahlung", + "Congo": "Kongo", + "Congo, the Democratic Republic of the": "Demokratische Republik Kongo", + "Cook Islands": "Cookinseln", + "Costa Rica": "Costa Rica", + "Country": "Land", + "Coupon": "Gutschein", + "Croatia": "Kroatien", + "Cuba": "Kuba", + "Current Subscription Plan": "Aktueller Abonnementplan", + "Currently Subscribed": "Aktuell abonniert", + "Cyprus": "Zypern", + "Czech Republic": "Tschechische Republik", + "Côte d'Ivoire": "Elfenbeinküste", + "Denmark": "Dänemark", + "Djibouti": "Dschibuti", + "Dominica": "Dominica", + "Dominican Republic": "Dominikanische Republik", + "Download Receipt": "Beleg herunterladen", + "Ecuador": "Ecuador", + "Egypt": "Ägypten", + "El Salvador": "El Salvador", + "Email Addresses": "E-Mail Adressen", + "Equatorial Guinea": "Äquatorialguinea", + "Eritrea": "Eritrea", + "Estonia": "Estland", + "Ethiopia": "Äthiopien", + "ex VAT": "ohne Umsatzsteuer", + "Extra Billing Information": "Zusätzliche Informationen zur Rechnungsstellung", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Eine zusätzliche Bestätigung ist erforderlich, um Ihre Zahlung zu bearbeiten. Bitte fahren Sie mit der Zahlungsseite fort, indem Sie auf die Schaltfläche unten klicken.", + "Falkland Islands (Malvinas)": "Falklandinseln", + "Faroe Islands": "Färöer", + "Fiji": "Fidschi", + "Finland": "Finnland", + "France": "Frankreich", + "French Guiana": "Französisch-Guayana", + "French Polynesia": "Französisch-Polynesien", + "French Southern Territories": "Französische Süd- und Antarktisgebiete", + "Gabon": "Gabun", + "Gambia": "Gambia", + "Georgia": "Georgien", + "Germany": "Deutschland", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Griechenland", + "Greenland": "Grönland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Haben Sie einen Gutscheincode?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Haben Sie Bedenken, Ihr Abonnement zu kündigen? Sie können Ihr Abonnement jederzeit bis zum Ende Ihres aktuellen Abrechnungszeitraums sofort reaktivieren. Nach dem Ende Ihres aktuellen Abrechnungszeitraums können Sie einen völlig neuen Aboplan wählen.", + "Heard Island and McDonald Islands": "Heard und McDonaldinseln", + "Holy See (Vatican City State)": "Vatikanstadt", + "Honduras": "Honduras", + "Hong Kong": "Hongkong", + "Hungary": "Ungarn", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Island", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "Wenn Sie Ihren Quittungen bestimmte Kontakt- oder Steuerinformationen hinzufügen möchten, wie z. B. Ihren vollständigen Firmennamen, Ihre Umsatzsteuer-Identifikationsnummer oder Ihre Anschrift, können Sie diese hier hinzufügen.", + "India": "Indien", + "Indonesia": "Indonesien", + "Iran, Islamic Republic of": "Iran", + "Iraq": "Irak", + "Ireland": "Irland", + "Isle of Man": "Isle of Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "Es sieht so aus, als hätten Sie kein aktives Abonnement. Sie können einen der unten aufgeführten Abonnementpläne wählen, um zu beginnen. Abonnementpläne können jederzeit geändert oder gekündigt werden.", + "Italy": "Italien", + "Jamaica": "Jamaika", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordanien", + "Kazakhstan": "Kasachstan", + "Kenya": "Kenia", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Nordkorea", + "Korea, Republic of": "Republik Korea", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kirgisistan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Lettland", + "Lebanon": "Libanon", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libyen", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litauen", + "Luxembourg": "Luxemburg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Republik Nordmazedonien", + "Madagascar": "Madagaskar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Malediven", + "Mali": "Mali", + "Malta": "Malta", + "Managing billing for :billableName": "Verwalten der Abrechnung für :billableName", + "Marshall Islands": "Marshallinseln", + "Martinique": "Martinique", + "Mauritania": "Mauretanien", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mexiko", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Republik Moldau", + "Monaco": "Monaco", + "Mongolia": "Mongolei", + "Montenegro": "Montenegro", + "Monthly": "Monatlich", + "monthly": "monatlich", + "Montserrat": "Montserrat", + "Morocco": "Marokko", + "Mozambique": "Mosambik", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Niederlande", + "Netherlands Antilles": "Niederländische Antillen", + "Nevermind, I'll keep my old plan": "Macht nichts, ich behalte meinen alten Tarif", + "New Caledonia": "Neukaledonien", + "New Zealand": "Neuseeland", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Norfolkinsel", + "Northern Mariana Islands": "Nördliche Marianen", + "Norway": "Norwegen", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "In unserem Portal zur Rechnungsverwaltung können Sie bequem Ihren Abonnementplan und Ihre Zahlungsmethode verwalten und Ihre letzten Rechnungen herunterladen.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palästinensische Autonomiegebiete", + "Panama": "Panama", + "Papua New Guinea": "Papua-Neuguinea", + "Paraguay": "Paraguay", + "Payment Information": "Informationen zur Zahlung", + "Peru": "Peru", + "Philippines": "Philippinen", + "Pitcairn": "Pitcairninseln", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Bitte geben Sie maximal drei Empfangs E-Mail Adressen an.", + "Poland": "Polen", + "Portugal": "Portugal", + "Puerto Rico": "Puerto Rico", + "Qatar": "Katar", + "Receipt Email Addresses": "Beleg E-Mail-Adressen", + "Receipts": "Belege", + "Resume Subscription": "Abonnement fortsetzen", + "Return to :appName": "Rückkehr zu :appName", + "Romania": "Rumänien", + "Russian Federation": "Russische Föderation", + "Rwanda": "Ruanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint-Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts and Nevis": "St. Kitts und Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin (French part)": "Saint-Martin", + "Saint Pierre and Miquelon": "Saint-Pierre und Miquelon", + "Saint Vincent and the Grenadines": "St. Vincent und die Grenadinen", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "São Tomé und Príncipe", + "Saudi Arabia": "Saudi-Arabien", + "Save": "Speichern", + "Select": "Wählen Sie", + "Select a different plan": "Wählen Sie einen anderen Plan", + "Senegal": "Senegal", + "Serbia": "Serbien", + "Seychelles": "Seychellen", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Eingetragen als", + "Singapore": "Singapur", + "Slovakia": "Slowakei", + "Slovenia": "Slowenien", + "Solomon Islands": "Salomon-Inseln", + "Somalia": "Somalia", + "South Africa": "Südafrika", + "South Georgia and the South Sandwich Islands": "Südgeorgien und die Südlichen Sandwichinseln", + "Spain": "Spanien", + "Sri Lanka": "Sri Lanka", + "State \/ County": "Bundesland", + "Subscribe": "Abonnieren", + "Subscription Information": "Informationen zum Abonnement", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Schweden", + "Switzerland": "Schweiz", + "Syrian Arab Republic": "Syrien", + "Taiwan, Province of China": "Republik China (Taiwan)", + "Tajikistan": "Tadschikistan", + "Tanzania, United Republic of": "Vereinigte Republik Tansania", + "Terms of Service": "Nutzungsbedingungen", + "Thailand": "Thailand", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Vielen Dank für Ihre kontinuierliche Unterstützung. Wir haben eine Kopie Ihrer Rechnung für Ihre Unterlagen beigefügt. Bitte lassen Sie uns wissen, wenn Sie irgendwelche Fragen oder Bedenken haben.", + "Thanks,": "Vielen Dank,", + "The provided coupon code is invalid.": "Der angegebene Gutscheincode ist ungültig.", + "The provided VAT number is invalid.": "Die angegebene Umsatzsteuer-Identifikationsnummer ist ungültig.", + "The receipt emails must be valid email addresses.": "Die Belege E-Mails müssen gültige E-Mail-Adressen sein.", + "The selected country is invalid.": "Das gewählte Land ist ungültig.", + "The selected plan is invalid.": "Der gewählte Plan ist ungültig.", + "This account does not have an active subscription.": "Dieses Konto hat kein aktives Abonnement.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "Dieses Abonnement ist abgelaufen und kann nicht wiederaufgenommen werden. Bitte legen Sie ein neues Abonnement an.", + "Timor-Leste": "Osttimor", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "Total:": "Gesamt:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunesien", + "Turkey": "Türkei", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks- und Caicosinseln", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "Vereinigte Arabische Emirate", + "United Kingdom": "Vereinigtes Königreich", + "United States": "Vereinigte Staaten", + "United States Minor Outlying Islands": "Kleinere Amerikanische Überseeinseln", + "Update": "Aktualisieren", + "Update Payment Information": "Zahlungsinformationen aktualisieren", + "Uruguay": "Uruguay", + "Uzbekistan": "Usbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "Umsatzsteuer-Identifikationsnummer", + "Venezuela, Bolivarian Republic of": "Bolivarische Republik Venezuela", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Britische Jungferninseln", + "Virgin Islands, U.S.": "Amerikanische Jungferninseln", + "Wallis and Futuna": "Wallis und Futuna", + "We are unable to process your payment. Please contact customer support.": "Wir können Ihre Zahlung nicht bearbeiten. Bitte kontaktieren Sie den Kundensupport.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "Wir senden Ihnen einen Download-Link für den Beleg an die von Ihnen angegebenen E-Mail-Adressen. Sie können mehrere E-Mail-Adressen durch Kommata trennen.", + "Western Sahara": "Westsahara", + "Whoops! Something went wrong.": "Ups, etwas ist schief gelaufen.", + "Yearly": "Jährlich", + "Yemen": "Jemen", + "You are currently within your free trial period. Your trial will expire on :date.": "Sie befinden sich derzeit in Ihrem kostenlosen Testzeitraum. Ihre Testphase läuft am :date ab.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "Sie können Ihr Abonnement jederzeit kündigen. Sobald Ihr Abonnement gekündigt wurde, haben Sie die Möglichkeit, das Abonnement bis zum Ende des aktuellen Abrechnungszyklus fortzusetzen.", + "Your :invoiceName invoice is now available!": "Ihre :invoiceName Rechnung ist jetzt verfügbar!", + "Your card was declined. Please contact your card issuer for more information.": "Ihre Karte wurde abgelehnt. Bitte kontaktieren Sie Ihren Kartenaussteller für weitere Informationen.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Ihre aktuelle Zahlungsmethode ist eine Kreditkarte mit der Endung :lastFour, die am :expiration ausläuft.", + "Your registered VAT Number is :vatNumber.": "Ihre registrierte Umsatzsteuer-Identifikationsnummer lautet :vatNumber.", + "Zambia": "Sambia", + "Zimbabwe": "Simbabwe", + "Zip \/ Postal Code": "Postleitzahl", + "Åland Islands": "Åland Islands" +} diff --git a/locales/de_CH/de_CH.json b/locales/de_CH/de_CH.json index 4d3ba7cbb35..5af3e8df4b8 100644 --- a/locales/de_CH/de_CH.json +++ b/locales/de_CH/de_CH.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Tage", - "60 Days": "60 Tage", - "90 Days": "90 Tage", - ":amount Total": ":amount Gesamt", - ":days day trial": ":days day trial", - ":resource Details": ":resource Details", - ":resource Details: :title": ":resource Details: :title", "A fresh verification link has been sent to your email address.": "Ein neuer Bestätigungslink wurde verschickt.", - "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.", - "Accept Invitation": "Einladung annehmen", - "Action": "Aktion", - "Action Happened At": "Aktion geschah am", - "Action Initiated By": "Aktion initiiert von", - "Action Name": "Name", - "Action Status": "Status", - "Action Target": "Ziel", - "Actions": "Aktionen", - "Add": "Hinzufügen", - "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 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 row": "Zeile hinzufügen", - "Add Team Member": "Teammitglied hinzufügen", - "Add VAT Number": "Add VAT Number", - "Added.": "Hinzugefügt.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administrator", - "Administrator users can perform any action.": "Administratoren können jede Aktion durchführen.", - "Afghanistan": "Afghanistan", - "Aland Islands": "Åland", - "Albania": "Albanien", - "Algeria": "Algerien", - "All of the people that are part of this team.": "Alle Personen, die Teil dieses Teams sind.", - "All resources loaded.": "Alle Ressourcen geladen.", - "All rights reserved.": "Alle Rechte vorbehalten.", - "Already registered?": "Bereits registriert?", - "American Samoa": "Amerikanisch-Samoa", - "An error occured while uploading the file.": "Beim Hochladen der Datei ist ein Fehler aufgetreten.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Ein anderer Benutzer hat diese Ressource aktualisiert, seit diese Seite geladen wurde. Bitte aktualisieren Sie die Seite und versuchen Sie es erneut.", - "Antarctica": "Antarktis", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua und Barbuda", - "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.", - "April": "April", - "Are you sure you want to delete the selected resources?": "Sind Sie sicher, dass Sie die ausgewählten Ressourcen löschen möchten?", - "Are you sure you want to delete this file?": "Sind Sie sicher, dass Sie diese Datei löschen wollen?", - "Are you sure you want to delete this resource?": "Sind Sie sicher, dass Sie diese Ressource löschen wollen?", - "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 want to detach the selected resources?": "Sind Sie sicher, dass Sie die ausgewählten Ressourcen abtrennen wollen?", - "Are you sure you want to detach this resource?": "Sind Sie sicher, dass Sie diese Ressource abtrennen wollen?", - "Are you sure you want to force delete the selected resources?": "Sind Sie sicher, dass Sie das Löschen der ausgewählten Ressourcen erzwingen wollen?", - "Are you sure you want to force delete this resource?": "Sind Sie sicher, dass Sie die Löschung dieser Ressource erzwingen wollen?", - "Are you sure you want to restore the selected resources?": "Sind Sie sicher, dass Sie die ausgewählten Ressourcen wiederherstellen wollen?", - "Are you sure you want to restore this resource?": "Sind Sie sicher, dass Sie diese Ressource wiederherstellen wollen?", - "Are you sure you want to run this action?": "Sind Sie sicher, dass Sie diese Aktion ausführen wollen?", - "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 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?", - "Argentina": "Argentinien", - "Armenia": "Armenien", - "Aruba": "Aruba", - "Attach": "Anhängen", - "Attach & Attach Another": "Anhang und weiterer Anhang", - "Attach :resource": ":resource Anhängen", - "August": "August", - "Australia": "Australien", - "Austria": "Österreich", - "Azerbaijan": "Aserbaidschan", - "Bahamas": "Bahamas", - "Bahrain": "Bahrain", - "Bangladesh": "Bangladesch", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Bevor Sie fortfahren, überprüfen Sie bitte Ihr E-Mail-Postfach auf einen Bestätigungslink.", - "Belarus": "Belarus", - "Belgium": "Belgien", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bhutan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivien", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Karibische Niederlande", - "Bosnia And Herzegovina": "Bosnien und Herzegowina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvetinsel", - "Brazil": "Brasilien", - "British Indian Ocean Territory": "Britisches Territorium im Indischen Ozean", - "Browser Sessions": "Browsersitzungen", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgarien", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Kambodscha", - "Cameroon": "Kamerun", - "Canada": "Kanada", - "Cancel": "Abbrechen", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Kap Verde", - "Card": "Karte", - "Cayman Islands": "Caymaninseln", - "Central African Republic": "Zentralafrikanische Republik", - "Chad": "Tschad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Änderungen", - "Chile": "Chile", - "China": "China", - "Choose": "Wählen Sie", - "Choose :field": "Wählen Sie :field", - "Choose :resource": "Wählen Sie :resource", - "Choose an option": "Wählen Sie eine Option", - "Choose date": "Datum wählen", - "Choose File": "Datei wählen", - "Choose Type": "Typ wählen", - "Christmas Island": "Weihnachtsinsel", - "City": "City", "click here to request another": "klicken Sie hier, um einen neuen anzufordern", - "Click to choose": "Klicken Sie zum Auswählen", - "Close": "Schliessen", - "Cocos (Keeling) Islands": "Kokosinseln", - "Code": "Code", - "Colombia": "Kolumbien", - "Comoros": "Komoren", - "Confirm": "Bestätigen", - "Confirm Password": "Passwort bestätigen", - "Confirm Payment": "Bestätigen Sie die Zahlung", - "Confirm your :amount payment": "Bestätigen Sie Ihre :amount Zahlung", - "Congo": "Kongo", - "Congo, Democratic Republic": "Demokratische Republik Kongo", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Konstant", - "Cook Islands": "Cookinseln", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Elfenbeinküste", - "could not be found.": "konnte nicht gefunden werden.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Erstellen", - "Create & Add Another": "Anlegen & Hinzufügen einer weiteren", - "Create :resource": "Anlegen :resource", - "Create a new team to collaborate with others on projects.": "Erstellen Sie ein neues Team, um mit anderen an Projekten zusammenzuarbeiten.", - "Create Account": "Neues Konto registrieren", - "Create API Token": "API-Token erstellen", - "Create New Team": "Neues Team erstellen", - "Create Team": "Team erstellen", - "Created.": "Erstellt.", - "Croatia": "Kroatien", - "Cuba": "Kuba", - "Curaçao": "Curaçao", - "Current Password": "Derzeitiges Passwort", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Anpassen", - "Cyprus": "Zypern", - "Czech Republic": "Tschechische Republik", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Dashboard", - "December": "Dezember", - "Decrease": "Verringern", - "Delete": "Löschen", - "Delete Account": "Account löschen", - "Delete API Token": "API-Token löschen", - "Delete File": "Datei löschen", - "Delete Resource": "Ressource löschen", - "Delete Selected": "Ausgewählte löschen", - "Delete Team": "Team löschen", - "Denmark": "Dänemark", - "Detach": "Trennen", - "Detach Resource": "Ressource abtrennen", - "Detach Selected": "Ausgewählte abtrennen", - "Details": "Details", - "Disable": "Deaktivieren", - "Djibouti": "Dschibuti", - "Do you really want to leave? You have unsaved changes.": "Wollen Sie wirklich gehen? Sie haben nicht gespeicherte Änderungen.", - "Dominica": "Dominica", - "Dominican Republic": "Dominikanische Republik", - "Done.": "Erledigt.", - "Download": "Herunterladen", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-Mail-Adresse", - "Ecuador": "Ecuador", - "Edit": "Bearbeiten", - "Edit :resource": ":resource bearbeiten", - "Edit Attached": "Anhang 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.", - "Egypt": "Ägypten", - "El Salvador": "El Salvador", - "Email": "E-Mail", - "Email Address": "E-Mail Adresse", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Link zum Zurücksetzen des Passwortes zusenden", - "Enable": "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.", - "Equatorial Guinea": "Äquatorialguinea", - "Eritrea": "Eritrea", - "Estonia": "Estland", - "Ethiopia": "Äthiopien", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Eine zusätzliche Bestätigung ist erforderlich, um Ihre Zahlung zu bearbeiten. Bitte bestätigen Sie Ihre Zahlung, indem Sie Ihre Zahlungsdetails unten ausfüllen.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Eine zusätzliche Bestätigung ist erforderlich, um Ihre Zahlung zu bearbeiten. Bitte fahren Sie mit der Zahlungsseite fort, indem Sie auf die Schaltfläche unten klicken.", - "Falkland Islands (Malvinas)": "Falklandinseln", - "Faroe Islands": "Färöer", - "February": "Februar", - "Fiji": "Fidschi", - "Finland": "Finnland", - "For your security, please confirm your password to continue.": "Um fortzufahren, bestätigen Sie zu Ihrer Sicherheit bitte Ihr Passwort.", "Forbidden": "Verboten", - "Force Delete": "Löschen erzwingen", - "Force Delete Resource": "Löschen der Ressource erzwingen", - "Force Delete Selected": "Auswahl Löschen erzwingen", - "Forgot Your 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.", - "France": "Frankreich", - "French Guiana": "Französisch-Guayana", - "French Polynesia": "Französisch-Polynesien", - "French Southern Territories": "Französische Süd- und Antarktisgebiete", - "Full name": "Vollständiger Name", - "Gabon": "Gabun", - "Gambia": "Gambia", - "Georgia": "Georgien", - "Germany": "Deutschland", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Zurück gehen", - "Go Home": "Nach Hause", "Go to page :page": "Gehe zur Seite :page", - "Great! You have accepted the invitation to join the :team team.": "Grossartig! Sie haben die Einladung zur Teilnahme am :team angenommen.", - "Greece": "Griechenland", - "Greenland": "Grönland", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Heard und McDonaldinseln", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Hallo!", - "Hide Content": "Inhalt ausblenden", - "Hold Up!": "Moment mal!", - "Holy See (Vatican City State)": "Vatikanstadt", - "Honduras": "Honduras", - "Hong Kong": "Hongkong", - "Hungary": "Ungarn", - "I agree to the :terms_of_service and :privacy_policy": "Ich akzeptiere die :terms_of_service und die :privacy_policy", - "Iceland": "Island", - "ID": "ID", - "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.": "Falls erforderlich, können Sie sich von all Ihren anderen Browser-Sitzungen auf allen Ihren Geräten abmelden. Einige Ihrer letzten Sitzungen sind unten aufgeführt; diese Liste ist jedoch möglicherweise nicht vollständig. Wenn Sie glauben, dass Ihr Konto kompromittiert wurde, sollten Sie auch Ihr Passwort aktualisieren.", "If necessary, you may logout 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. Wenn Sie der Meinung sind, dass Ihr Konto kompromittiert wurde, sollten Sie auch Ihr Kennwort aktualisieren.", - "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.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Wenn Sie keine Einladung zu diesem Team erwartet haben, kann das E-Mail gelöscht werden.", "If you did not receive the email": "Wenn Sie keine E-Mail erhalten haben", - "If you did not request a password reset, no further action is required.": "Wenn Sie kein Zurücksetzen des Passworts beantragt haben, sind keine weiteren Handlungen nötig.", - "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:": "Wenn Sie kein Konto haben, können Sie ein Konto erstellen, indem Sie auf die Schaltfläche unten klicken. Nach dem Erstellen eines Kontos können Sie in dieser E-Mail auf die Schaltfläche zur Annahme der Einladung klicken, um die Teameinladung anzunehmen:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Wenn Sie Schwierigkeiten haben, die \":actionText\"-Schaltfläche zu drücken, fügen Sie bitte die folgende Adresse in Ihren Browser ein:", - "Increase": "erhöhen", - "India": "Indien", - "Indonesia": "Indonesien", "Invalid signature.": "Ungültige Signatur.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Irak", - "Ireland": "Irland", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Isle of Man", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italien", - "Jamaica": "Jamaika", - "January": "Januar", - "Japan": "Japan", - "Jersey": "Jersey", - "Jordan": "Jordanien", - "July": "Juli", - "June": "Juni", - "Kazakhstan": "Kasachstan", - "Kenya": "Kenia", - "Key": "Schlüssel", - "Kiribati": "Kiribati", - "Korea": "Südkorea", - "Korea, Democratic People's Republic of": "Nordkorea", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuwait", - "Kyrgyzstan": "Kirgisistan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Zuletzt aktiv", - "Last used": "Zuletzt verwendet", - "Latvia": "Lettland", - "Leave": "Verlassen", - "Leave Team": "Team verlassen", - "Lebanon": "Libanon", - "Lens": "Lens", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libyen", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Litauen", - "Load :perPage More": "Laden :perPage weitere", - "Log in": "Einloggen", "Log out": "Abmelden", - "Log Out": "Abmelden", - "Log Out Other Browser Sessions": "Andere Browser-Sitzungen abmelden", - "Login": "Anmelden", - "Logout": "Abmelden", "Logout Other Browser Sessions": "Andere Browsersitzungen abmelden", - "Luxembourg": "Luxemburg", - "Macao": "Macao", - "Macedonia": "Mazedonien", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagaskar", - "Malawi": "Malawi", - "Malaysia": "Malaysia", - "Maldives": "Malediven", - "Mali": "Mali", - "Malta": "Malta", - "Manage Account": "Account 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 and logout your active sessions on other browsers and devices.": "Verwalten und Abmelden Ihrer aktiven Sitzungen in anderen Browsern und Geräten.", - "Manage API Tokens": "API-Token verwalten", - "Manage Role": "Rolle verwalten", - "Manage Team": "Team verwalten", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "März", - "Marshall Islands": "Marshallinseln", - "Martinique": "Martinique", - "Mauritania": "Mauretanien", - "Mauritius": "Mauritius", - "May": "Mai", - "Mayotte": "Mayotte", - "Mexico": "Mexiko", - "Micronesia, Federated States Of": "Mikronesien", - "Moldova": "Moldawien", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monaco", - "Mongolia": "Mongolei", - "Montenegro": "Montenegro", - "Month To Date": "Monat bis dato", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Marokko", - "Mozambique": "Mosambik", - "Myanmar": "Myanmar", - "Name": "Name", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Niederlande", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Keine Ursache", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Neu", - "New :resource": "Neu :resource", - "New Caledonia": "Neukaledonien", - "New Password": "Neues Passwort", - "New Zealand": "Neuseeland", - "Next": "Nächste", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "Keine", - "No :resource matched the given criteria.": "Keine :resource entsprach den angegebenen Kriterien.", - "No additional information...": "Keine zusätzlichen Informationen...", - "No Current Data": "Keine aktuellen Daten", - "No Data": "Keine Daten", - "no file selected": "keine Datei ausgewählt", - "No Increase": "Keine Erhöhung", - "No Prior Data": "Keine vorherigen Daten", - "No Results Found.": "Keine Ergebnisse gefunden.", - "Norfolk Island": "Norfolkinsel", - "Northern Mariana Islands": "Nördliche Marianen", - "Norway": "Norwegen", "Not Found": "Nicht gefunden", - "Nova User": "Nova Benutzer", - "November": "November", - "October": "Oktober", - "of": "von", "Oh no": "Oh nein", - "Oman": "Oman", - "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 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 Trashed": "Nur gelöschte", - "Original": "Ursprünglich", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Seite abgelaufen", "Pagination Navigation": "Seitennummerierungsnavigation", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Palästinensische Autonomiegebiete", - "Panama": "Panama", - "Papua New Guinea": "Papua-Neuguinea", - "Paraguay": "Paraguay", - "Password": "Passwort", - "Pay :amount": ":amount Bezahlen", - "Payment Cancelled": "Zahlung storniert", - "Payment Confirmation": "Zahlungsbestätigung", - "Payment Information": "Payment Information", - "Payment Successful": "Zahlung erfolgreich", - "Pending Team Invitations": "Ausstehende Team Einladungen", - "Per Page": "Pro Seite", - "Permanently delete this team.": "Löschen Sie dieses Team dauerhaft.", - "Permanently delete your account.": "Löschen Sie Ihren Account dauerhaft.", - "Permissions": "Berechtigungen", - "Peru": "Peru", - "Philippines": "Philippinen", - "Photo": "Foto", - "Pitcairn": "Pitcairninseln", "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 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.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Bitte bestätigen Sie den Zugriff auf Ihr Konto, indem Sie den von Ihrer Authentifizierungsanwendung bereitgestellten Authentifizierungscode eingeben.", "Please confirm your password before continuing.": "Bitte bestätigen Sie Ihr Passwort bevor Sie fortfahren.", - "Please copy your new API token. For your security, it won't be shown again.": "Bitte kopieren Sie Ihren neuen API-Token. Zu Ihrer Sicherheit wird er nicht mehr angezeigt", - "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 enter your password to confirm you would like to logout 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 Browsersitzungen auf allen Ihren Geräten abmelden möchten.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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 provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Bitte geben Sie die E-Mail-Adresse der Person an, die Sie diesem Team hinzufügen möchten. Die E-Mail-Adresse muss einem vorhandenen Konto zugeordnet sein.", - "Please provide your name.": "Bitte geben Sie Ihren Namen an.", - "Poland": "Polen", - "Portugal": "Portugal", - "Press \/ to search": "Drücken Sie \/ zum Suchen", - "Preview": "Vorschau", - "Previous": "Vorherige", - "Privacy Policy": "Datenschutzerklärung", - "Profile": "Profil", - "Profile Information": "Profilinformationen", - "Puerto Rico": "Puerto Rico", - "Qatar": "Katar", - "Quarter To Date": "Quartal bis dato", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Wiederherstellungscode", "Regards": "Mit freundlichen Grüssen", - "Regenerate Recovery Codes": "Wiederherstellungscodes neu generieren", - "Register": "Registrieren", - "Reload": "Neu laden", - "Remember me": "Angemeldet bleiben", - "Remember Me": "Angemeldet bleiben", - "Remove": "Entfernen", - "Remove Photo": "Foto entfernen", - "Remove Team Member": "Teammitglied entfernen", - "Resend Verification Email": "Bestätigungslink erneut senden", - "Reset Filters": "Filter zurücksetzen", - "Reset Password": "Passwort zurücksetzen", - "Reset Password Notification": "Benachrichtigung zum Zurücksetzen des Passworts", - "resource": "Ressource", - "Resources": "Ressourcen", - "resources": "Ressourcen", - "Restore": "Wiederherstellen", - "Restore Resource": "Ressource wiederherstellen", - "Restore Selected": "Wiederherstellen Ausgewählte", "results": "Ergebnisse", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Réunion", - "Role": "Rolle", - "Romania": "Rumänien", - "Run Action": "Aktion ausführen", - "Russian Federation": "Russische Föderation", - "Rwanda": "Ruanda", - "Réunion": "Réunion", - "Saint Barthelemy": "Saint-Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "St. Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "St. Kitts und Nevis", - "Saint Lucia": "St. Lucia", - "Saint Martin": "St. Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "Saint-Pierre und Miquelon", - "Saint Vincent And Grenadines": "St. Vincent und die Grenadinen", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "São Tomé und Príncipe", - "Saudi Arabia": "Saudi-Arabien", - "Save": "Speichern", - "Saved.": "Gespeichert", - "Search": "Suchen", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Wählen Sie ein neues Foto aus", - "Select Action": "Aktion auswählen", - "Select All": "Alles auswählen", - "Select All Matching": "Alle Übereinstimmungen auswählen", - "Send Password Reset Link": "Link zum Zurücksetzen des Passworts senden", - "Senegal": "Senegal", - "September": "September", - "Serbia": "Serbien", "Server Error": "Interner Fehler", "Service Unavailable": "Service nicht verfügbar", - "Seychelles": "Seychellen", - "Show All Fields": "Alle Felder anzeigen", - "Show Content": "Inhalt anzeigen", - "Show Recovery Codes": "Zeige die Wiederherstellungscodes", "Showing": "Zeigen", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapur", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slowakei", - "Slovenia": "Slowenien", - "Solomon Islands": "Salomon-Inseln", - "Somalia": "Somalia", - "Something went wrong.": "Da ist etwas schief gelaufen.", - "Sorry! You are not authorized to perform this action.": "Entschuldigung! Sie sind nicht berechtigt, diese Aktion durchzuführen.", - "Sorry, your session has expired.": "Entschuldigung, Ihre Sitzung ist abgelaufen.", - "South Africa": "Südafrika", - "South Georgia And Sandwich Isl.": "Südgeorgien und die Südlichen Sandwichinseln", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Südsudan", - "Spain": "Spanien", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Abfrage starten", - "State \/ County": "State \/ County", - "Stop Polling": "Abruf stoppen", - "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.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Spitzbergen und Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Schweden", - "Switch Teams": "Teams wechseln", - "Switzerland": "Schweiz", - "Syrian Arab Republic": "Syrien", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tadschikistan", - "Tanzania": "Tansania", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Teamdetails", - "Team Invitation": "Team Einladung", - "Team Members": "Teammitglieder", - "Team Name": "Teamname", - "Team Owner": "Teambesitzer", - "Team Settings": "Teameinstellungen", - "Terms of Service": "Nutzungsbedingungen", - "Thailand": "Thailand", - "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 loslegen, könnten Sie Ihre E-Mail-Adresse verifizieren, indem Sie auf den Link klicken, den wir Ihnen per E-Mail zugeschickt haben? Wenn Sie die E-Mail nicht erhalten haben, senden wir Ihnen gerne eine weitere zu.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute muss eine gültige Rolle sein.", - "The :attribute must be at least :length characters and contain at least one number.": "Das :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 and one number.": "Das :attribute muss mindestens :length Zeichen lang sein und mindestens ein Sonderzeichen und eine Zahl enthalten.", - "The :attribute must be at least :length characters and contain at least one special character.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens ein Sonderzeichen enthalten.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens einen Grossbuchstaben und eine Zahl enthalten.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens einen Grossbuchstaben und ein Sonderzeichen enthalten.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens einen Grossbuchstaben, eine Zahl und ein Sonderzeichen enthalten.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens einen Grossbuchstaben enthalten.", - "The :attribute must be at least :length characters.": "Das :attribute muss aus mindestens :length Zeichen bestehen.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "Die :resource wurde erstellt!", - "The :resource was deleted!": "Die :resource wurde gelöscht!", - "The :resource was restored!": "Die :resource wurde wiederhergestellt!", - "The :resource was updated!": "Die :resource wurde aktualisiert!", - "The action ran successfully!": "Die Aktion wurde erfolgreich ausgeführt!", - "The file was deleted!": "Die Datei wurde gelöscht!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Wir dürfen Ihnen nicht zeigen, was sich hinter diesen Türen verbirgt", - "The HasOne relationship has already been filled.": "Die HasOne-Beziehung wurde bereits befüllt.", - "The payment was successful.": "Die Zahlung war erfolgreich.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Das angegebene Passwort stimmt nicht mit Ihrem aktuellen Passwort überein.", - "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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Die Ressource wurde aktualisiert!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Der Name des Teams und Informationen zum Besitzer.", - "There are no available options for this resource.": "Es gibt keine verfügbaren Optionen für diese Ressource.", - "There was a problem executing the action.": "Es gab ein Problem beim Ausführen der Aktion.", - "There was a problem submitting the form.": "Es gab ein Problem beim Absenden des Formulars.", - "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.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Diese Aktion wurde nicht autorisiert.", - "This device": "Dieses Gerät", - "This file field is read-only.": "Dieses Dateifeld ist schreibgeschützt.", - "This image": "Dieses Bild", - "This is a secure area of the application. Please confirm your password before continuing.": "Dies ist ein sicherer Bereich der Anwendung. Bitte geben Sie Ihr Passwort ein, bevor Sie fortfahren.", - "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 payment was already successfully confirmed.": "Diese Zahlung wurde bereits erfolgreich bestätigt.", - "This payment was cancelled.": "Diese Zahlung wurde storniert.", - "This resource no longer exists": "Diese Ressource existiert nicht mehr", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "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.", - "Timor-Leste": "Osttimor", "to": "bis", - "Today": "Heute", "Toggle navigation": "Navigation umschalten", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Tokenname", - "Tonga": "Tonga", "Too Many Attempts.": "Zu viele Versuche.", "Too Many Requests": "Zu viele Anfragen", - "total": "gesamt", - "Total:": "Total:", - "Trashed": "Gelöscht", - "Trinidad And Tobago": "Trinidad und Tobago", - "Tunisia": "Tunesien", - "Turkey": "Türkei", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Turks- und Caicosinseln", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Zwei-Faktor-Authentifizierung", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Die Zwei-Faktor-Authentifizierung ist jetzt aktiviert. Scannen Sie den folgenden QR-Code mit der Authentifizierungsanwendung Ihres Telefons.", - "Uganda": "Uganda", - "Ukraine": "Ukraine", "Unauthorized": "Nicht autorisiert", - "United Arab Emirates": "Vereinigte Arabische Emirate", - "United Kingdom": "Vereinigtes Königreich", - "United States": "Vereinigte Staaten", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "Aussengebiete der Vereinigten Staaten", - "Update": "Aktualisieren", - "Update & Continue Editing": "Aktualisieren & Weiterbearbeiten", - "Update :resource": "Aktualisieren :resource", - "Update :resource: :title": "Aktualisieren :resource: :title", - "Update attached :resource: :title": "Angehängte :resource aktualisieren: :title", - "Update Password": "Passwort aktualisieren", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Aktualisieren Sie die Profilinformationen und die E-Mail-Adresse Ihres Kontos.", - "Uruguay": "Uruguay", - "Use a recovery code": "Verwenden Sie einen Wiederherstellungscode", - "Use an authentication code": "Verwenden Sie einen Authentifizierungscode", - "Uzbekistan": "Usbekistan", - "Value": "Wert", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "E-Mail-Adresse bestätigen", "Verify Your Email Address": "Bestätigen Sie Ihre E-Mail-Adresse", - "Viet Nam": "Vietnam", - "View": "Ansicht", - "Virgin Islands, British": "Britische Jungferninseln", - "Virgin Islands, U.S.": "Amerikanische Jungferninseln", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis und Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Wir konnten keinen registrierten Benutzer mit dieser E-Mail-Adresse finden.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Wir werden Sie für die nächsten paar Stunden nicht mehr nach dem Passwort fragen.", - "We're lost in space. The page you were trying to view does not exist.": "Wir sind im Weltraum verloren. Die Seite, die Sie aufrufen wollten, existiert nicht.", - "Welcome Back!": "Willkommen zurück!", - "Western Sahara": "Westsahara", - "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 aus der Google Authenticator-Anwendung Ihres Telefons abrufen.", - "Whoops": "Ups", - "Whoops!": "Ups!", - "Whoops! Something went wrong.": "Ups, etwas ist schief gelaufen.", - "With Trashed": "Mit gelöschten", - "Write": "Schreiben Sie", - "Year To Date": "Jahr bis dato", - "Yearly": "Yearly", - "Yemen": "Jemen", - "Yes": "Ja", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Sie sind eingeloggt!", - "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 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 may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Ihre E-Mail Adresse wurde noch nicht bestätigt.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Sambia", - "Zimbabwe": "Simbabwe", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Ihre E-Mail Adresse wurde noch nicht bestätigt." } diff --git a/locales/de_CH/packages/cashier.json b/locales/de_CH/packages/cashier.json new file mode 100644 index 00000000000..7970c9725d6 --- /dev/null +++ b/locales/de_CH/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Alle Rechte vorbehalten.", + "Card": "Karte", + "Confirm Payment": "Bestätigen Sie die Zahlung", + "Confirm your :amount payment": "Bestätigen Sie Ihre :amount Zahlung", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Eine zusätzliche Bestätigung ist erforderlich, um Ihre Zahlung zu bearbeiten. Bitte bestätigen Sie Ihre Zahlung, indem Sie Ihre Zahlungsdetails unten ausfüllen.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Eine zusätzliche Bestätigung ist erforderlich, um Ihre Zahlung zu bearbeiten. Bitte fahren Sie mit der Zahlungsseite fort, indem Sie auf die Schaltfläche unten klicken.", + "Full name": "Vollständiger Name", + "Go back": "Zurück gehen", + "Jane Doe": "Jane Doe", + "Pay :amount": ":amount Bezahlen", + "Payment Cancelled": "Zahlung storniert", + "Payment Confirmation": "Zahlungsbestätigung", + "Payment Successful": "Zahlung erfolgreich", + "Please provide your name.": "Bitte geben Sie Ihren Namen an.", + "The payment was successful.": "Die Zahlung war erfolgreich.", + "This payment was already successfully confirmed.": "Diese Zahlung wurde bereits erfolgreich bestätigt.", + "This payment was cancelled.": "Diese Zahlung wurde storniert." +} diff --git a/locales/de_CH/packages/fortify.json b/locales/de_CH/packages/fortify.json new file mode 100644 index 00000000000..5184eb6e091 --- /dev/null +++ b/locales/de_CH/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": "Das :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 and one number.": "Das :attribute muss mindestens :length Zeichen lang sein und mindestens ein Sonderzeichen und eine Zahl enthalten.", + "The :attribute must be at least :length characters and contain at least one special character.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens ein Sonderzeichen enthalten.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens einen Grossbuchstaben und eine Zahl enthalten.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens einen Grossbuchstaben und ein Sonderzeichen enthalten.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens einen Grossbuchstaben, eine Zahl und ein Sonderzeichen enthalten.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens einen Grossbuchstaben enthalten.", + "The :attribute must be at least :length characters.": "Das :attribute muss aus mindestens :length Zeichen bestehen.", + "The provided password does not match your current password.": "Das angegebene Passwort stimmt nicht mit Ihrem aktuellen Passwort überein.", + "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." +} diff --git a/locales/de_CH/packages/jetstream.json b/locales/de_CH/packages/jetstream.json new file mode 100644 index 00000000000..b40346f465b --- /dev/null +++ b/locales/de_CH/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "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.", + "Accept Invitation": "Einladung annehmen", + "Add": "Hinzufügen", + "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 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 Team Member": "Teammitglied hinzufügen", + "Added.": "Hinzugefügt.", + "Administrator": "Administrator", + "Administrator users can perform any action.": "Administratoren können jede Aktion durchführen.", + "All of the people that are part of this team.": "Alle Personen, die Teil dieses Teams sind.", + "Already registered?": "Bereits registriert?", + "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.", + "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 delete this API token?": "Möchten Sie dieses API-Token wirklich löschen?", + "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?", + "Browser Sessions": "Browsersitzungen", + "Cancel": "Abbrechen", + "Close": "Schliessen", + "Code": "Code", + "Confirm": "Bestätigen", + "Confirm Password": "Passwort bestätigen", + "Create": "Erstellen", + "Create a new team to collaborate with others on projects.": "Erstellen Sie ein neues Team, um mit anderen an Projekten zusammenzuarbeiten.", + "Create Account": "Neues Konto registrieren", + "Create API Token": "API-Token erstellen", + "Create New Team": "Neues Team erstellen", + "Create Team": "Team erstellen", + "Created.": "Erstellt.", + "Current Password": "Derzeitiges Passwort", + "Dashboard": "Dashboard", + "Delete": "Löschen", + "Delete Account": "Account löschen", + "Delete API Token": "API-Token löschen", + "Delete Team": "Team löschen", + "Disable": "Deaktivieren", + "Done.": "Erledigt.", + "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.", + "Email": "E-Mail", + "Email Password Reset Link": "Link zum Zurücksetzen des Passwortes zusenden", + "Enable": "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.", + "For your security, please confirm your password to continue.": "Um fortzufahren, bestätigen Sie zu Ihrer Sicherheit bitte Ihr Passwort.", + "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.", + "Great! You have accepted the invitation to join the :team team.": "Grossartig! Sie haben die Einladung zur Teilnahme am :team angenommen.", + "I agree to the :terms_of_service and :privacy_policy": "Ich akzeptiere die :terms_of_service und die :privacy_policy", + "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.": "Falls erforderlich, können Sie sich von all Ihren anderen Browser-Sitzungen auf allen Ihren Geräten abmelden. Einige Ihrer letzten Sitzungen sind unten aufgeführt; diese Liste ist jedoch möglicherweise nicht vollständig. Wenn Sie glauben, dass Ihr Konto kompromittiert wurde, sollten Sie auch Ihr Passwort aktualisieren.", + "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 expect to receive an invitation to this team, you may discard this email.": "Wenn Sie keine Einladung zu diesem Team erwartet haben, kann das E-Mail gelöscht werden.", + "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:": "Wenn Sie kein Konto haben, können Sie ein Konto erstellen, indem Sie auf die Schaltfläche unten klicken. Nach dem Erstellen eines Kontos können Sie in dieser E-Mail auf die Schaltfläche zur Annahme der Einladung klicken, um die Teameinladung anzunehmen:", + "Last active": "Zuletzt aktiv", + "Last used": "Zuletzt verwendet", + "Leave": "Verlassen", + "Leave Team": "Team verlassen", + "Log in": "Einloggen", + "Log Out": "Abmelden", + "Log Out Other Browser Sessions": "Andere Browser-Sitzungen abmelden", + "Manage Account": "Account 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 Role": "Rolle verwalten", + "Manage Team": "Team verwalten", + "Name": "Name", + "New Password": "Neues Passwort", + "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 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.", + "Password": "Passwort", + "Pending Team Invitations": "Ausstehende Team Einladungen", + "Permanently delete this team.": "Löschen Sie dieses Team dauerhaft.", + "Permanently delete your account.": "Löschen Sie Ihren Account dauerhaft.", + "Permissions": "Berechtigungen", + "Photo": "Foto", + "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.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Bitte bestätigen Sie den Zugriff auf Ihr Konto, indem Sie den von Ihrer Authentifizierungsanwendung bereitgestellten Authentifizierungscode eingeben.", + "Please copy your new API token. For your security, it won't be shown again.": "Bitte kopieren Sie Ihren neuen API-Token. Zu Ihrer Sicherheit wird er nicht mehr angezeigt", + "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 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.", + "Privacy Policy": "Datenschutzerklärung", + "Profile": "Profil", + "Profile Information": "Profilinformationen", + "Recovery Code": "Wiederherstellungscode", + "Regenerate Recovery Codes": "Wiederherstellungscodes neu generieren", + "Register": "Registrieren", + "Remember me": "Angemeldet bleiben", + "Remove": "Entfernen", + "Remove Photo": "Foto entfernen", + "Remove Team Member": "Teammitglied entfernen", + "Resend Verification Email": "Bestätigungslink erneut senden", + "Reset Password": "Passwort zurücksetzen", + "Role": "Rolle", + "Save": "Speichern", + "Saved.": "Gespeichert", + "Select A New Photo": "Wählen Sie ein neues Foto aus", + "Show Recovery Codes": "Zeige die Wiederherstellungscodes", + "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.", + "Switch Teams": "Teams wechseln", + "Team Details": "Teamdetails", + "Team Invitation": "Team Einladung", + "Team Members": "Teammitglieder", + "Team Name": "Teamname", + "Team Owner": "Teambesitzer", + "Team Settings": "Teameinstellungen", + "Terms of Service": "Nutzungsbedingungen", + "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 loslegen, könnten Sie Ihre E-Mail-Adresse verifizieren, indem Sie auf den Link klicken, den wir Ihnen per E-Mail zugeschickt haben? Wenn Sie die E-Mail nicht erhalten haben, senden wir Ihnen gerne eine weitere zu.", + "The :attribute must be a valid role.": ":attribute muss eine gültige Rolle sein.", + "The :attribute must be at least :length characters and contain at least one number.": "Das :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 and one number.": "Das :attribute muss mindestens :length Zeichen lang sein und mindestens ein Sonderzeichen und eine Zahl enthalten.", + "The :attribute must be at least :length characters and contain at least one special character.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens ein Sonderzeichen enthalten.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens einen Grossbuchstaben und eine Zahl enthalten.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens einen Grossbuchstaben und ein Sonderzeichen enthalten.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens einen Grossbuchstaben, eine Zahl und ein Sonderzeichen enthalten.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Das :attribute muss aus mindestens :length Zeichen bestehen und mindestens einen Grossbuchstaben enthalten.", + "The :attribute must be at least :length characters.": "Das :attribute muss aus mindestens :length Zeichen bestehen.", + "The provided password does not match your current password.": "Das angegebene Passwort stimmt nicht mit Ihrem aktuellen Passwort überein.", + "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 team's name and owner information.": "Der Name des Teams und Informationen zum Besitzer.", + "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.", + "This device": "Dieses Gerät", + "This is a secure area of the application. Please confirm your password before continuing.": "Dies ist ein sicherer Bereich der Anwendung. Bitte geben Sie Ihr Passwort ein, bevor Sie fortfahren.", + "This password does not match our records.": "Dieses Passwort ist uns nicht bekannt.", + "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.", + "Token Name": "Tokenname", + "Two Factor Authentication": "Zwei-Faktor-Authentifizierung", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Die Zwei-Faktor-Authentifizierung ist jetzt aktiviert. Scannen Sie den folgenden QR-Code mit der Authentifizierungsanwendung Ihres Telefons.", + "Update Password": "Passwort aktualisieren", + "Update your account's profile information and email address.": "Aktualisieren Sie die Profilinformationen und die E-Mail-Adresse Ihres Kontos.", + "Use a recovery code": "Verwenden Sie einen Wiederherstellungscode", + "Use an authentication code": "Verwenden Sie einen Authentifizierungscode", + "We were unable to find a registered user with this email address.": "Wir konnten keinen registrierten Benutzer mit dieser E-Mail-Adresse finden.", + "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 aus der Google Authenticator-Anwendung Ihres Telefons abrufen.", + "Whoops! Something went wrong.": "Ups, etwas ist schief gelaufen.", + "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 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.": "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." +} diff --git a/locales/de_CH/packages/nova.json b/locales/de_CH/packages/nova.json new file mode 100644 index 00000000000..ac557931360 --- /dev/null +++ b/locales/de_CH/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Tage", + "60 Days": "60 Tage", + "90 Days": "90 Tage", + ":amount Total": ":amount Gesamt", + ":resource Details": ":resource Details", + ":resource Details: :title": ":resource Details: :title", + "Action": "Aktion", + "Action Happened At": "Aktion geschah am", + "Action Initiated By": "Aktion initiiert von", + "Action Name": "Name", + "Action Status": "Status", + "Action Target": "Ziel", + "Actions": "Aktionen", + "Add row": "Zeile hinzufügen", + "Afghanistan": "Afghanistan", + "Aland Islands": "Åland", + "Albania": "Albanien", + "Algeria": "Algerien", + "All resources loaded.": "Alle Ressourcen geladen.", + "American Samoa": "Amerikanisch-Samoa", + "An error occured while uploading the file.": "Beim Hochladen der Datei ist ein Fehler aufgetreten.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Ein anderer Benutzer hat diese Ressource aktualisiert, seit diese Seite geladen wurde. Bitte aktualisieren Sie die Seite und versuchen Sie es erneut.", + "Antarctica": "Antarktis", + "Antigua And Barbuda": "Antigua und Barbuda", + "April": "April", + "Are you sure you want to delete the selected resources?": "Sind Sie sicher, dass Sie die ausgewählten Ressourcen löschen möchten?", + "Are you sure you want to delete this file?": "Sind Sie sicher, dass Sie diese Datei löschen wollen?", + "Are you sure you want to delete this resource?": "Sind Sie sicher, dass Sie diese Ressource löschen wollen?", + "Are you sure you want to detach the selected resources?": "Sind Sie sicher, dass Sie die ausgewählten Ressourcen abtrennen wollen?", + "Are you sure you want to detach this resource?": "Sind Sie sicher, dass Sie diese Ressource abtrennen wollen?", + "Are you sure you want to force delete the selected resources?": "Sind Sie sicher, dass Sie das Löschen der ausgewählten Ressourcen erzwingen wollen?", + "Are you sure you want to force delete this resource?": "Sind Sie sicher, dass Sie die Löschung dieser Ressource erzwingen wollen?", + "Are you sure you want to restore the selected resources?": "Sind Sie sicher, dass Sie die ausgewählten Ressourcen wiederherstellen wollen?", + "Are you sure you want to restore this resource?": "Sind Sie sicher, dass Sie diese Ressource wiederherstellen wollen?", + "Are you sure you want to run this action?": "Sind Sie sicher, dass Sie diese Aktion ausführen wollen?", + "Argentina": "Argentinien", + "Armenia": "Armenien", + "Aruba": "Aruba", + "Attach": "Anhängen", + "Attach & Attach Another": "Anhang und weiterer Anhang", + "Attach :resource": ":resource Anhängen", + "August": "August", + "Australia": "Australien", + "Austria": "Österreich", + "Azerbaijan": "Aserbaidschan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesch", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgien", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Bolivia": "Bolivien", + "Bonaire, Sint Eustatius and Saba": "Karibische Niederlande", + "Bosnia And Herzegovina": "Bosnien und Herzegowina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvetinsel", + "Brazil": "Brasilien", + "British Indian Ocean Territory": "Britisches Territorium im Indischen Ozean", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgarien", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodscha", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel": "Abbrechen", + "Cape Verde": "Kap Verde", + "Cayman Islands": "Caymaninseln", + "Central African Republic": "Zentralafrikanische Republik", + "Chad": "Tschad", + "Changes": "Änderungen", + "Chile": "Chile", + "China": "China", + "Choose": "Wählen Sie", + "Choose :field": "Wählen Sie :field", + "Choose :resource": "Wählen Sie :resource", + "Choose an option": "Wählen Sie eine Option", + "Choose date": "Datum wählen", + "Choose File": "Datei wählen", + "Choose Type": "Typ wählen", + "Christmas Island": "Weihnachtsinsel", + "Click to choose": "Klicken Sie zum Auswählen", + "Cocos (Keeling) Islands": "Kokosinseln", + "Colombia": "Kolumbien", + "Comoros": "Komoren", + "Confirm Password": "Passwort bestätigen", + "Congo": "Kongo", + "Congo, Democratic Republic": "Demokratische Republik Kongo", + "Constant": "Konstant", + "Cook Islands": "Cookinseln", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Elfenbeinküste", + "could not be found.": "konnte nicht gefunden werden.", + "Create": "Erstellen", + "Create & Add Another": "Anlegen & Hinzufügen einer weiteren", + "Create :resource": "Anlegen :resource", + "Croatia": "Kroatien", + "Cuba": "Kuba", + "Curaçao": "Curaçao", + "Customize": "Anpassen", + "Cyprus": "Zypern", + "Czech Republic": "Tschechische Republik", + "Dashboard": "Dashboard", + "December": "Dezember", + "Decrease": "Verringern", + "Delete": "Löschen", + "Delete File": "Datei löschen", + "Delete Resource": "Ressource löschen", + "Delete Selected": "Ausgewählte löschen", + "Denmark": "Dänemark", + "Detach": "Trennen", + "Detach Resource": "Ressource abtrennen", + "Detach Selected": "Ausgewählte abtrennen", + "Details": "Details", + "Djibouti": "Dschibuti", + "Do you really want to leave? You have unsaved changes.": "Wollen Sie wirklich gehen? Sie haben nicht gespeicherte Änderungen.", + "Dominica": "Dominica", + "Dominican Republic": "Dominikanische Republik", + "Download": "Herunterladen", + "Ecuador": "Ecuador", + "Edit": "Bearbeiten", + "Edit :resource": ":resource bearbeiten", + "Edit Attached": "Anhang bearbeiten", + "Egypt": "Ägypten", + "El Salvador": "El Salvador", + "Email Address": "E-Mail Adresse", + "Equatorial Guinea": "Äquatorialguinea", + "Eritrea": "Eritrea", + "Estonia": "Estland", + "Ethiopia": "Äthiopien", + "Falkland Islands (Malvinas)": "Falklandinseln", + "Faroe Islands": "Färöer", + "February": "Februar", + "Fiji": "Fidschi", + "Finland": "Finnland", + "Force Delete": "Löschen erzwingen", + "Force Delete Resource": "Löschen der Ressource erzwingen", + "Force Delete Selected": "Auswahl Löschen erzwingen", + "Forgot Your Password?": "Passwort vergessen?", + "Forgot your password?": "Passwort vergessen?", + "France": "Frankreich", + "French Guiana": "Französisch-Guayana", + "French Polynesia": "Französisch-Polynesien", + "French Southern Territories": "Französische Süd- und Antarktisgebiete", + "Gabon": "Gabun", + "Gambia": "Gambia", + "Georgia": "Georgien", + "Germany": "Deutschland", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "Nach Hause", + "Greece": "Griechenland", + "Greenland": "Grönland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Heard und McDonaldinseln", + "Hide Content": "Inhalt ausblenden", + "Hold Up!": "Moment mal!", + "Holy See (Vatican City State)": "Vatikanstadt", + "Honduras": "Honduras", + "Hong Kong": "Hongkong", + "Hungary": "Ungarn", + "Iceland": "Island", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "Wenn Sie kein Zurücksetzen des Passworts beantragt haben, sind keine weiteren Handlungen nötig.", + "Increase": "erhöhen", + "India": "Indien", + "Indonesia": "Indonesien", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Irak", + "Ireland": "Irland", + "Isle Of Man": "Isle of Man", + "Israel": "Israel", + "Italy": "Italien", + "Jamaica": "Jamaika", + "January": "Januar", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordanien", + "July": "Juli", + "June": "Juni", + "Kazakhstan": "Kasachstan", + "Kenya": "Kenia", + "Key": "Schlüssel", + "Kiribati": "Kiribati", + "Korea": "Südkorea", + "Korea, Democratic People's Republic of": "Nordkorea", + "Kosovo": "Kosovo", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kirgisistan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Lettland", + "Lebanon": "Libanon", + "Lens": "Lens", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libyen", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litauen", + "Load :perPage More": "Laden :perPage weitere", + "Login": "Anmelden", + "Logout": "Abmelden", + "Luxembourg": "Luxemburg", + "Macao": "Macao", + "Macedonia": "Mazedonien", + "Madagascar": "Madagaskar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Malediven", + "Mali": "Mali", + "Malta": "Malta", + "March": "März", + "Marshall Islands": "Marshallinseln", + "Martinique": "Martinique", + "Mauritania": "Mauretanien", + "Mauritius": "Mauritius", + "May": "Mai", + "Mayotte": "Mayotte", + "Mexico": "Mexiko", + "Micronesia, Federated States Of": "Mikronesien", + "Moldova": "Moldawien", + "Monaco": "Monaco", + "Mongolia": "Mongolei", + "Montenegro": "Montenegro", + "Month To Date": "Monat bis dato", + "Montserrat": "Montserrat", + "Morocco": "Marokko", + "Mozambique": "Mosambik", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Niederlande", + "New": "Neu", + "New :resource": "Neu :resource", + "New Caledonia": "Neukaledonien", + "New Zealand": "Neuseeland", + "Next": "Nächste", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "Keine", + "No :resource matched the given criteria.": "Keine :resource entsprach den angegebenen Kriterien.", + "No additional information...": "Keine zusätzlichen Informationen...", + "No Current Data": "Keine aktuellen Daten", + "No Data": "Keine Daten", + "no file selected": "keine Datei ausgewählt", + "No Increase": "Keine Erhöhung", + "No Prior Data": "Keine vorherigen Daten", + "No Results Found.": "Keine Ergebnisse gefunden.", + "Norfolk Island": "Norfolkinsel", + "Northern Mariana Islands": "Nördliche Marianen", + "Norway": "Norwegen", + "Nova User": "Nova Benutzer", + "November": "November", + "October": "Oktober", + "of": "von", + "Oman": "Oman", + "Only Trashed": "Nur gelöschte", + "Original": "Ursprünglich", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palästinensische Autonomiegebiete", + "Panama": "Panama", + "Papua New Guinea": "Papua-Neuguinea", + "Paraguay": "Paraguay", + "Password": "Passwort", + "Per Page": "Pro Seite", + "Peru": "Peru", + "Philippines": "Philippinen", + "Pitcairn": "Pitcairninseln", + "Poland": "Polen", + "Portugal": "Portugal", + "Press \/ to search": "Drücken Sie \/ zum Suchen", + "Preview": "Vorschau", + "Previous": "Vorherige", + "Puerto Rico": "Puerto Rico", + "Qatar": "Katar", + "Quarter To Date": "Quartal bis dato", + "Reload": "Neu laden", + "Remember Me": "Angemeldet bleiben", + "Reset Filters": "Filter zurücksetzen", + "Reset Password": "Passwort zurücksetzen", + "Reset Password Notification": "Benachrichtigung zum Zurücksetzen des Passworts", + "resource": "Ressource", + "Resources": "Ressourcen", + "resources": "Ressourcen", + "Restore": "Wiederherstellen", + "Restore Resource": "Ressource wiederherstellen", + "Restore Selected": "Wiederherstellen Ausgewählte", + "Reunion": "Réunion", + "Romania": "Rumänien", + "Run Action": "Aktion ausführen", + "Russian Federation": "Russische Föderation", + "Rwanda": "Ruanda", + "Saint Barthelemy": "Saint-Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts And Nevis": "St. Kitts und Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin": "St. Martin", + "Saint Pierre And Miquelon": "Saint-Pierre und Miquelon", + "Saint Vincent And Grenadines": "St. Vincent und die Grenadinen", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "São Tomé und Príncipe", + "Saudi Arabia": "Saudi-Arabien", + "Search": "Suchen", + "Select Action": "Aktion auswählen", + "Select All": "Alles auswählen", + "Select All Matching": "Alle Übereinstimmungen auswählen", + "Send Password Reset Link": "Link zum Zurücksetzen des Passworts senden", + "Senegal": "Senegal", + "September": "September", + "Serbia": "Serbien", + "Seychelles": "Seychellen", + "Show All Fields": "Alle Felder anzeigen", + "Show Content": "Inhalt anzeigen", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapur", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slowakei", + "Slovenia": "Slowenien", + "Solomon Islands": "Salomon-Inseln", + "Somalia": "Somalia", + "Something went wrong.": "Da ist etwas schief gelaufen.", + "Sorry! You are not authorized to perform this action.": "Entschuldigung! Sie sind nicht berechtigt, diese Aktion durchzuführen.", + "Sorry, your session has expired.": "Entschuldigung, Ihre Sitzung ist abgelaufen.", + "South Africa": "Südafrika", + "South Georgia And Sandwich Isl.": "Südgeorgien und die Südlichen Sandwichinseln", + "South Sudan": "Südsudan", + "Spain": "Spanien", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Abfrage starten", + "Stop Polling": "Abruf stoppen", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Spitzbergen und Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Schweden", + "Switzerland": "Schweiz", + "Syrian Arab Republic": "Syrien", + "Taiwan": "Taiwan", + "Tajikistan": "Tadschikistan", + "Tanzania": "Tansania", + "Thailand": "Thailand", + "The :resource was created!": "Die :resource wurde erstellt!", + "The :resource was deleted!": "Die :resource wurde gelöscht!", + "The :resource was restored!": "Die :resource wurde wiederhergestellt!", + "The :resource was updated!": "Die :resource wurde aktualisiert!", + "The action ran successfully!": "Die Aktion wurde erfolgreich ausgeführt!", + "The file was deleted!": "Die Datei wurde gelöscht!", + "The government won't let us show you what's behind these doors": "Wir dürfen Ihnen nicht zeigen, was sich hinter diesen Türen verbirgt", + "The HasOne relationship has already been filled.": "Die HasOne-Beziehung wurde bereits befüllt.", + "The resource was updated!": "Die Ressource wurde aktualisiert!", + "There are no available options for this resource.": "Es gibt keine verfügbaren Optionen für diese Ressource.", + "There was a problem executing the action.": "Es gab ein Problem beim Ausführen der Aktion.", + "There was a problem submitting the form.": "Es gab ein Problem beim Absenden des Formulars.", + "This file field is read-only.": "Dieses Dateifeld ist schreibgeschützt.", + "This image": "Dieses Bild", + "This resource no longer exists": "Diese Ressource existiert nicht mehr", + "Timor-Leste": "Osttimor", + "Today": "Heute", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "total": "gesamt", + "Trashed": "Gelöscht", + "Trinidad And Tobago": "Trinidad und Tobago", + "Tunisia": "Tunesien", + "Turkey": "Türkei", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Turks- und Caicosinseln", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "Vereinigte Arabische Emirate", + "United Kingdom": "Vereinigtes Königreich", + "United States": "Vereinigte Staaten", + "United States Outlying Islands": "Aussengebiete der Vereinigten Staaten", + "Update": "Aktualisieren", + "Update & Continue Editing": "Aktualisieren & Weiterbearbeiten", + "Update :resource": "Aktualisieren :resource", + "Update :resource: :title": "Aktualisieren :resource: :title", + "Update attached :resource: :title": "Angehängte :resource aktualisieren: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Usbekistan", + "Value": "Wert", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Ansicht", + "Virgin Islands, British": "Britische Jungferninseln", + "Virgin Islands, U.S.": "Amerikanische Jungferninseln", + "Wallis And Futuna": "Wallis und Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Wir sind im Weltraum verloren. Die Seite, die Sie aufrufen wollten, existiert nicht.", + "Welcome Back!": "Willkommen zurück!", + "Western Sahara": "Westsahara", + "Whoops": "Ups", + "Whoops!": "Ups!", + "With Trashed": "Mit gelöschten", + "Write": "Schreiben Sie", + "Year To Date": "Jahr bis dato", + "Yemen": "Jemen", + "Yes": "Ja", + "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.", + "Zambia": "Sambia", + "Zimbabwe": "Simbabwe" +} diff --git a/locales/de_CH/packages/spark-paddle.json b/locales/de_CH/packages/spark-paddle.json new file mode 100644 index 00000000000..dd148d2995c --- /dev/null +++ b/locales/de_CH/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Nutzungsbedingungen", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Ups, etwas ist schief gelaufen.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/de_CH/packages/spark-stripe.json b/locales/de_CH/packages/spark-stripe.json new file mode 100644 index 00000000000..e55e22e1040 --- /dev/null +++ b/locales/de_CH/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afghanistan", + "Albania": "Albanien", + "Algeria": "Algerien", + "American Samoa": "Amerikanisch-Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarktis", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentinien", + "Armenia": "Armenien", + "Aruba": "Aruba", + "Australia": "Australien", + "Austria": "Österreich", + "Azerbaijan": "Aserbaidschan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesch", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgien", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvetinsel", + "Brazil": "Brasilien", + "British Indian Ocean Territory": "Britisches Territorium im Indischen Ozean", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgarien", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodscha", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Kap Verde", + "Card": "Karte", + "Cayman Islands": "Caymaninseln", + "Central African Republic": "Zentralafrikanische Republik", + "Chad": "Tschad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Chile", + "China": "China", + "Christmas Island": "Weihnachtsinsel", + "City": "City", + "Cocos (Keeling) Islands": "Kokosinseln", + "Colombia": "Kolumbien", + "Comoros": "Komoren", + "Confirm Payment": "Bestätigen Sie die Zahlung", + "Confirm your :amount payment": "Bestätigen Sie Ihre :amount Zahlung", + "Congo": "Kongo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Cookinseln", + "Costa Rica": "Costa Rica", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Kroatien", + "Cuba": "Kuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Zypern", + "Czech Republic": "Tschechische Republik", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Dänemark", + "Djibouti": "Dschibuti", + "Dominica": "Dominica", + "Dominican Republic": "Dominikanische Republik", + "Download Receipt": "Download Receipt", + "Ecuador": "Ecuador", + "Egypt": "Ägypten", + "El Salvador": "El Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Äquatorialguinea", + "Eritrea": "Eritrea", + "Estonia": "Estland", + "Ethiopia": "Äthiopien", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Eine zusätzliche Bestätigung ist erforderlich, um Ihre Zahlung zu bearbeiten. Bitte fahren Sie mit der Zahlungsseite fort, indem Sie auf die Schaltfläche unten klicken.", + "Falkland Islands (Malvinas)": "Falklandinseln", + "Faroe Islands": "Färöer", + "Fiji": "Fidschi", + "Finland": "Finnland", + "France": "Frankreich", + "French Guiana": "Französisch-Guayana", + "French Polynesia": "Französisch-Polynesien", + "French Southern Territories": "Französische Süd- und Antarktisgebiete", + "Gabon": "Gabun", + "Gambia": "Gambia", + "Georgia": "Georgien", + "Germany": "Deutschland", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Griechenland", + "Greenland": "Grönland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatikanstadt", + "Honduras": "Honduras", + "Hong Kong": "Hongkong", + "Hungary": "Ungarn", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Island", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Indien", + "Indonesia": "Indonesien", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Irak", + "Ireland": "Irland", + "Isle of Man": "Isle of Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italien", + "Jamaica": "Jamaika", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordanien", + "Kazakhstan": "Kasachstan", + "Kenya": "Kenia", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Nordkorea", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kirgisistan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Lettland", + "Lebanon": "Libanon", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libyen", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litauen", + "Luxembourg": "Luxemburg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagaskar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Malediven", + "Mali": "Mali", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marshallinseln", + "Martinique": "Martinique", + "Mauritania": "Mauretanien", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mexiko", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monaco", + "Mongolia": "Mongolei", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Marokko", + "Mozambique": "Mosambik", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Niederlande", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Neukaledonien", + "New Zealand": "Neuseeland", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Norfolkinsel", + "Northern Mariana Islands": "Nördliche Marianen", + "Norway": "Norwegen", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palästinensische Autonomiegebiete", + "Panama": "Panama", + "Papua New Guinea": "Papua-Neuguinea", + "Paraguay": "Paraguay", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Philippinen", + "Pitcairn": "Pitcairninseln", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Polen", + "Portugal": "Portugal", + "Puerto Rico": "Puerto Rico", + "Qatar": "Katar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Rumänien", + "Russian Federation": "Russische Föderation", + "Rwanda": "Ruanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saudi-Arabien", + "Save": "Speichern", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbien", + "Seychelles": "Seychellen", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapur", + "Slovakia": "Slowakei", + "Slovenia": "Slowenien", + "Solomon Islands": "Salomon-Inseln", + "Somalia": "Somalia", + "South Africa": "Südafrika", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Spanien", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Schweden", + "Switzerland": "Schweiz", + "Syrian Arab Republic": "Syrien", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tadschikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Nutzungsbedingungen", + "Thailand": "Thailand", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Osttimor", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunesien", + "Turkey": "Türkei", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "Vereinigte Arabische Emirate", + "United Kingdom": "Vereinigtes Königreich", + "United States": "Vereinigte Staaten", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Aktualisieren", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Usbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Britische Jungferninseln", + "Virgin Islands, U.S.": "Amerikanische Jungferninseln", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Westsahara", + "Whoops! Something went wrong.": "Ups, etwas ist schief gelaufen.", + "Yearly": "Yearly", + "Yemen": "Jemen", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Sambia", + "Zimbabwe": "Simbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/el/el.json b/locales/el/el.json index 4c1e863d1c2..fd9dbdc0d84 100644 --- a/locales/el/el.json +++ b/locales/el/el.json @@ -1,710 +1,48 @@ { - "30 Days": "30 ημέρες", - "60 Days": "60 ημέρες", - "90 Days": "90 ημέρες", - ":amount Total": ":amount σύνολο", - ":days day trial": ":days day trial", - ":resource Details": ":resource λεπτομέρειες", - ":resource Details: :title": ":resource λεπτομέρειες: :title", "A fresh verification link has been sent to your email address.": "Ένας νέος σύνδεσμος επαλήθευσης έχει σταλεί στη διεύθυνση ηλεκτρονικού ταχυδρομείου σας.", - "A new verification link has been sent to the email address you provided during registration.": "Ένας νέος σύνδεσμος επαλήθευσης έχει σταλεί στη διεύθυνση ηλεκτρονικού ταχυδρομείου που δώσατε κατά την εγγραφή σας.", - "Accept Invitation": "Αποδοχή Πρόσκλησης", - "Action": "Δράση", - "Action Happened At": "Συνέβη Στο", - "Action Initiated By": "Ξεκίνησε Από", - "Action Name": "Όνομα", - "Action Status": "Κατάσταση", - "Action Target": "Στόχος", - "Actions": "Δράσεις", - "Add": "Προσθέσετε", - "Add a new team member to your team, allowing them to collaborate with you.": "Προσθέστε ένα νέο μέλος της ομάδας στην ομάδα σας, επιτρέποντάς τους να συνεργαστούν μαζί σας.", - "Add additional security to your account using two factor authentication.": "Προσθέστε επιπλέον ασφάλεια στο λογαριασμό σας χρησιμοποιώντας έλεγχο ταυτότητας δύο παραγόντων.", - "Add row": "Προσθήκη γραμμής", - "Add Team Member": "Προσθήκη Μέλους Ομάδας", - "Add VAT Number": "Add VAT Number", - "Added.": "Προστίθεται.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Διαχειριστής", - "Administrator users can perform any action.": "Οι χρήστες του διαχειριστή μπορούν να εκτελέσουν οποιαδήποτε ενέργεια.", - "Afghanistan": "Αφγανιστάν", - "Aland Islands": "Νήσοι Ώλαντ", - "Albania": "Αλβανία", - "Algeria": "Αλγερία", - "All of the people that are part of this team.": "Όλοι οι άνθρωποι που είναι μέρος αυτής της ομάδας.", - "All resources loaded.": "Όλοι οι πόροι φορτώθηκαν.", - "All rights reserved.": "Πνευματική προστασία περιεχομένου.", - "Already registered?": "Είστε ήδη εγγεγραμμένος?", - "American Samoa": "Αμερικανική Σαμόα", - "An error occured while uploading the file.": "Παρουσιάστηκε σφάλμα κατά τη μεταφόρτωση του αρχείου.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Ανδόρας", - "Angola": "Αγκόλα", - "Anguilla": "Ανγκουίλλα", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Ένας άλλος χρήστης έχει ενημερώσει αυτόν τον πόρο από τότε που φορτώθηκε αυτή η σελίδα. Παρακαλώ ανανεώστε τη σελίδα και προσπαθήστε ξανά.", - "Antarctica": "Ανταρκτική", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Αντίγκουα και Μπαρμπούντα", - "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 επιτρέπουν στις υπηρεσίες τρίτων να πιστοποιούν με την εφαρμογή μας για λογαριασμό σας.", - "April": "Απριλίου", - "Are you sure you want to delete the selected resources?": "Είστε βέβαιοι ότι θέλετε να διαγράψετε τους επιλεγμένους πόρους;", - "Are you sure you want to delete this file?": "Είστε βέβαιοι ότι θέλετε να διαγράψετε αυτό το αρχείο;", - "Are you sure you want to delete this resource?": "Είστε βέβαιοι ότι θέλετε να διαγράψετε αυτόν τον πόρο;", - "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 detach the selected resources?": "Είστε βέβαιοι ότι θέλετε να αποσυνδέσετε τους επιλεγμένους πόρους;", - "Are you sure you want to detach this resource?": "Είστε βέβαιοι ότι θέλετε να αποσυνδέσετε αυτόν τον πόρο;", - "Are you sure you want to force delete the selected resources?": "Είστε βέβαιοι ότι θέλετε να αναγκάσετε να διαγράψετε τους επιλεγμένους πόρους;", - "Are you sure you want to force delete this resource?": "Είστε βέβαιοι ότι θέλετε να αναγκάσετε να διαγράψετε αυτόν τον πόρο;", - "Are you sure you want to restore the selected resources?": "Είστε βέβαιοι ότι θέλετε να επαναφέρετε τους επιλεγμένους πόρους;", - "Are you sure you want to restore this resource?": "Είστε βέβαιοι ότι θέλετε να επαναφέρετε αυτόν τον πόρο;", - "Are you sure you want to run this action?": "Είστε βέβαιοι ότι θέλετε να εκτελέσετε αυτήν την ενέργεια;", - "Are you sure you would like to delete this API token?": "Είστε βέβαιοι ότι θα θέλατε να διαγράψετε αυτό το διακριτικό API;", - "Are you sure you would like to leave this team?": "Είσαι σίγουρος ότι θα ήθελες να φύγεις από αυτή την ομάδα;", - "Are you sure you would like to remove this person from the team?": "Είστε σίγουροι ότι θα θέλατε να αφαιρέσετε αυτό το άτομο από την ομάδα;", - "Argentina": "Αργεντινή", - "Armenia": "Αρμενία", - "Aruba": "Αρούμπα", - "Attach": "Επισυνάψετε", - "Attach & Attach Another": "Επισύναψη & Επισύναψη Άλλου", - "Attach :resource": "Επισύναψη :resource", - "August": "Αυγούστου", - "Australia": "Αυστραλία", - "Austria": "Αυστρία", - "Azerbaijan": "Αζερμπαϊτζάν", - "Bahamas": "Μπαχάμες", - "Bahrain": "Μπαχρέιν", - "Bangladesh": "Μπαγκλαντές", - "Barbados": "Μπαρμπάντος", "Before proceeding, please check your email for a verification link.": "Πριν συνεχίσετε, ελέγξτε το email σας για έναν σύνδεσμο επαλήθευσης.", - "Belarus": "Λευκορωσία", - "Belgium": "Βέλγιο", - "Belize": "Μπελίζ", - "Benin": "Μπενίν", - "Bermuda": "Βερμούδα", - "Bhutan": "Μπουτάν", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Βολιβία", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Μποναίρ, Άγιος Ευστάθιος και Σάμπα", - "Bosnia And Herzegovina": "Βοσνία-Ερζεγοβίνη", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Μποτσουάνα", - "Bouvet Island": "Νήσος Μπουβέ", - "Brazil": "Βραζιλία", - "British Indian Ocean Territory": "Βρετανικό Έδαφος Ινδικού Ωκεανού", - "Browser Sessions": "Συνεδρίες Προγράμματος Περιήγησης", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Βουλγαρία", - "Burkina Faso": "Μπουρκίνα Φάσο", - "Burundi": "Μπουρούντι", - "Cambodia": "Καμπότζη", - "Cameroon": "Καμερούν", - "Canada": "Καναδά", - "Cancel": "Ακύρωση", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Δημοκρατία του Κάμπου Βέρντε", - "Card": "Κάρτα", - "Cayman Islands": "Νήσοι Κέιμαν", - "Central African Republic": "Κεντροαφρικανική Δημοκρατία", - "Chad": "Τσαντ", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Αλλαγές", - "Chile": "Χιλή", - "China": "Κίνα", - "Choose": "Επιλέξετε", - "Choose :field": "Επιλέξτε :field", - "Choose :resource": "Επιλέξτε :resource", - "Choose an option": "Επιλέξτε μια επιλογή", - "Choose date": "Επιλέξτε ημερομηνία", - "Choose File": "Επιλογή Αρχείου", - "Choose Type": "Επιλέξτε Τύπο", - "Christmas Island": "Νησί Των Χριστουγέννων", - "City": "City", "click here to request another": "κάντε κλικ εδώ για να ζητήσετε ακόμη ένα", - "Click to choose": "Κάντε κλικ για να επιλέξετε", - "Close": "Κλείσετε", - "Cocos (Keeling) Islands": "Νήσοι Κόκος (Κίλινγκ)", - "Code": "Κώδικας", - "Colombia": "Κολομβία", - "Comoros": "Κομόρες", - "Confirm": "Επιβεβαίωση", - "Confirm Password": "Επιβεβαίωση Κωδικού", - "Confirm Payment": "Επιβεβαιώστε Την Πληρωμή", - "Confirm your :amount payment": "Επιβεβαιώστε την πληρωμή :amount σας", - "Congo": "Κονγκό", - "Congo, Democratic Republic": "Λαϊκή Δημοκρατία Του Κονγκό", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Σταθερή", - "Cook Islands": "Νήσοι Κουκ", - "Costa Rica": "Κόστα Ρίκα", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "δεν βρέθηκε.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Δημιουργήσετε", - "Create & Add Another": "Δημιουργία & Προσθήκη Άλλου", - "Create :resource": "Δημιουργία :resource", - "Create a new team to collaborate with others on projects.": "Δημιουργήστε μια νέα ομάδα για να συνεργαστείτε με άλλους σε έργα.", - "Create Account": "Δημιουργία Λογαριασμού", - "Create API Token": "Δημιουργία Token API", - "Create New Team": "Δημιουργία Νέας Ομάδας", - "Create Team": "Δημιουργία Ομάδας", - "Created.": "Δημιουργήθηκε.", - "Croatia": "Κροατία", - "Cuba": "Κούβα", - "Curaçao": "Κουρασάο", - "Current Password": "Τρέχων Κωδικός Πρόσβασης", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Προσαρμογή", - "Cyprus": "Κύπρος", - "Czech Republic": "Τσεχία", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Πίνακας", - "December": "Δεκεμβρίου", - "Decrease": "Μειώσετε", - "Delete": "Διαγράψετε", - "Delete Account": "Διαγραφή Λογαριασμού", - "Delete API Token": "Διαγραφή Token API", - "Delete File": "Διαγραφή Αρχείου", - "Delete Resource": "Διαγραφή Πόρου", - "Delete Selected": "Διαγραφή Επιλεγμένων", - "Delete Team": "Διαγραφή Ομάδας", - "Denmark": "Δανία", - "Detach": "Αποσυνδέσετε", - "Detach Resource": "Αποσύνδεση Πόρου", - "Detach Selected": "Αποσύνδεση Επιλεγμένων", - "Details": "Στοιχεία", - "Disable": "Απενεργοποιήσετε", - "Djibouti": "Τζιμπουτί", - "Do you really want to leave? You have unsaved changes.": "Θέλετε πραγματικά να φύγετε; Έχετε μη αποθηκευμένες αλλαγές.", - "Dominica": "Ντομίνικα", - "Dominican Republic": "Δομινικανή Δημοκρατία", - "Done.": "Ολοκληρώθηκε.", - "Download": "Λήψη", - "Download Receipt": "Download Receipt", "E-Mail Address": "Διεύθυνση E-Mail", - "Ecuador": "Εκουαδόρ", - "Edit": "Επεξεργασία", - "Edit :resource": "Επεξεργασία :resource", - "Edit Attached": "Επεξεργασία Συνημμένου", - "Editor": "Συντάκτης", - "Editor users have the ability to read, create, and update.": "Οι χρήστες του επεξεργαστή έχουν τη δυνατότητα να διαβάζουν, να δημιουργούν και να ενημερώνουν.", - "Egypt": "Αίγυπτος", - "El Salvador": "Σαλβαδόρ", - "Email": "Ηλεκτρονικού", - "Email Address": "διεύθυνση", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Αποστολή Σύνδεσμου Επαναφοράς Κωδικού", - "Enable": "Ενεργοποιήσετε", - "Ensure your account is using a long, random password to stay secure.": "Βεβαιωθείτε ότι ο λογαριασμός σας χρησιμοποιεί ένα μακρύ, τυχαίο κωδικό πρόσβασης για να παραμείνετε ασφαλείς.", - "Equatorial Guinea": "Ισημερινή Γουινέα", - "Eritrea": "Ερυθραία", - "Estonia": "Εσθονία", - "Ethiopia": "Αιθιοπία", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Απαιτείται επιπλέον επιβεβαίωση για την επεξεργασία της πληρωμής σας. Επιβεβαιώστε την πληρωμή σας συμπληρώνοντας τα στοιχεία πληρωμής σας παρακάτω.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Απαιτείται επιπλέον επιβεβαίωση για την επεξεργασία της πληρωμής σας. Συνεχίστε στη σελίδα πληρωμής κάνοντας κλικ στο παρακάτω κουμπί.", - "Falkland Islands (Malvinas)": "Νήσοι Φώκλαντ (Μαλβίνες)", - "Faroe Islands": "Φερόε", - "February": "Φεβρουαρίου", - "Fiji": "Φίτζι", - "Finland": "Φινλανδία", - "For your security, please confirm your password to continue.": "Για την ασφάλειά σας, επιβεβαιώστε τον κωδικό πρόσβασής σας για να συνεχίσετε.", "Forbidden": "Απαγορευμένο", - "Force Delete": "Δύναμη Διαγραφή", - "Force Delete Resource": "Δύναμη Διαγραφή Πόρων", - "Force Delete Selected": "Εξαναγκασμός Διαγραφής Επιλεγμένου", - "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.": "Ξεχάσατε τον κωδικό σας; Κανένα πρόβλημα. Δώστε μας την διεύθυνση ηλεκτρονικού ταχυδρομείου σας και θα σας στείλουμε ένα email με έναν σύνδεσμο (link), που θα σας επιστρέψει να δημιουργήσετε έναν νέο κωδικό πρόσβασης.", - "France": "Γαλλία", - "French Guiana": "Γαλλική Γουιάνα", - "French Polynesia": "Γαλλική Πολυνησία", - "French Southern Territories": "Γαλλικά Νότια Εδάφη", - "Full name": "Ονοματεπώνυμο", - "Gabon": "Γκαμπόν", - "Gambia": "Γκάμπια", - "Georgia": "Γεωργία", - "Germany": "Γερμανία", - "Ghana": "Γκάνα", - "Gibraltar": "Γιβραλτάρ", - "Go back": "Επιστρέψετε", - "Go Home": "Πήγαινε στην αρχική", "Go to page :page": "Μετάβαση στη σελίδα :page", - "Great! You have accepted the invitation to join the :team team.": "Τέλεια! Έχετε αποδεχθεί την πρόσκληση να συμμετάσχετε στην ομάδα :team.", - "Greece": "Ελλάδα", - "Greenland": "Γροιλανδία", - "Grenada": "Γρενάδα", - "Guadeloupe": "Γουαδελούπη", - "Guam": "Γκουάμ", - "Guatemala": "Γουατεμάλα", - "Guernsey": "Γκέρνσεϊ", - "Guinea": "Γουϊνέα", - "Guinea-Bissau": "Γουινέα-Μπισάου", - "Guyana": "Γουιάνα", - "Haiti": "Αϊτή", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Νήσοι Χερντ και Μακντόναλντ", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Χαίρετε!", - "Hide Content": "Απόκρυψη Περιεχομένου", - "Hold Up!": "Περίμενε!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Ονδούρα", - "Hong Kong": "Χονγκ Κονγκ", - "Hungary": "Ουγγαρία", - "I agree to the :terms_of_service and :privacy_policy": "Συμφωνώ με το :terms_of_service και το :privacy_policy", - "Iceland": "Ισλανδία", - "ID": "ΑΝΑΓΝΩΡΙΣΤΙΚΌ", - "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 logout 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 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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Αν αντιμετωπίζετε προβλήματα με το κλικ στο κουμπί \":actionText\", αντιγράψτε και επικολλήστε την παρακάτω διεύθυνση \nστο πρόγραμμα περιήγησης:", - "Increase": "Αυξάνει", - "India": "Ινδία", - "Indonesia": "Ινδονησία", "Invalid signature.": "Μη έγκυρη υπογραφή.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Ιράν", - "Iraq": "Ιράκ", - "Ireland": "Ιρλανδία", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Νήσος του Μαν", - "Israel": "Ισραήλ", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Ιταλία", - "Jamaica": "Τζαμάικα", - "January": "Ιανουαρίου", - "Japan": "Ιαπωνία", - "Jersey": "Τζέρσεϋ", - "Jordan": "Ιορδάνης", - "July": "Ιουλίου", - "June": "Ιουνίου", - "Kazakhstan": "Καζαχστάν", - "Kenya": "Κένυα", - "Key": "Πλήκτρο", - "Kiribati": "Κιριμπάτι", - "Korea": "Κορέα", - "Korea, Democratic People's Republic of": "Βόρεια Κορέα", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Κοσσυφοπέδιο", - "Kuwait": "Κουβέιτ", - "Kyrgyzstan": "Κιργιζία", - "Lao People's Democratic Republic": "Λάος", - "Last active": "Τελευταία ενεργή", - "Last used": "Τελευταία χρήση", - "Latvia": "Λεττονία", - "Leave": "Αφήστε", - "Leave Team": "Αφήστε Την Ομάδα", - "Lebanon": "Λίβανος", - "Lens": "Φακός", - "Lesotho": "Λεσότο", - "Liberia": "Λιβερία", - "Libyan Arab Jamahiriya": "Λιβύη", - "Liechtenstein": "Λιχτενστάιν", - "Lithuania": "Λιθουανία", - "Load :perPage More": "Φορτώστε :perσελίδα περισσότερα", - "Log in": "Συνδεθείτε", "Log out": "Αποσυνδεθείτε", - "Log Out": "αποσυνδεθείτε", - "Log Out Other Browser Sessions": "Αποσυνδεθείτε Από Άλλες Συνεδρίες Του Προγράμματος Περιήγησης", - "Login": "Είσοδος", - "Logout": "Έξοδος", "Logout Other Browser Sessions": "Αποσύνδεση Άλλων Περιόδων Σύνδεσης Του Προγράμματος Περιήγησης", - "Luxembourg": "Λουξεμβούργο", - "Macao": "Μακάο", - "Macedonia": "Βόρεια Μακεδονία", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Μαδαγασκάρη", - "Malawi": "Μαλάουι", - "Malaysia": "Μαλαισία", - "Maldives": "Μαλδίβες", - "Mali": "Μικρό", - "Malta": "Μάλτα", - "Manage Account": "Διαχείριση Λογαριασμού", - "Manage and log out your active sessions on other browsers and devices.": "Διαχειριστείτε και αποσυνδεθείτε ενεργό συνεδρίες σας σε άλλα προγράμματα περιήγησης και συσκευές.", "Manage and logout your active sessions on other browsers and devices.": "Διαχειριστείτε και αποσυνδεθείτε ενεργό συνεδρίες σας σε άλλα προγράμματα περιήγησης και συσκευές.", - "Manage API Tokens": "Διαχείριση μαρκών API", - "Manage Role": "Διαχείριση Ρόλου", - "Manage Team": "Διαχείριση Ομάδας", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Μαρτίου", - "Marshall Islands": "Νήσοι Μάρσαλ", - "Martinique": "Μαρτινίκα", - "Mauritania": "Μαυριτανία", - "Mauritius": "Μαυρίκιος", - "May": "Μπορεί", - "Mayotte": "Μαγιότ", - "Mexico": "Μεξικό", - "Micronesia, Federated States Of": "Μικρονησία", - "Moldova": "Μολδαβία", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Μονακό", - "Mongolia": "Μογγολία", - "Montenegro": "Μαυροβούνιο", - "Month To Date": "Μήνας Μέχρι Σήμερα", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Μοντσεράτ", - "Morocco": "Μαρόκο", - "Mozambique": "Μοζαμβίκη", - "Myanmar": "Μιανμάρ", - "Name": "Όνομα", - "Namibia": "Ναμίμπια", - "Nauru": "Ναουρού", - "Nepal": "Νεπάλ", - "Netherlands": "Ολλανδία", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Δεν πειράζει.", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Νέα", - "New :resource": "Νέο :resource", - "New Caledonia": "Νέα Καληδονία", - "New Password": "Νέος Κωδικός Πρόσβασης", - "New Zealand": "Νέα Ζηλανδία", - "Next": "Επόμενη", - "Nicaragua": "Νικαράγουα", - "Niger": "Νίγηρας", - "Nigeria": "Νιγηρία", - "Niue": "Νιούε", - "No": "Όχι", - "No :resource matched the given criteria.": "Ο αριθμός :resource αντιστοιχούσε στα συγκεκριμένα κριτήρια.", - "No additional information...": "Δεν υπάρχουν πρόσθετες πληροφορίες...", - "No Current Data": "Δεν Υπάρχουν Τρέχοντα Δεδομένα", - "No Data": "Δεν Υπάρχουν Δεδομένα", - "no file selected": "δεν επιλέχθηκε αρχείο", - "No Increase": "Καμία Αύξηση", - "No Prior Data": "Δεν Υπάρχουν Προηγούμενα Δεδομένα", - "No Results Found.": "Δεν Βρέθηκαν Αποτελέσματα.", - "Norfolk Island": "Νήσος Νόρφολκ", - "Northern Mariana Islands": "Νήσοι Βόρειες Μαριάνες", - "Norway": "Νορβηγία", "Not Found": "Δεν Βρέθηκε", - "Nova User": "Χρήστης Nova", - "November": "Νοεμβρίου", - "October": "Οκτωβρίου", - "of": "του", "Oh no": "Ωχ, όχι!", - "Oman": "Ομάν", - "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 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 Trashed": "Μόνο Κατεστραμμένο", - "Original": "Αρχική", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Η συνεδρία έληξε", "Pagination Navigation": "Πλοήγηση Σελιδοποίησης", - "Pakistan": "Πακιστάν", - "Palau": "Παλάου", - "Palestinian Territory, Occupied": "Παλαιστινιακά Εδάφη", - "Panama": "Παναμά", - "Papua New Guinea": "Παπουασία-Νέα Γουινέα", - "Paraguay": "Παραγουάη", - "Password": "Κωδικός", - "Pay :amount": "Πληρώστε :amount", - "Payment Cancelled": "Η Πληρωμή Ακυρώθηκε", - "Payment Confirmation": "Επιβεβαίωση Πληρωμής", - "Payment Information": "Payment Information", - "Payment Successful": "Επιτυχής Πληρωμή", - "Pending Team Invitations": "Εκκρεμείς Προσκλήσεις Ομάδας", - "Per Page": "Ανά Σελίδα", - "Permanently delete this team.": "Διαγράψτε οριστικά αυτήν την ομάδα.", - "Permanently delete your account.": "Διαγράψτε μόνιμα το λογαριασμό σας.", - "Permissions": "Δικαιώματα", - "Peru": "Περού", - "Philippines": "Φιλιππίνων", - "Photo": "Φωτογραφία", - "Pitcairn": "Νήσοι Πίτκερν", "Please click the button below to verify your email address.": "Κάντε κλικ στο παρακάτω κουμπί για να επαληθεύσετε τη διεύθυνση ηλεκτρονικού ταχυδρομείου σας.", - "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 your password before continuing.": "Παρακαλούμε επιβεβαιώστε τον κωδικό σας προκειμέου να συνεχίσετε.", - "Please copy your new API token. For your security, it won't be shown again.": "Παρακαλώ αντιγράψτε το νέο κουπόνι API σας. Για την ασφάλειά σας, δεν θα εμφανιστεί ξανά.", - "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 logout of your other browser sessions across all of your devices.": "Παρακαλώ εισάγετε τον κωδικό πρόσβασής σας για να επιβεβαιώσετε ότι θέλετε να αποσυνδεθείτε από άλλες συνεδρίες του προγράμματος περιήγησης σε όλες τις συσκευές σας.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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. The email address must be associated with an existing account.": "Δώστε τη διεύθυνση ηλεκτρονικού ταχυδρομείου του ατόμου που θέλετε να προσθέσετε σε αυτήν την ομάδα. Η διεύθυνση ηλεκτρονικού ταχυδρομείου πρέπει να συσχετίζεται με έναν υπάρχοντα λογαριασμό.", - "Please provide your name.": "Παρακαλώ δώστε το όνομά σας.", - "Poland": "Πολωνία", - "Portugal": "Πορτογαλία", - "Press \/ to search": "Πατήστε \/ για αναζήτηση", - "Preview": "Προεπισκόπηση", - "Previous": "Προηγούμενη", - "Privacy Policy": "απορρήτου", - "Profile": "Προφίλ", - "Profile Information": "Πληροφορίες Προφίλ", - "Puerto Rico": "Πουέρτο Ρίκο", - "Qatar": "Qatar", - "Quarter To Date": "Τρίμηνο Μέχρι Σήμερα", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Κωδικός Ανάκτησης", "Regards": "Φιλικά", - "Regenerate Recovery Codes": "Αναγεννήστε Τους Κωδικούς Ανάκτησης", - "Register": "Εγγραφή", - "Reload": "Φορτώσετε", - "Remember me": "Να με θυμάσαι", - "Remember Me": "Μείνετε συνδεμένοι", - "Remove": "Καταργήσετε", - "Remove Photo": "Αφαίρεση Φωτογραφίας", - "Remove Team Member": "Αφαίρεση Μέλους Ομάδας", - "Resend Verification Email": "Επαναποστολή email επαλήθευσης", - "Reset Filters": "Επαναφορά Φίλτρων", - "Reset Password": "Επαναφορά Κωδικού", - "Reset Password Notification": "Ειδοποίηση επαναφοράς κωδικού", - "resource": "πόρος", - "Resources": "Πόρων", - "resources": "πόρων", - "Restore": "Επαναφορά", - "Restore Resource": "Επαναφορά Πόρων", - "Restore Selected": "Επαναφορά Επιλεγμένων", "results": "αποτέλεσμα", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Συνάντηση", - "Role": "Ρόλος", - "Romania": "Ρουμανία", - "Run Action": "Εκτέλεση Δράσης", - "Russian Federation": "Ρωσική Ομοσπονδία", - "Rwanda": "Ρουάντα", - "Réunion": "Réunion", - "Saint Barthelemy": "Άγιος Βαρθολομαίος", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Αγία Ελένη", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "Άγιος Χριστόφορος και Νέβις", - "Saint Lucia": "Αγία Λουκία", - "Saint Martin": "Άγιος Μαρτίνος", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "Σαιν Πιέρ και Μικελόν", - "Saint Vincent And Grenadines": "Άγιος Βικέντιος και Γρεναδίνες", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Σαμόα", - "San Marino": "Μαρίνος", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "Σάο Τομέ και Πρίνσιπε", - "Saudi Arabia": "Σαουδική", - "Save": "Αποθηκεύσετε", - "Saved.": "Αποθηκεύονται.", - "Search": "Αναζήτηση", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Επιλέξτε Μια Νέα Φωτογραφία", - "Select Action": "Επιλογή Ενέργειας", - "Select All": "Επιλογή Όλων", - "Select All Matching": "Επιλέξτε Όλα Ταιριάζουν", - "Send Password Reset Link": "Αποστολή συνδέσμου επαναφοράς κωδικού πρόσβασης", - "Senegal": "Σενεγάλη", - "September": "Σεπτεμβρίου", - "Serbia": "Σερβία", "Server Error": "Σφάλμα στον εξυπηρετητή (server)", "Service Unavailable": "Μη διαθέσιμη υπηρεσία", - "Seychelles": "Σεϋχέλλες", - "Show All Fields": "Εμφάνιση Όλων Των Πεδίων", - "Show Content": "Εμφάνιση Περιεχομένου", - "Show Recovery Codes": "Εμφάνιση Κωδικών Ανάκτησης", "Showing": "Εμφάνιση", - "Sierra Leone": "Σιέρα Λεόνε", - "Signed in as": "Signed in as", - "Singapore": "Σιγκαπούρη", - "Sint Maarten (Dutch part)": "Άγιος Μαρτίνος", - "Slovakia": "Σλοβακία", - "Slovenia": "Σλοβενία", - "Solomon Islands": "Νήσοι Σολομώντος", - "Somalia": "Σομαλία", - "Something went wrong.": "Κάτι πήγε στραβά.", - "Sorry! You are not authorized to perform this action.": "Συγγνώμη! Δεν είστε εξουσιοδοτημένοι να εκτελέσετε αυτήν την ενέργεια.", - "Sorry, your session has expired.": "Λυπάμαι, η συνεδρία σας έχει λήξει.", - "South Africa": "Νότια Αφρική", - "South Georgia And Sandwich Isl.": "Νότια Γεωργία και Νότιες Νήσοι Σάντουιτς", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Νότιο Σουδάν", - "Spain": "Ισπανία", - "Sri Lanka": "Σρι Λάνκα", - "Start Polling": "Έναρξη Ψηφοφορίας", - "State \/ County": "State \/ County", - "Stop Polling": "Σταματήστε Τις Δημοσκοπήσεις", - "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.": "Αποθηκεύστε αυτούς τους κωδικούς ανάκτησης σε έναν ασφαλή διαχειριστή κωδικών πρόσβασης. Μπορούν να χρησιμοποιηθούν για να ανακτήσει την πρόσβαση στο λογαριασμό σας, αν η συσκευή ελέγχου ταυτότητας δύο παραγόντων σας έχει χαθεί.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Σουδάν", - "Suriname": "Σουρινάμ", - "Svalbard And Jan Mayen": "Svalbard και Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Σουηδία", - "Switch Teams": "Εναλλαγή Ομάδων", - "Switzerland": "Ελβετία", - "Syrian Arab Republic": "Συρία", - "Taiwan": "Ταϊβάν", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Τατζικιστάν", - "Tanzania": "Τανζανία", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Λεπτομέρειες Ομάδας", - "Team Invitation": "Πρόσκληση Ομάδας", - "Team Members": "Μέλη Ομάδας", - "Team Name": "Όνομα Ομάδας", - "Team Owner": "Ιδιοκτήτης Ομάδας", - "Team Settings": "Ρυθμίσεις Ομάδας", - "Terms of Service": "Όροι Παροχής Υπηρεσιών", - "Thailand": "Ταϊλάνδη", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "Το :attribute πρέπει να είναι ένας έγκυρος ρόλος.", - "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 and 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 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 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.": "Το :attribute θα πρέπει να είναι τουλάχιστον :length χαρακτήρων.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "Το :resource δημιουργήθηκε!", - "The :resource was deleted!": "Το :resource διαγράφηκε!", - "The :resource was restored!": "Το :resource αποκαταστάθηκε!", - "The :resource was updated!": "Το :resource ενημερώθηκε!", - "The action ran successfully!": "Η δράση έτρεξε με επιτυχία!", - "The file was deleted!": "Το αρχείο διαγράφηκε!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Η κυβέρνηση δεν θα μας αφήσει να σας δείξουμε τι είναι πίσω από αυτές τις πόρτες", - "The HasOne relationship has already been filled.": "Η σχέση HasOne έχει ήδη συμπληρωθεί.", - "The payment was successful.": "Η πληρωμή ήταν επιτυχής.", - "The provided coupon code is invalid.": "The provided coupon code is 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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Ο πόρος ενημερώθηκε!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Το όνομα της ομάδας και πληροφορίες ιδιοκτήτη.", - "There are no available options for this resource.": "Δεν υπάρχουν διαθέσιμες επιλογές για αυτόν τον πόρο.", - "There was a problem executing the action.": "Υπήρξε πρόβλημα εκτέλεσης της ενέργειας.", - "There was a problem submitting the form.": "Υπήρχε ένα πρόβλημα με την υποβολή της φόρμας.", - "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.": "Αυτοί οι άνθρωποι έχουν προσκληθεί στην ομάδα σας και έχουν σταλεί ένα μήνυμα ηλεκτρονικού ταχυδρομείου πρόσκλησης. Μπορούν να συμμετάσχουν στην ομάδα αποδεχόμενοι την πρόσκληση ηλεκτρονικού ταχυδρομείου.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Δεν έχετε εξουσιοδότηση γι' αυτή την ενέργεια.", - "This device": "Αυτή η συσκευή", - "This file field is read-only.": "Αυτό το πεδίο αρχείου είναι μόνο για ανάγνωση.", - "This image": "Αυτή η εικόνα", - "This is a secure area of the application. Please confirm your password before continuing.": "Αυτή είναι μια ασφαλής περιοχή της εφαρμογής. Επιβεβαιώστε τον κωδικό πρόσβασής σας πριν συνεχίσετε.", - "This password does not match our records.": "Ο κωδικός σας, δεν αντιστοιχεί στα στοιχεία μας.", "This password reset link will expire in :count minutes.": "Αυτός ο σύνδεσμος επαναφοράς κωδικού, θα λήξει σε :count λεπτά.", - "This payment was already successfully confirmed.": "Αυτή η πληρωμή επιβεβαιώθηκε ήδη με επιτυχία.", - "This payment was cancelled.": "Αυτή η πληρωμή ακυρώθηκε.", - "This resource no longer exists": "Αυτός ο πόρος δεν υπάρχει πλέον", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Ο χρήστης ανήκει ήδη στην ομάδα.", - "This user has already been invited to the team.": "Αυτός ο χρήστης έχει ήδη προσκληθεί στην ομάδα.", - "Timor-Leste": "Τιμόρ-Λέστε", "to": "σε", - "Today": "Σήμερα", "Toggle navigation": "Εναλλαγή πλοήγησης", - "Togo": "Τόγκο", - "Tokelau": "Τοκελάου", - "Token Name": "Διακριτικό Όνομα", - "Tonga": "Έρχεται", "Too Many Attempts.": "Πάρα Πολλές Προσπάθειες.", "Too Many Requests": "Πάρα πολλά αιτήματα", - "total": "συνολική", - "Total:": "Total:", - "Trashed": "Άχρηστα", - "Trinidad And Tobago": "Τρινιδάδ και Τομπάγκο", - "Tunisia": "Τυνησία", - "Turkey": "Τουρκία", - "Turkmenistan": "Τουρκμενιστάν", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Νήσοι Τερκς και Κάικος", - "Tuvalu": "Τουβαλού", - "Two Factor Authentication": "Έλεγχος Ταυτότητας Δύο Παραγόντων", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Ο έλεγχος ταυτότητας δύο παραγόντων είναι πλέον ενεργοποιημένος. Σαρώστε τον ακόλουθο κώδικα QR χρησιμοποιώντας την εφαρμογή authenticator του τηλεφώνου σας.", - "Uganda": "Ουγκάντα", - "Ukraine": "Ουκρανία", "Unauthorized": "Χωρίς εξουσιοδότηση", - "United Arab Emirates": "Ηνωμένα Αραβικά Εμιράτα", - "United Kingdom": "Βρετανία", - "United States": "ΗΠΑ", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "ΗΠΑ Απομακρυσμένα Νησιά", - "Update": "Ενημερωμένη", - "Update & Continue Editing": "Ενημέρωση & Συνέχιση Επεξεργασίας", - "Update :resource": "Ενημέρωση :resource", - "Update :resource: :title": "Ενημέρωση :resource: :title", - "Update attached :resource: :title": "Ενημέρωση συνημμένο :resource: :title", - "Update Password": "Ενημέρωση Κωδικού Πρόσβασης", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Ενημερώστε τα στοιχεία του προφίλ του λογαριασμού σας και τη διεύθυνση ηλεκτρονικού ταχυδρομείου.", - "Uruguay": "Ουρουγουάη", - "Use a recovery code": "Χρησιμοποιήστε έναν κωδικό ανάκτησης", - "Use an authentication code": "Χρησιμοποιήστε έναν κωδικό εξουσιοδότησης", - "Uzbekistan": "Ουζμπεκιστάν", - "Value": "Τιμή", - "Vanuatu": "Βανουάτου", - "VAT Number": "VAT Number", - "Venezuela": "Βενεζουέλα", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Επιβεβαιώστε τη διεύθυνση ηλεκτρονικού ταχυδρομείου", "Verify Your Email Address": "Επιβεβαιώστε τη διεύθυνση ηλεκτρονικού ταχυδρομείου σας", - "Viet Nam": "Vietnam", - "View": "Προβολή", - "Virgin Islands, British": "Βρετανικές Παρθένοι Νήσοι", - "Virgin Islands, U.S.": "Αμερικανικές Παρθένοι Νήσοι", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Γουόλις και Φουτούνα", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Ήταν αδύνατο να βρούμε έναν εγγεγραμμένο χρήστη, με αυτή τη διεύθυνση ηλεκτρονικού ταχυδρομείου.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Δεν θα σας ξαναζητήσουμε τον κωδικό σας για μερικές ώρες.", - "We're lost in space. The page you were trying to view does not exist.": "Χαθήκαμε στο διάστημα. Η σελίδα που προσπαθούσατε να δείτε δεν υπάρχει.", - "Welcome Back!": "Καλώς Ήρθατε Και Πάλι!", - "Western Sahara": "Δυτική Σαχάρα", - "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 του τηλεφώνου σας.", - "Whoops": "Ουπς", - "Whoops!": "Ουπς!", - "Whoops! Something went wrong.": "Ουπς! Κάτι πήγε στραβά.", - "With Trashed": "Με Τα Σκουπίδια", - "Write": "Εγγραφή", - "Year To Date": "Έτος Μέχρι Σήμερα", - "Yearly": "Yearly", - "Yemen": "Υεμένη", - "Yes": "Ναι.", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Έχετε συνδεθεί!", - "You are receiving this email because we received a password reset request for your account.": "Λαμβάνετε αυτό το μήνυμα ηλεκτρονικού ταχυδρομείου επειδή λάβαμε ένα αίτημα επαναφοράς κωδικού πρόσβασης για το λογαριασμό σας.", - "You have been invited to join the :team team!": "Έχετε προσκληθεί να συμμετάσχετε στην ομάδα :team!", - "You have enabled two factor authentication.": "Έχετε ενεργοποιήσει τον έλεγχο ταυτότητας δύο παραγόντων.", - "You have not enabled two factor authentication.": "Δεν έχετε ενεργοποιήσει τον έλεγχο ταυτότητας δύο παραγόντων.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.": "Δεν μπορείτε να αφήσετε μια ομάδα που δημιουργήσατε.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Δεν έχετε επαληθεύσει τη διεύθυνση ηλεκτρονικού ταχυδρομείου σας.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Ζάμπια", - "Zimbabwe": "Ζιμπάμπουε", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Δεν έχετε επαληθεύσει τη διεύθυνση ηλεκτρονικού ταχυδρομείου σας." } diff --git a/locales/el/packages/cashier.json b/locales/el/packages/cashier.json new file mode 100644 index 00000000000..69ecc30b249 --- /dev/null +++ b/locales/el/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Πνευματική προστασία περιεχομένου.", + "Card": "Κάρτα", + "Confirm Payment": "Επιβεβαιώστε Την Πληρωμή", + "Confirm your :amount payment": "Επιβεβαιώστε την πληρωμή :amount σας", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Απαιτείται επιπλέον επιβεβαίωση για την επεξεργασία της πληρωμής σας. Επιβεβαιώστε την πληρωμή σας συμπληρώνοντας τα στοιχεία πληρωμής σας παρακάτω.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Απαιτείται επιπλέον επιβεβαίωση για την επεξεργασία της πληρωμής σας. Συνεχίστε στη σελίδα πληρωμής κάνοντας κλικ στο παρακάτω κουμπί.", + "Full name": "Ονοματεπώνυμο", + "Go back": "Επιστρέψετε", + "Jane Doe": "Jane Doe", + "Pay :amount": "Πληρώστε :amount", + "Payment Cancelled": "Η Πληρωμή Ακυρώθηκε", + "Payment Confirmation": "Επιβεβαίωση Πληρωμής", + "Payment Successful": "Επιτυχής Πληρωμή", + "Please provide your name.": "Παρακαλώ δώστε το όνομά σας.", + "The payment was successful.": "Η πληρωμή ήταν επιτυχής.", + "This payment was already successfully confirmed.": "Αυτή η πληρωμή επιβεβαιώθηκε ήδη με επιτυχία.", + "This payment was cancelled.": "Αυτή η πληρωμή ακυρώθηκε." +} diff --git a/locales/el/packages/fortify.json b/locales/el/packages/fortify.json new file mode 100644 index 00000000000..a14b14e4902 --- /dev/null +++ b/locales/el/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 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 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.": "Το :attribute θα πρέπει να είναι τουλάχιστον :length χαρακτήρων.", + "The provided password does not match your current password.": "Ο παρεχόμενος κωδικός πρόσβασης δεν ταιριάζει με τον τρέχοντα κωδικό πρόσβασής σας.", + "The provided password was incorrect.": "Ο παρεχόμενος κωδικός πρόσβασης ήταν εσφαλμένος.", + "The provided two factor authentication code was invalid.": "Ο παρεχόμενος κωδικός ελέγχου ταυτότητας δύο παραγόντων δεν ήταν έγκυρος." +} diff --git a/locales/el/packages/jetstream.json b/locales/el/packages/jetstream.json new file mode 100644 index 00000000000..7757485738a --- /dev/null +++ b/locales/el/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Ένας νέος σύνδεσμος επαλήθευσης έχει σταλεί στη διεύθυνση ηλεκτρονικού ταχυδρομείου που δώσατε κατά την εγγραφή σας.", + "Accept Invitation": "Αποδοχή Πρόσκλησης", + "Add": "Προσθέσετε", + "Add a new team member to your team, allowing them to collaborate with you.": "Προσθέστε ένα νέο μέλος της ομάδας στην ομάδα σας, επιτρέποντάς τους να συνεργαστούν μαζί σας.", + "Add additional security to your account using two factor authentication.": "Προσθέστε επιπλέον ασφάλεια στο λογαριασμό σας χρησιμοποιώντας έλεγχο ταυτότητας δύο παραγόντων.", + "Add Team Member": "Προσθήκη Μέλους Ομάδας", + "Added.": "Προστίθεται.", + "Administrator": "Διαχειριστής", + "Administrator users can perform any action.": "Οι χρήστες του διαχειριστή μπορούν να εκτελέσουν οποιαδήποτε ενέργεια.", + "All of the people that are part of this team.": "Όλοι οι άνθρωποι που είναι μέρος αυτής της ομάδας.", + "Already registered?": "Είστε ήδη εγγεγραμμένος?", + "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 επιτρέπουν στις υπηρεσίες τρίτων να πιστοποιούν με την εφαρμογή μας για λογαριασμό σας.", + "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 delete this API token?": "Είστε βέβαιοι ότι θα θέλατε να διαγράψετε αυτό το διακριτικό API;", + "Are you sure you would like to leave this team?": "Είσαι σίγουρος ότι θα ήθελες να φύγεις από αυτή την ομάδα;", + "Are you sure you would like to remove this person from the team?": "Είστε σίγουροι ότι θα θέλατε να αφαιρέσετε αυτό το άτομο από την ομάδα;", + "Browser Sessions": "Συνεδρίες Προγράμματος Περιήγησης", + "Cancel": "Ακύρωση", + "Close": "Κλείσετε", + "Code": "Κώδικας", + "Confirm": "Επιβεβαίωση", + "Confirm Password": "Επιβεβαίωση Κωδικού", + "Create": "Δημιουργήσετε", + "Create a new team to collaborate with others on projects.": "Δημιουργήστε μια νέα ομάδα για να συνεργαστείτε με άλλους σε έργα.", + "Create Account": "Δημιουργία Λογαριασμού", + "Create API Token": "Δημιουργία Token API", + "Create New Team": "Δημιουργία Νέας Ομάδας", + "Create Team": "Δημιουργία Ομάδας", + "Created.": "Δημιουργήθηκε.", + "Current Password": "Τρέχων Κωδικός Πρόσβασης", + "Dashboard": "Πίνακας", + "Delete": "Διαγράψετε", + "Delete Account": "Διαγραφή Λογαριασμού", + "Delete API Token": "Διαγραφή Token API", + "Delete Team": "Διαγραφή Ομάδας", + "Disable": "Απενεργοποιήσετε", + "Done.": "Ολοκληρώθηκε.", + "Editor": "Συντάκτης", + "Editor users have the ability to read, create, and update.": "Οι χρήστες του επεξεργαστή έχουν τη δυνατότητα να διαβάζουν, να δημιουργούν και να ενημερώνουν.", + "Email": "Ηλεκτρονικού", + "Email Password Reset Link": "Αποστολή Σύνδεσμου Επαναφοράς Κωδικού", + "Enable": "Ενεργοποιήσετε", + "Ensure your account is using a long, random password to stay secure.": "Βεβαιωθείτε ότι ο λογαριασμός σας χρησιμοποιεί ένα μακρύ, τυχαίο κωδικό πρόσβασης για να παραμείνετε ασφαλείς.", + "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.": "Ξεχάσατε τον κωδικό σας; Κανένα πρόβλημα. Δώστε μας την διεύθυνση ηλεκτρονικού ταχυδρομείου σας και θα σας στείλουμε ένα email με έναν σύνδεσμο (link), που θα σας επιστρέψει να δημιουργήσετε έναν νέο κωδικό πρόσβασης.", + "Great! You have accepted the invitation to join the :team team.": "Τέλεια! Έχετε αποδεχθεί την πρόσκληση να συμμετάσχετε στην ομάδα :team.", + "I agree to the :terms_of_service and :privacy_policy": "Συμφωνώ με το :terms_of_service και το :privacy_policy", + "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 you already have an account, you may accept this invitation by clicking the button below:": "Αν έχετε ήδη λογαριασμό, μπορείτε να αποδεχτείτε αυτήν την πρόσκληση κάνοντας κλικ στο παρακάτω κουμπί:", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "Αν δεν έχετε λογαριασμό, μπορείτε να δημιουργήσετε ένα κάνοντας κλικ στο παρακάτω κουμπί. Αφού δημιουργήσετε έναν λογαριασμό, μπορείτε να κάνετε κλικ στο κουμπί Αποδοχή πρόσκλησης σε αυτό το μήνυμα ηλεκτρονικού ταχυδρομείου για να αποδεχτείτε την πρόσκληση ομάδας:", + "Last active": "Τελευταία ενεργή", + "Last used": "Τελευταία χρήση", + "Leave": "Αφήστε", + "Leave Team": "Αφήστε Την Ομάδα", + "Log in": "Συνδεθείτε", + "Log Out": "αποσυνδεθείτε", + "Log Out Other Browser Sessions": "Αποσυνδεθείτε Από Άλλες Συνεδρίες Του Προγράμματος Περιήγησης", + "Manage Account": "Διαχείριση Λογαριασμού", + "Manage and log out your active sessions on other browsers and devices.": "Διαχειριστείτε και αποσυνδεθείτε ενεργό συνεδρίες σας σε άλλα προγράμματα περιήγησης και συσκευές.", + "Manage API Tokens": "Διαχείριση μαρκών API", + "Manage Role": "Διαχείριση Ρόλου", + "Manage Team": "Διαχείριση Ομάδας", + "Name": "Όνομα", + "New Password": "Νέος Κωδικός Πρόσβασης", + "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 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.": "Μόλις διαγραφεί ο λογαριασμός σας, όλοι οι πόροι και τα δεδομένα του θα διαγραφούν οριστικά. Πριν από τη διαγραφή του λογαριασμού σας, παρακαλούμε να κατεβάσετε οποιαδήποτε δεδομένα ή πληροφορίες που θέλετε να διατηρήσετε.", + "Password": "Κωδικός", + "Pending Team Invitations": "Εκκρεμείς Προσκλήσεις Ομάδας", + "Permanently delete this team.": "Διαγράψτε οριστικά αυτήν την ομάδα.", + "Permanently delete your account.": "Διαγράψτε μόνιμα το λογαριασμό σας.", + "Permissions": "Δικαιώματα", + "Photo": "Φωτογραφία", + "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 copy your new API token. For your security, it won't be shown again.": "Παρακαλώ αντιγράψτε το νέο κουπόνι API σας. Για την ασφάλειά σας, δεν θα εμφανιστεί ξανά.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Παρακαλώ εισάγετε τον κωδικό πρόσβασής σας για να επιβεβαιώσετε ότι θέλετε να αποσυνδεθείτε από άλλες συνεδρίες του προγράμματος περιήγησης σε όλες τις συσκευές σας.", + "Please provide the email address of the person you would like to add to this team.": "Δώστε τη διεύθυνση ηλεκτρονικού ταχυδρομείου του ατόμου που θέλετε να προσθέσετε σε αυτήν την ομάδα.", + "Privacy Policy": "απορρήτου", + "Profile": "Προφίλ", + "Profile Information": "Πληροφορίες Προφίλ", + "Recovery Code": "Κωδικός Ανάκτησης", + "Regenerate Recovery Codes": "Αναγεννήστε Τους Κωδικούς Ανάκτησης", + "Register": "Εγγραφή", + "Remember me": "Να με θυμάσαι", + "Remove": "Καταργήσετε", + "Remove Photo": "Αφαίρεση Φωτογραφίας", + "Remove Team Member": "Αφαίρεση Μέλους Ομάδας", + "Resend Verification Email": "Επαναποστολή email επαλήθευσης", + "Reset Password": "Επαναφορά Κωδικού", + "Role": "Ρόλος", + "Save": "Αποθηκεύσετε", + "Saved.": "Αποθηκεύονται.", + "Select A New Photo": "Επιλέξτε Μια Νέα Φωτογραφία", + "Show Recovery Codes": "Εμφάνιση Κωδικών Ανάκτησης", + "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.": "Αποθηκεύστε αυτούς τους κωδικούς ανάκτησης σε έναν ασφαλή διαχειριστή κωδικών πρόσβασης. Μπορούν να χρησιμοποιηθούν για να ανακτήσει την πρόσβαση στο λογαριασμό σας, αν η συσκευή ελέγχου ταυτότητας δύο παραγόντων σας έχει χαθεί.", + "Switch Teams": "Εναλλαγή Ομάδων", + "Team Details": "Λεπτομέρειες Ομάδας", + "Team Invitation": "Πρόσκληση Ομάδας", + "Team Members": "Μέλη Ομάδας", + "Team Name": "Όνομα Ομάδας", + "Team Owner": "Ιδιοκτήτης Ομάδας", + "Team Settings": "Ρυθμίσεις Ομάδας", + "Terms of Service": "Όροι Παροχής Υπηρεσιών", + "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 a valid role.": "Το :attribute πρέπει να είναι ένας έγκυρος ρόλος.", + "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 and 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 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 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.": "Το :attribute θα πρέπει να είναι τουλάχιστον :length χαρακτήρων.", + "The provided password does not match your current password.": "Ο παρεχόμενος κωδικός πρόσβασης δεν ταιριάζει με τον τρέχοντα κωδικό πρόσβασής σας.", + "The provided password was incorrect.": "Ο παρεχόμενος κωδικός πρόσβασης ήταν εσφαλμένος.", + "The provided two factor authentication code was invalid.": "Ο παρεχόμενος κωδικός ελέγχου ταυτότητας δύο παραγόντων δεν ήταν έγκυρος.", + "The team's name and owner information.": "Το όνομα της ομάδας και πληροφορίες ιδιοκτήτη.", + "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.": "Αυτοί οι άνθρωποι έχουν προσκληθεί στην ομάδα σας και έχουν σταλεί ένα μήνυμα ηλεκτρονικού ταχυδρομείου πρόσκλησης. Μπορούν να συμμετάσχουν στην ομάδα αποδεχόμενοι την πρόσκληση ηλεκτρονικού ταχυδρομείου.", + "This device": "Αυτή η συσκευή", + "This is a secure area of the application. Please confirm your password before continuing.": "Αυτή είναι μια ασφαλής περιοχή της εφαρμογής. Επιβεβαιώστε τον κωδικό πρόσβασής σας πριν συνεχίσετε.", + "This password does not match our records.": "Ο κωδικός σας, δεν αντιστοιχεί στα στοιχεία μας.", + "This user already belongs to the team.": "Ο χρήστης ανήκει ήδη στην ομάδα.", + "This user has already been invited to the team.": "Αυτός ο χρήστης έχει ήδη προσκληθεί στην ομάδα.", + "Token Name": "Διακριτικό Όνομα", + "Two Factor Authentication": "Έλεγχος Ταυτότητας Δύο Παραγόντων", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Ο έλεγχος ταυτότητας δύο παραγόντων είναι πλέον ενεργοποιημένος. Σαρώστε τον ακόλουθο κώδικα QR χρησιμοποιώντας την εφαρμογή authenticator του τηλεφώνου σας.", + "Update Password": "Ενημέρωση Κωδικού Πρόσβασης", + "Update your account's profile information and email address.": "Ενημερώστε τα στοιχεία του προφίλ του λογαριασμού σας και τη διεύθυνση ηλεκτρονικού ταχυδρομείου.", + "Use a recovery code": "Χρησιμοποιήστε έναν κωδικό ανάκτησης", + "Use an authentication code": "Χρησιμοποιήστε έναν κωδικό εξουσιοδότησης", + "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.": "Όταν είναι ενεργοποιημένος ο έλεγχος ταυτότητας δύο παραγόντων, θα σας ζητηθεί ένα ασφαλές, τυχαίο διακριτικό κατά τη διάρκεια του ελέγχου ταυτότητας. Μπορείτε να ανακτήσετε αυτό το διακριτικό από την εφαρμογή Google Authenticator του τηλεφώνου σας.", + "Whoops! Something went wrong.": "Ουπς! Κάτι πήγε στραβά.", + "You have been invited to join the :team team!": "Έχετε προσκληθεί να συμμετάσχετε στην ομάδα :team!", + "You have enabled two factor authentication.": "Έχετε ενεργοποιήσει τον έλεγχο ταυτότητας δύο παραγόντων.", + "You have not enabled two factor authentication.": "Δεν έχετε ενεργοποιήσει τον έλεγχο ταυτότητας δύο παραγόντων.", + "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.": "Δεν μπορείτε να αφήσετε μια ομάδα που δημιουργήσατε." +} diff --git a/locales/el/packages/nova.json b/locales/el/packages/nova.json new file mode 100644 index 00000000000..64864a43e7b --- /dev/null +++ b/locales/el/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 ημέρες", + "60 Days": "60 ημέρες", + "90 Days": "90 ημέρες", + ":amount Total": ":amount σύνολο", + ":resource Details": ":resource λεπτομέρειες", + ":resource Details: :title": ":resource λεπτομέρειες: :title", + "Action": "Δράση", + "Action Happened At": "Συνέβη Στο", + "Action Initiated By": "Ξεκίνησε Από", + "Action Name": "Όνομα", + "Action Status": "Κατάσταση", + "Action Target": "Στόχος", + "Actions": "Δράσεις", + "Add row": "Προσθήκη γραμμής", + "Afghanistan": "Αφγανιστάν", + "Aland Islands": "Νήσοι Ώλαντ", + "Albania": "Αλβανία", + "Algeria": "Αλγερία", + "All resources loaded.": "Όλοι οι πόροι φορτώθηκαν.", + "American Samoa": "Αμερικανική Σαμόα", + "An error occured while uploading the file.": "Παρουσιάστηκε σφάλμα κατά τη μεταφόρτωση του αρχείου.", + "Andorra": "Ανδόρας", + "Angola": "Αγκόλα", + "Anguilla": "Ανγκουίλλα", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Ένας άλλος χρήστης έχει ενημερώσει αυτόν τον πόρο από τότε που φορτώθηκε αυτή η σελίδα. Παρακαλώ ανανεώστε τη σελίδα και προσπαθήστε ξανά.", + "Antarctica": "Ανταρκτική", + "Antigua And Barbuda": "Αντίγκουα και Μπαρμπούντα", + "April": "Απριλίου", + "Are you sure you want to delete the selected resources?": "Είστε βέβαιοι ότι θέλετε να διαγράψετε τους επιλεγμένους πόρους;", + "Are you sure you want to delete this file?": "Είστε βέβαιοι ότι θέλετε να διαγράψετε αυτό το αρχείο;", + "Are you sure you want to delete this resource?": "Είστε βέβαιοι ότι θέλετε να διαγράψετε αυτόν τον πόρο;", + "Are you sure you want to detach the selected resources?": "Είστε βέβαιοι ότι θέλετε να αποσυνδέσετε τους επιλεγμένους πόρους;", + "Are you sure you want to detach this resource?": "Είστε βέβαιοι ότι θέλετε να αποσυνδέσετε αυτόν τον πόρο;", + "Are you sure you want to force delete the selected resources?": "Είστε βέβαιοι ότι θέλετε να αναγκάσετε να διαγράψετε τους επιλεγμένους πόρους;", + "Are you sure you want to force delete this resource?": "Είστε βέβαιοι ότι θέλετε να αναγκάσετε να διαγράψετε αυτόν τον πόρο;", + "Are you sure you want to restore the selected resources?": "Είστε βέβαιοι ότι θέλετε να επαναφέρετε τους επιλεγμένους πόρους;", + "Are you sure you want to restore this resource?": "Είστε βέβαιοι ότι θέλετε να επαναφέρετε αυτόν τον πόρο;", + "Are you sure you want to run this action?": "Είστε βέβαιοι ότι θέλετε να εκτελέσετε αυτήν την ενέργεια;", + "Argentina": "Αργεντινή", + "Armenia": "Αρμενία", + "Aruba": "Αρούμπα", + "Attach": "Επισυνάψετε", + "Attach & Attach Another": "Επισύναψη & Επισύναψη Άλλου", + "Attach :resource": "Επισύναψη :resource", + "August": "Αυγούστου", + "Australia": "Αυστραλία", + "Austria": "Αυστρία", + "Azerbaijan": "Αζερμπαϊτζάν", + "Bahamas": "Μπαχάμες", + "Bahrain": "Μπαχρέιν", + "Bangladesh": "Μπαγκλαντές", + "Barbados": "Μπαρμπάντος", + "Belarus": "Λευκορωσία", + "Belgium": "Βέλγιο", + "Belize": "Μπελίζ", + "Benin": "Μπενίν", + "Bermuda": "Βερμούδα", + "Bhutan": "Μπουτάν", + "Bolivia": "Βολιβία", + "Bonaire, Sint Eustatius and Saba": "Μποναίρ, Άγιος Ευστάθιος και Σάμπα", + "Bosnia And Herzegovina": "Βοσνία-Ερζεγοβίνη", + "Botswana": "Μποτσουάνα", + "Bouvet Island": "Νήσος Μπουβέ", + "Brazil": "Βραζιλία", + "British Indian Ocean Territory": "Βρετανικό Έδαφος Ινδικού Ωκεανού", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Βουλγαρία", + "Burkina Faso": "Μπουρκίνα Φάσο", + "Burundi": "Μπουρούντι", + "Cambodia": "Καμπότζη", + "Cameroon": "Καμερούν", + "Canada": "Καναδά", + "Cancel": "Ακύρωση", + "Cape Verde": "Δημοκρατία του Κάμπου Βέρντε", + "Cayman Islands": "Νήσοι Κέιμαν", + "Central African Republic": "Κεντροαφρικανική Δημοκρατία", + "Chad": "Τσαντ", + "Changes": "Αλλαγές", + "Chile": "Χιλή", + "China": "Κίνα", + "Choose": "Επιλέξετε", + "Choose :field": "Επιλέξτε :field", + "Choose :resource": "Επιλέξτε :resource", + "Choose an option": "Επιλέξτε μια επιλογή", + "Choose date": "Επιλέξτε ημερομηνία", + "Choose File": "Επιλογή Αρχείου", + "Choose Type": "Επιλέξτε Τύπο", + "Christmas Island": "Νησί Των Χριστουγέννων", + "Click to choose": "Κάντε κλικ για να επιλέξετε", + "Cocos (Keeling) Islands": "Νήσοι Κόκος (Κίλινγκ)", + "Colombia": "Κολομβία", + "Comoros": "Κομόρες", + "Confirm Password": "Επιβεβαίωση Κωδικού", + "Congo": "Κονγκό", + "Congo, Democratic Republic": "Λαϊκή Δημοκρατία Του Κονγκό", + "Constant": "Σταθερή", + "Cook Islands": "Νήσοι Κουκ", + "Costa Rica": "Κόστα Ρίκα", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "δεν βρέθηκε.", + "Create": "Δημιουργήσετε", + "Create & Add Another": "Δημιουργία & Προσθήκη Άλλου", + "Create :resource": "Δημιουργία :resource", + "Croatia": "Κροατία", + "Cuba": "Κούβα", + "Curaçao": "Κουρασάο", + "Customize": "Προσαρμογή", + "Cyprus": "Κύπρος", + "Czech Republic": "Τσεχία", + "Dashboard": "Πίνακας", + "December": "Δεκεμβρίου", + "Decrease": "Μειώσετε", + "Delete": "Διαγράψετε", + "Delete File": "Διαγραφή Αρχείου", + "Delete Resource": "Διαγραφή Πόρου", + "Delete Selected": "Διαγραφή Επιλεγμένων", + "Denmark": "Δανία", + "Detach": "Αποσυνδέσετε", + "Detach Resource": "Αποσύνδεση Πόρου", + "Detach Selected": "Αποσύνδεση Επιλεγμένων", + "Details": "Στοιχεία", + "Djibouti": "Τζιμπουτί", + "Do you really want to leave? You have unsaved changes.": "Θέλετε πραγματικά να φύγετε; Έχετε μη αποθηκευμένες αλλαγές.", + "Dominica": "Ντομίνικα", + "Dominican Republic": "Δομινικανή Δημοκρατία", + "Download": "Λήψη", + "Ecuador": "Εκουαδόρ", + "Edit": "Επεξεργασία", + "Edit :resource": "Επεξεργασία :resource", + "Edit Attached": "Επεξεργασία Συνημμένου", + "Egypt": "Αίγυπτος", + "El Salvador": "Σαλβαδόρ", + "Email Address": "διεύθυνση", + "Equatorial Guinea": "Ισημερινή Γουινέα", + "Eritrea": "Ερυθραία", + "Estonia": "Εσθονία", + "Ethiopia": "Αιθιοπία", + "Falkland Islands (Malvinas)": "Νήσοι Φώκλαντ (Μαλβίνες)", + "Faroe Islands": "Φερόε", + "February": "Φεβρουαρίου", + "Fiji": "Φίτζι", + "Finland": "Φινλανδία", + "Force Delete": "Δύναμη Διαγραφή", + "Force Delete Resource": "Δύναμη Διαγραφή Πόρων", + "Force Delete Selected": "Εξαναγκασμός Διαγραφής Επιλεγμένου", + "Forgot Your Password?": "Ξεχάσατε τον κωδικό σας;", + "Forgot your password?": "Ξεχάσατε τον κωδικό σας;", + "France": "Γαλλία", + "French Guiana": "Γαλλική Γουιάνα", + "French Polynesia": "Γαλλική Πολυνησία", + "French Southern Territories": "Γαλλικά Νότια Εδάφη", + "Gabon": "Γκαμπόν", + "Gambia": "Γκάμπια", + "Georgia": "Γεωργία", + "Germany": "Γερμανία", + "Ghana": "Γκάνα", + "Gibraltar": "Γιβραλτάρ", + "Go Home": "Πήγαινε στην αρχική", + "Greece": "Ελλάδα", + "Greenland": "Γροιλανδία", + "Grenada": "Γρενάδα", + "Guadeloupe": "Γουαδελούπη", + "Guam": "Γκουάμ", + "Guatemala": "Γουατεμάλα", + "Guernsey": "Γκέρνσεϊ", + "Guinea": "Γουϊνέα", + "Guinea-Bissau": "Γουινέα-Μπισάου", + "Guyana": "Γουιάνα", + "Haiti": "Αϊτή", + "Heard Island & Mcdonald Islands": "Νήσοι Χερντ και Μακντόναλντ", + "Hide Content": "Απόκρυψη Περιεχομένου", + "Hold Up!": "Περίμενε!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Ονδούρα", + "Hong Kong": "Χονγκ Κονγκ", + "Hungary": "Ουγγαρία", + "Iceland": "Ισλανδία", + "ID": "ΑΝΑΓΝΩΡΙΣΤΙΚΌ", + "If you did not request a password reset, no further action is required.": "Εάν δεν ζητήσατε επαναφορά κωδικού πρόσβασης, δεν απαιτείται περαιτέρω ενέργεια.", + "Increase": "Αυξάνει", + "India": "Ινδία", + "Indonesia": "Ινδονησία", + "Iran, Islamic Republic Of": "Ιράν", + "Iraq": "Ιράκ", + "Ireland": "Ιρλανδία", + "Isle Of Man": "Νήσος του Μαν", + "Israel": "Ισραήλ", + "Italy": "Ιταλία", + "Jamaica": "Τζαμάικα", + "January": "Ιανουαρίου", + "Japan": "Ιαπωνία", + "Jersey": "Τζέρσεϋ", + "Jordan": "Ιορδάνης", + "July": "Ιουλίου", + "June": "Ιουνίου", + "Kazakhstan": "Καζαχστάν", + "Kenya": "Κένυα", + "Key": "Πλήκτρο", + "Kiribati": "Κιριμπάτι", + "Korea": "Κορέα", + "Korea, Democratic People's Republic of": "Βόρεια Κορέα", + "Kosovo": "Κοσσυφοπέδιο", + "Kuwait": "Κουβέιτ", + "Kyrgyzstan": "Κιργιζία", + "Lao People's Democratic Republic": "Λάος", + "Latvia": "Λεττονία", + "Lebanon": "Λίβανος", + "Lens": "Φακός", + "Lesotho": "Λεσότο", + "Liberia": "Λιβερία", + "Libyan Arab Jamahiriya": "Λιβύη", + "Liechtenstein": "Λιχτενστάιν", + "Lithuania": "Λιθουανία", + "Load :perPage More": "Φορτώστε :perσελίδα περισσότερα", + "Login": "Είσοδος", + "Logout": "Έξοδος", + "Luxembourg": "Λουξεμβούργο", + "Macao": "Μακάο", + "Macedonia": "Βόρεια Μακεδονία", + "Madagascar": "Μαδαγασκάρη", + "Malawi": "Μαλάουι", + "Malaysia": "Μαλαισία", + "Maldives": "Μαλδίβες", + "Mali": "Μικρό", + "Malta": "Μάλτα", + "March": "Μαρτίου", + "Marshall Islands": "Νήσοι Μάρσαλ", + "Martinique": "Μαρτινίκα", + "Mauritania": "Μαυριτανία", + "Mauritius": "Μαυρίκιος", + "May": "Μπορεί", + "Mayotte": "Μαγιότ", + "Mexico": "Μεξικό", + "Micronesia, Federated States Of": "Μικρονησία", + "Moldova": "Μολδαβία", + "Monaco": "Μονακό", + "Mongolia": "Μογγολία", + "Montenegro": "Μαυροβούνιο", + "Month To Date": "Μήνας Μέχρι Σήμερα", + "Montserrat": "Μοντσεράτ", + "Morocco": "Μαρόκο", + "Mozambique": "Μοζαμβίκη", + "Myanmar": "Μιανμάρ", + "Namibia": "Ναμίμπια", + "Nauru": "Ναουρού", + "Nepal": "Νεπάλ", + "Netherlands": "Ολλανδία", + "New": "Νέα", + "New :resource": "Νέο :resource", + "New Caledonia": "Νέα Καληδονία", + "New Zealand": "Νέα Ζηλανδία", + "Next": "Επόμενη", + "Nicaragua": "Νικαράγουα", + "Niger": "Νίγηρας", + "Nigeria": "Νιγηρία", + "Niue": "Νιούε", + "No": "Όχι", + "No :resource matched the given criteria.": "Ο αριθμός :resource αντιστοιχούσε στα συγκεκριμένα κριτήρια.", + "No additional information...": "Δεν υπάρχουν πρόσθετες πληροφορίες...", + "No Current Data": "Δεν Υπάρχουν Τρέχοντα Δεδομένα", + "No Data": "Δεν Υπάρχουν Δεδομένα", + "no file selected": "δεν επιλέχθηκε αρχείο", + "No Increase": "Καμία Αύξηση", + "No Prior Data": "Δεν Υπάρχουν Προηγούμενα Δεδομένα", + "No Results Found.": "Δεν Βρέθηκαν Αποτελέσματα.", + "Norfolk Island": "Νήσος Νόρφολκ", + "Northern Mariana Islands": "Νήσοι Βόρειες Μαριάνες", + "Norway": "Νορβηγία", + "Nova User": "Χρήστης Nova", + "November": "Νοεμβρίου", + "October": "Οκτωβρίου", + "of": "του", + "Oman": "Ομάν", + "Only Trashed": "Μόνο Κατεστραμμένο", + "Original": "Αρχική", + "Pakistan": "Πακιστάν", + "Palau": "Παλάου", + "Palestinian Territory, Occupied": "Παλαιστινιακά Εδάφη", + "Panama": "Παναμά", + "Papua New Guinea": "Παπουασία-Νέα Γουινέα", + "Paraguay": "Παραγουάη", + "Password": "Κωδικός", + "Per Page": "Ανά Σελίδα", + "Peru": "Περού", + "Philippines": "Φιλιππίνων", + "Pitcairn": "Νήσοι Πίτκερν", + "Poland": "Πολωνία", + "Portugal": "Πορτογαλία", + "Press \/ to search": "Πατήστε \/ για αναζήτηση", + "Preview": "Προεπισκόπηση", + "Previous": "Προηγούμενη", + "Puerto Rico": "Πουέρτο Ρίκο", + "Qatar": "Qatar", + "Quarter To Date": "Τρίμηνο Μέχρι Σήμερα", + "Reload": "Φορτώσετε", + "Remember Me": "Μείνετε συνδεμένοι", + "Reset Filters": "Επαναφορά Φίλτρων", + "Reset Password": "Επαναφορά Κωδικού", + "Reset Password Notification": "Ειδοποίηση επαναφοράς κωδικού", + "resource": "πόρος", + "Resources": "Πόρων", + "resources": "πόρων", + "Restore": "Επαναφορά", + "Restore Resource": "Επαναφορά Πόρων", + "Restore Selected": "Επαναφορά Επιλεγμένων", + "Reunion": "Συνάντηση", + "Romania": "Ρουμανία", + "Run Action": "Εκτέλεση Δράσης", + "Russian Federation": "Ρωσική Ομοσπονδία", + "Rwanda": "Ρουάντα", + "Saint Barthelemy": "Άγιος Βαρθολομαίος", + "Saint Helena": "Αγία Ελένη", + "Saint Kitts And Nevis": "Άγιος Χριστόφορος και Νέβις", + "Saint Lucia": "Αγία Λουκία", + "Saint Martin": "Άγιος Μαρτίνος", + "Saint Pierre And Miquelon": "Σαιν Πιέρ και Μικελόν", + "Saint Vincent And Grenadines": "Άγιος Βικέντιος και Γρεναδίνες", + "Samoa": "Σαμόα", + "San Marino": "Μαρίνος", + "Sao Tome And Principe": "Σάο Τομέ και Πρίνσιπε", + "Saudi Arabia": "Σαουδική", + "Search": "Αναζήτηση", + "Select Action": "Επιλογή Ενέργειας", + "Select All": "Επιλογή Όλων", + "Select All Matching": "Επιλέξτε Όλα Ταιριάζουν", + "Send Password Reset Link": "Αποστολή συνδέσμου επαναφοράς κωδικού πρόσβασης", + "Senegal": "Σενεγάλη", + "September": "Σεπτεμβρίου", + "Serbia": "Σερβία", + "Seychelles": "Σεϋχέλλες", + "Show All Fields": "Εμφάνιση Όλων Των Πεδίων", + "Show Content": "Εμφάνιση Περιεχομένου", + "Sierra Leone": "Σιέρα Λεόνε", + "Singapore": "Σιγκαπούρη", + "Sint Maarten (Dutch part)": "Άγιος Μαρτίνος", + "Slovakia": "Σλοβακία", + "Slovenia": "Σλοβενία", + "Solomon Islands": "Νήσοι Σολομώντος", + "Somalia": "Σομαλία", + "Something went wrong.": "Κάτι πήγε στραβά.", + "Sorry! You are not authorized to perform this action.": "Συγγνώμη! Δεν είστε εξουσιοδοτημένοι να εκτελέσετε αυτήν την ενέργεια.", + "Sorry, your session has expired.": "Λυπάμαι, η συνεδρία σας έχει λήξει.", + "South Africa": "Νότια Αφρική", + "South Georgia And Sandwich Isl.": "Νότια Γεωργία και Νότιες Νήσοι Σάντουιτς", + "South Sudan": "Νότιο Σουδάν", + "Spain": "Ισπανία", + "Sri Lanka": "Σρι Λάνκα", + "Start Polling": "Έναρξη Ψηφοφορίας", + "Stop Polling": "Σταματήστε Τις Δημοσκοπήσεις", + "Sudan": "Σουδάν", + "Suriname": "Σουρινάμ", + "Svalbard And Jan Mayen": "Svalbard και Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Σουηδία", + "Switzerland": "Ελβετία", + "Syrian Arab Republic": "Συρία", + "Taiwan": "Ταϊβάν", + "Tajikistan": "Τατζικιστάν", + "Tanzania": "Τανζανία", + "Thailand": "Ταϊλάνδη", + "The :resource was created!": "Το :resource δημιουργήθηκε!", + "The :resource was deleted!": "Το :resource διαγράφηκε!", + "The :resource was restored!": "Το :resource αποκαταστάθηκε!", + "The :resource was updated!": "Το :resource ενημερώθηκε!", + "The action ran successfully!": "Η δράση έτρεξε με επιτυχία!", + "The file was deleted!": "Το αρχείο διαγράφηκε!", + "The government won't let us show you what's behind these doors": "Η κυβέρνηση δεν θα μας αφήσει να σας δείξουμε τι είναι πίσω από αυτές τις πόρτες", + "The HasOne relationship has already been filled.": "Η σχέση HasOne έχει ήδη συμπληρωθεί.", + "The resource was updated!": "Ο πόρος ενημερώθηκε!", + "There are no available options for this resource.": "Δεν υπάρχουν διαθέσιμες επιλογές για αυτόν τον πόρο.", + "There was a problem executing the action.": "Υπήρξε πρόβλημα εκτέλεσης της ενέργειας.", + "There was a problem submitting the form.": "Υπήρχε ένα πρόβλημα με την υποβολή της φόρμας.", + "This file field is read-only.": "Αυτό το πεδίο αρχείου είναι μόνο για ανάγνωση.", + "This image": "Αυτή η εικόνα", + "This resource no longer exists": "Αυτός ο πόρος δεν υπάρχει πλέον", + "Timor-Leste": "Τιμόρ-Λέστε", + "Today": "Σήμερα", + "Togo": "Τόγκο", + "Tokelau": "Τοκελάου", + "Tonga": "Έρχεται", + "total": "συνολική", + "Trashed": "Άχρηστα", + "Trinidad And Tobago": "Τρινιδάδ και Τομπάγκο", + "Tunisia": "Τυνησία", + "Turkey": "Τουρκία", + "Turkmenistan": "Τουρκμενιστάν", + "Turks And Caicos Islands": "Νήσοι Τερκς και Κάικος", + "Tuvalu": "Τουβαλού", + "Uganda": "Ουγκάντα", + "Ukraine": "Ουκρανία", + "United Arab Emirates": "Ηνωμένα Αραβικά Εμιράτα", + "United Kingdom": "Βρετανία", + "United States": "ΗΠΑ", + "United States Outlying Islands": "ΗΠΑ Απομακρυσμένα Νησιά", + "Update": "Ενημερωμένη", + "Update & Continue Editing": "Ενημέρωση & Συνέχιση Επεξεργασίας", + "Update :resource": "Ενημέρωση :resource", + "Update :resource: :title": "Ενημέρωση :resource: :title", + "Update attached :resource: :title": "Ενημέρωση συνημμένο :resource: :title", + "Uruguay": "Ουρουγουάη", + "Uzbekistan": "Ουζμπεκιστάν", + "Value": "Τιμή", + "Vanuatu": "Βανουάτου", + "Venezuela": "Βενεζουέλα", + "Viet Nam": "Vietnam", + "View": "Προβολή", + "Virgin Islands, British": "Βρετανικές Παρθένοι Νήσοι", + "Virgin Islands, U.S.": "Αμερικανικές Παρθένοι Νήσοι", + "Wallis And Futuna": "Γουόλις και Φουτούνα", + "We're lost in space. The page you were trying to view does not exist.": "Χαθήκαμε στο διάστημα. Η σελίδα που προσπαθούσατε να δείτε δεν υπάρχει.", + "Welcome Back!": "Καλώς Ήρθατε Και Πάλι!", + "Western Sahara": "Δυτική Σαχάρα", + "Whoops": "Ουπς", + "Whoops!": "Ουπς!", + "With Trashed": "Με Τα Σκουπίδια", + "Write": "Εγγραφή", + "Year To Date": "Έτος Μέχρι Σήμερα", + "Yemen": "Υεμένη", + "Yes": "Ναι.", + "You are receiving this email because we received a password reset request for your account.": "Λαμβάνετε αυτό το μήνυμα ηλεκτρονικού ταχυδρομείου επειδή λάβαμε ένα αίτημα επαναφοράς κωδικού πρόσβασης για το λογαριασμό σας.", + "Zambia": "Ζάμπια", + "Zimbabwe": "Ζιμπάμπουε" +} diff --git a/locales/el/packages/spark-paddle.json b/locales/el/packages/spark-paddle.json new file mode 100644 index 00000000000..9c2511cf9e4 --- /dev/null +++ b/locales/el/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Όροι Παροχής Υπηρεσιών", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Ουπς! Κάτι πήγε στραβά.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/el/packages/spark-stripe.json b/locales/el/packages/spark-stripe.json new file mode 100644 index 00000000000..4c0dff455fa --- /dev/null +++ b/locales/el/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Αφγανιστάν", + "Albania": "Αλβανία", + "Algeria": "Αλγερία", + "American Samoa": "Αμερικανική Σαμόα", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Ανδόρας", + "Angola": "Αγκόλα", + "Anguilla": "Ανγκουίλλα", + "Antarctica": "Ανταρκτική", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Αργεντινή", + "Armenia": "Αρμενία", + "Aruba": "Αρούμπα", + "Australia": "Αυστραλία", + "Austria": "Αυστρία", + "Azerbaijan": "Αζερμπαϊτζάν", + "Bahamas": "Μπαχάμες", + "Bahrain": "Μπαχρέιν", + "Bangladesh": "Μπαγκλαντές", + "Barbados": "Μπαρμπάντος", + "Belarus": "Λευκορωσία", + "Belgium": "Βέλγιο", + "Belize": "Μπελίζ", + "Benin": "Μπενίν", + "Bermuda": "Βερμούδα", + "Bhutan": "Μπουτάν", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Μποτσουάνα", + "Bouvet Island": "Νήσος Μπουβέ", + "Brazil": "Βραζιλία", + "British Indian Ocean Territory": "Βρετανικό Έδαφος Ινδικού Ωκεανού", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Βουλγαρία", + "Burkina Faso": "Μπουρκίνα Φάσο", + "Burundi": "Μπουρούντι", + "Cambodia": "Καμπότζη", + "Cameroon": "Καμερούν", + "Canada": "Καναδά", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Δημοκρατία του Κάμπου Βέρντε", + "Card": "Κάρτα", + "Cayman Islands": "Νήσοι Κέιμαν", + "Central African Republic": "Κεντροαφρικανική Δημοκρατία", + "Chad": "Τσαντ", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Χιλή", + "China": "Κίνα", + "Christmas Island": "Νησί Των Χριστουγέννων", + "City": "City", + "Cocos (Keeling) Islands": "Νήσοι Κόκος (Κίλινγκ)", + "Colombia": "Κολομβία", + "Comoros": "Κομόρες", + "Confirm Payment": "Επιβεβαιώστε Την Πληρωμή", + "Confirm your :amount payment": "Επιβεβαιώστε την πληρωμή :amount σας", + "Congo": "Κονγκό", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Νήσοι Κουκ", + "Costa Rica": "Κόστα Ρίκα", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Κροατία", + "Cuba": "Κούβα", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Κύπρος", + "Czech Republic": "Τσεχία", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Δανία", + "Djibouti": "Τζιμπουτί", + "Dominica": "Ντομίνικα", + "Dominican Republic": "Δομινικανή Δημοκρατία", + "Download Receipt": "Download Receipt", + "Ecuador": "Εκουαδόρ", + "Egypt": "Αίγυπτος", + "El Salvador": "Σαλβαδόρ", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Ισημερινή Γουινέα", + "Eritrea": "Ερυθραία", + "Estonia": "Εσθονία", + "Ethiopia": "Αιθιοπία", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Απαιτείται επιπλέον επιβεβαίωση για την επεξεργασία της πληρωμής σας. Συνεχίστε στη σελίδα πληρωμής κάνοντας κλικ στο παρακάτω κουμπί.", + "Falkland Islands (Malvinas)": "Νήσοι Φώκλαντ (Μαλβίνες)", + "Faroe Islands": "Φερόε", + "Fiji": "Φίτζι", + "Finland": "Φινλανδία", + "France": "Γαλλία", + "French Guiana": "Γαλλική Γουιάνα", + "French Polynesia": "Γαλλική Πολυνησία", + "French Southern Territories": "Γαλλικά Νότια Εδάφη", + "Gabon": "Γκαμπόν", + "Gambia": "Γκάμπια", + "Georgia": "Γεωργία", + "Germany": "Γερμανία", + "Ghana": "Γκάνα", + "Gibraltar": "Γιβραλτάρ", + "Greece": "Ελλάδα", + "Greenland": "Γροιλανδία", + "Grenada": "Γρενάδα", + "Guadeloupe": "Γουαδελούπη", + "Guam": "Γκουάμ", + "Guatemala": "Γουατεμάλα", + "Guernsey": "Γκέρνσεϊ", + "Guinea": "Γουϊνέα", + "Guinea-Bissau": "Γουινέα-Μπισάου", + "Guyana": "Γουιάνα", + "Haiti": "Αϊτή", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Ονδούρα", + "Hong Kong": "Χονγκ Κονγκ", + "Hungary": "Ουγγαρία", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Ισλανδία", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Ινδία", + "Indonesia": "Ινδονησία", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Ιράκ", + "Ireland": "Ιρλανδία", + "Isle of Man": "Isle of Man", + "Israel": "Ισραήλ", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Ιταλία", + "Jamaica": "Τζαμάικα", + "Japan": "Ιαπωνία", + "Jersey": "Τζέρσεϋ", + "Jordan": "Ιορδάνης", + "Kazakhstan": "Καζαχστάν", + "Kenya": "Κένυα", + "Kiribati": "Κιριμπάτι", + "Korea, Democratic People's Republic of": "Βόρεια Κορέα", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Κουβέιτ", + "Kyrgyzstan": "Κιργιζία", + "Lao People's Democratic Republic": "Λάος", + "Latvia": "Λεττονία", + "Lebanon": "Λίβανος", + "Lesotho": "Λεσότο", + "Liberia": "Λιβερία", + "Libyan Arab Jamahiriya": "Λιβύη", + "Liechtenstein": "Λιχτενστάιν", + "Lithuania": "Λιθουανία", + "Luxembourg": "Λουξεμβούργο", + "Macao": "Μακάο", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Μαδαγασκάρη", + "Malawi": "Μαλάουι", + "Malaysia": "Μαλαισία", + "Maldives": "Μαλδίβες", + "Mali": "Μικρό", + "Malta": "Μάλτα", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Νήσοι Μάρσαλ", + "Martinique": "Μαρτινίκα", + "Mauritania": "Μαυριτανία", + "Mauritius": "Μαυρίκιος", + "Mayotte": "Μαγιότ", + "Mexico": "Μεξικό", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Μονακό", + "Mongolia": "Μογγολία", + "Montenegro": "Μαυροβούνιο", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Μοντσεράτ", + "Morocco": "Μαρόκο", + "Mozambique": "Μοζαμβίκη", + "Myanmar": "Μιανμάρ", + "Namibia": "Ναμίμπια", + "Nauru": "Ναουρού", + "Nepal": "Νεπάλ", + "Netherlands": "Ολλανδία", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Νέα Καληδονία", + "New Zealand": "Νέα Ζηλανδία", + "Nicaragua": "Νικαράγουα", + "Niger": "Νίγηρας", + "Nigeria": "Νιγηρία", + "Niue": "Νιούε", + "Norfolk Island": "Νήσος Νόρφολκ", + "Northern Mariana Islands": "Νήσοι Βόρειες Μαριάνες", + "Norway": "Νορβηγία", + "Oman": "Ομάν", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Πακιστάν", + "Palau": "Παλάου", + "Palestinian Territory, Occupied": "Παλαιστινιακά Εδάφη", + "Panama": "Παναμά", + "Papua New Guinea": "Παπουασία-Νέα Γουινέα", + "Paraguay": "Παραγουάη", + "Payment Information": "Payment Information", + "Peru": "Περού", + "Philippines": "Φιλιππίνων", + "Pitcairn": "Νήσοι Πίτκερν", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Πολωνία", + "Portugal": "Πορτογαλία", + "Puerto Rico": "Πουέρτο Ρίκο", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Ρουμανία", + "Russian Federation": "Ρωσική Ομοσπονδία", + "Rwanda": "Ρουάντα", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Αγία Ελένη", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Αγία Λουκία", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Σαμόα", + "San Marino": "Μαρίνος", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Σαουδική", + "Save": "Αποθηκεύσετε", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Σενεγάλη", + "Serbia": "Σερβία", + "Seychelles": "Σεϋχέλλες", + "Sierra Leone": "Σιέρα Λεόνε", + "Signed in as": "Signed in as", + "Singapore": "Σιγκαπούρη", + "Slovakia": "Σλοβακία", + "Slovenia": "Σλοβενία", + "Solomon Islands": "Νήσοι Σολομώντος", + "Somalia": "Σομαλία", + "South Africa": "Νότια Αφρική", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Ισπανία", + "Sri Lanka": "Σρι Λάνκα", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Σουδάν", + "Suriname": "Σουρινάμ", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Σουηδία", + "Switzerland": "Ελβετία", + "Syrian Arab Republic": "Συρία", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Τατζικιστάν", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Όροι Παροχής Υπηρεσιών", + "Thailand": "Ταϊλάνδη", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Τιμόρ-Λέστε", + "Togo": "Τόγκο", + "Tokelau": "Τοκελάου", + "Tonga": "Έρχεται", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Τυνησία", + "Turkey": "Τουρκία", + "Turkmenistan": "Τουρκμενιστάν", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Τουβαλού", + "Uganda": "Ουγκάντα", + "Ukraine": "Ουκρανία", + "United Arab Emirates": "Ηνωμένα Αραβικά Εμιράτα", + "United Kingdom": "Βρετανία", + "United States": "ΗΠΑ", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Ενημερωμένη", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Ουρουγουάη", + "Uzbekistan": "Ουζμπεκιστάν", + "Vanuatu": "Βανουάτου", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Βρετανικές Παρθένοι Νήσοι", + "Virgin Islands, U.S.": "Αμερικανικές Παρθένοι Νήσοι", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Δυτική Σαχάρα", + "Whoops! Something went wrong.": "Ουπς! Κάτι πήγε στραβά.", + "Yearly": "Yearly", + "Yemen": "Υεμένη", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Ζάμπια", + "Zimbabwe": "Ζιμπάμπουε", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/es/es.json b/locales/es/es.json index d18ea271f2e..2456b1cdf25 100644 --- a/locales/es/es.json +++ b/locales/es/es.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Días", - "60 Days": "60 Días", - "90 Days": "90 Días", - ":amount Total": ":amount Total", - ":days day trial": "prueba por :days days", - ":resource Details": "Detalles del :resource", - ":resource Details: :title": "Detalles del :resource : :title", "A fresh verification link has been sent to your email address.": "Se ha enviado un nuevo enlace de verificación a su correo electrónico.", - "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.", - "Accept Invitation": "Aceptar invitación", - "Action": "Acción", - "Action Happened At": "La acción sucedió a las", - "Action Initiated By": "La acción inició a las", - "Action Name": "Nombre de la acción", - "Action Status": "Estado de la acción", - "Action Target": "Objetivo de la acción", - "Actions": "Acciones", - "Add": "Añadir", - "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 additional security to your account using two factor authentication.": "Agregue seguridad adicional a su cuenta mediante la autenticación de dos factores.", - "Add row": "Añadir fila", - "Add Team Member": "Añadir un nuevo miembro al equipo", - "Add VAT Number": "Agregar número VAT", - "Added.": "Añadido.", - "Address": "Dirección", - "Address Line 2": "Dirección de la línea 2", - "Administrator": "Administrador", - "Administrator users can perform any action.": "Los administradores pueden realizar cualquier acción.", - "Afghanistan": "Afganistán", - "Aland Islands": "Islas Aland", - "Albania": "Albania", - "Algeria": "Algeria", - "All of the people that are part of this team.": "Todas las personas que forman parte de este equipo.", - "All resources loaded.": "Todos los recursos cargados.", - "All rights reserved.": "Todos los derechos reservados.", - "Already registered?": "¿Ya se registró?", - "American Samoa": "Samoa Americana", - "An error occured while uploading the file.": "Ocurrio un error al subir el archivo.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "Se produjo un error inesperado y hemos notificado a nuestro equipo de soporte. Por favor intente de nuevo más tarde.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Anguila", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Otro usuario ha modificado el recurso desde que esta página fue cargada. Por favor refresque la página e intente nuevamente.", - "Antarctica": "Antártica", - "Antigua and Barbuda": "Antigua y Barbuda", - "Antigua And Barbuda": "Antigua y Barbuda", - "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.", - "April": "Abril", - "Are you sure you want to delete the selected resources?": "¿Está seguro de que desea eliminar los recursos seleccionados?", - "Are you sure you want to delete this file?": "¿Está seguro de que desea eliminar este archivo?", - "Are you sure you want to delete this resource?": "¿Está seguro de que desea eliminar este recurso?", - "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 want to detach the selected resources?": "¿Está seguro que desea desvincular los recursos seleccionados?", - "Are you sure you want to detach this resource?": "¿Está seguro que desea desvincular este recurso?", - "Are you sure you want to force delete the selected resources?": "¿Está seguro que desea forzar la eliminación de los recurso seleccionados?", - "Are you sure you want to force delete this resource?": "¿Está seguro que desea forzar la eliminación de este recurso?", - "Are you sure you want to restore the selected resources?": "¿Está seguro que desea restaurar los recursos seleccionados?", - "Are you sure you want to restore this resource?": "¿Está seguro que desea restaurar este recurso?", - "Are you sure you want to run this action?": "¿Está seguro que desea ejecutar esta acción?", - "Are you sure you would like to delete this API token?": "¿Está seguro que desea eliminar este token API?", - "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?", - "Argentina": "Argentina", - "Armenia": "Armenia", - "Aruba": "Aruba", - "Attach": "Adjuntar", - "Attach & Attach Another": "Adjuntar & adjuntar otro", - "Attach :resource": "Adjuntar :resource", - "August": "Agosto", - "Australia": "Australia", - "Austria": "Austria", - "Azerbaijan": "Azerbaijan", - "Bahamas": "Bahamas", - "Bahrain": "Bahrain", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Antes de continuar, por favor, confirme su correo electrónico con el enlace de verificación que le fue enviado.", - "Belarus": "Bielorrusia", - "Belgium": "Bélgica", - "Belize": "Belice", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bután", - "Billing Information": "Información de facturación", - "Billing Management": "Gestión de facturación", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Bolivia, Estado Plurinacional de", - "Bonaire, Sint Eustatius and Saba": "Bonaire, San Eustaquio y Saba", - "Bosnia And Herzegovina": "Bosnia y Herzegovina", - "Bosnia and Herzegovina": "Bosnia y Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Isla Bouvet", - "Brazil": "Brasil", - "British Indian Ocean Territory": "Territorio Británico del Océano Índico", - "Browser Sessions": "Sesiones del navegador", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgaria", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Camboya", - "Cameroon": "Camerún", - "Canada": "Canadá", - "Cancel": "Cancelar", - "Cancel Subscription": "Cancelar suscripción", - "Cape Verde": "Cabo Verde", - "Card": "Tarjeta", - "Cayman Islands": "Islas Caimán", - "Central African Republic": "República Centroafricana", - "Chad": "Chad", - "Change Subscription Plan": "Cambiar plan de suscripción", - "Changes": "Cambios", - "Chile": "Chile", - "China": "China", - "Choose": "Elija", - "Choose :field": "Elija :field", - "Choose :resource": "Elija :resource", - "Choose an option": "Elija una opción", - "Choose date": "Elija fecha", - "Choose File": "Elija archivo", - "Choose Type": "Elija tipo", - "Christmas Island": "Isla de Navidad", - "City": "Ciudad", "click here to request another": "haga clic aquí para solicitar otro", - "Click to choose": "Haga click para elegir", - "Close": "Cerrar", - "Cocos (Keeling) Islands": "Islas Cocos (Keeling)", - "Code": "Código", - "Colombia": "Colombia", - "Comoros": "Comoros", - "Confirm": "Confirmar", - "Confirm Password": "Confirmar contraseña", - "Confirm Payment": "Confirmar pago", - "Confirm your :amount payment": "Confirme su pago de :amount", - "Congo": "Congo", - "Congo, Democratic Republic": "República democrática del Congo", - "Congo, the Democratic Republic of the": "Congo, República Democrática del", - "Constant": "Constante", - "Cook Islands": "Islas Cook", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Costa de Marfil", - "could not be found.": "no se pudo encontrar.", - "Country": "País", - "Coupon": "Cupón", - "Create": "Crear", - "Create & Add Another": "Crear & Añadir otro", - "Create :resource": "Crear :resource", - "Create a new team to collaborate with others on projects.": "Cree un nuevo equipo para colaborar con otros en proyectos.", - "Create Account": "Crear cuenta", - "Create API Token": "Crear Token API", - "Create New Team": "Crear nuevo equipo", - "Create Team": "Crear equipo", - "Created.": "Creado.", - "Croatia": "Croacia", - "Cuba": "Cuba", - "Curaçao": "Curazao", - "Current Password": "Contraseña actual", - "Current Subscription Plan": "Plan de suscripción actual", - "Currently Subscribed": "Suscrito actualmente", - "Customize": "Personalizar ", - "Cyprus": "Chipre", - "Czech Republic": "República Checa", - "Côte d'Ivoire": "Costa de Marfil", - "Dashboard": "Panel", - "December": "Diciembre", - "Decrease": "Disminuir", - "Delete": "Eliminar", - "Delete Account": "Borrar cuenta", - "Delete API Token": "Borrar token API", - "Delete File": "Borrar archivo", - "Delete Resource": "Eliminar recurso", - "Delete Selected": "Eliminar seleccionado", - "Delete Team": "Borrar equipo", - "Denmark": "Dinamarca", - "Detach": "Desvincular", - "Detach Resource": "Desvincular recurso", - "Detach Selected": "Desvincular selección", - "Details": "Detalles", - "Disable": "Deshabilitar", - "Djibouti": "Yibuti", - "Do you really want to leave? You have unsaved changes.": "¿Realmente desea salir? Aún hay cambios sin guardar.", - "Dominica": "Dominica", - "Dominican Republic": "República Dominicana", - "Done.": "Hecho.", - "Download": "Descargar", - "Download Receipt": "Descargar recibo", "E-Mail Address": "Correo Electrónico", - "Ecuador": "Ecuador", - "Edit": "Editar", - "Edit :resource": "Editar :resource", - "Edit Attached": "Editar Adjunto", - "Editor": "Editor", - "Editor users have the ability to read, create, and update.": "Los editores están habilitados para leer, crear y actualizar.", - "Egypt": "Egipto", - "El Salvador": "El Salvador", - "Email": "Correo electrónico", - "Email Address": "Correo electrónico", - "Email Addresses": "Correos electrónicos", - "Email Password Reset Link": "Enviar enlace para restablecer contraseña", - "Enable": "Habilitar", - "Ensure your account is using a long, random password to stay secure.": "Asegúrese que su cuenta esté usando una contraseña larga y aleatoria para mantenerse seguro.", - "Equatorial Guinea": "Guinea Ecuatorial", - "Eritrea": "Eritrea", - "Estonia": "Estonia", - "Ethiopia": "Etiopía", - "ex VAT": "sin VAT", - "Extra Billing Information": "Información de facturación adicional", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Se necesita confirmación adicional para procesar su pago. Confirme su pago completando los detalles a continuación.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Se necesita confirmación adicional para procesar su pago. Continúe a la página de pago haciendo clic en el botón de abajo.", - "Falkland Islands (Malvinas)": "Malvinas (Falkland Islands)", - "Faroe Islands": "Islas Feroe", - "February": "Febrero", - "Fiji": "Fiyi", - "Finland": "Finlandia", - "For your security, please confirm your password to continue.": "Por su seguridad, confirme su contraseña para continuar.", "Forbidden": "Prohibido", - "Force Delete": "Forzar la eliminación", - "Force Delete Resource": "Forzar la eliminación del recurso", - "Force Delete Selected": "Forzar la eliminación de la selección", - "Forgot Your 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.", - "France": "Francia", - "French Guiana": "Guayana Francesa", - "French Polynesia": "Polinesia Francesa", - "French Southern Territories": "Tierras Australes y Antárticas Francesas", - "Full name": "Nombre completo", - "Gabon": "Gabón", - "Gambia": "Gambia", - "Georgia": "Georgia", - "Germany": "Alemania", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Ir atrás", - "Go Home": "Ir a inicio", "Go to page :page": "Ir a la página :page", - "Great! You have accepted the invitation to join the :team team.": "¡Genial! Usted ha aceptado la invitación para unirse al equipo :team.", - "Greece": "Grecia", - "Greenland": "Groenlandia", - "Grenada": "Grenada", - "Guadeloupe": "Guadalupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bisáu", - "Guyana": "Guyana", - "Haiti": "Haití", - "Have a coupon code?": "¿Tiene un código de descuento?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "¿Tiene dudas sobre la cancelación de su suscripción? Puede reactivar instantáneamente su suscripción en cualquier momento hasta el final de su ciclo de facturación actual. Una vez que finalice su ciclo de facturación actual, puede elegir un plan de suscripción completamente nuevo.", - "Heard Island & Mcdonald Islands": "Islas Heard y McDonald", - "Heard Island and McDonald Islands": "Islas Heard y McDonald", "Hello!": "¡Hola!", - "Hide Content": "Ocultar contenido", - "Hold Up!": "En espera!", - "Holy See (Vatican City State)": "Ciudad del Vaticano", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Hungría", - "I agree to the :terms_of_service and :privacy_policy": "Acepto los :terms_of_service y la :privacy_policy", - "Iceland": "Islandia", - "ID": "ID", - "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 necessary, you may logout 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 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 receive the email": "Si no ha recibido el 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "Si necesita agregar información de contacto específica o de impuestos a sus recibos, como su nombre comercial completo, número de identificación VAT o dirección de registro, puede agregarlo aquí.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Si tiene problemas para hacer clic en el botón \":actionText\", copie y pegue la siguiente URL \nen su navegador web:", - "Increase": "Incrementar", - "India": "India", - "Indonesia": "Indonesia", "Invalid signature.": "Firma no válida.", - "Iran, Islamic Republic of": "Irán, República Islámica de", - "Iran, Islamic Republic Of": "República Islámica de Irán", - "Iraq": "Iraq", - "Ireland": "Irlanda", - "Isle of Man": "Isla de Man", - "Isle Of Man": "Isla de Man", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "Parece que no tiene una suscripción activa. Puede elegir uno de los planes de suscripción a continuación para comenzar. Los planes de suscripción se pueden cambiar o cancelar según su conveniencia.", - "Italy": "Italia", - "Jamaica": "Jamaica", - "January": "Enero", - "Japan": "Japón", - "Jersey": "Jersey", - "Jordan": "Jordán", - "July": "Julio", - "June": "Junio", - "Kazakhstan": "Kazajistán", - "Kenya": "Kenya", - "Key": "Clave", - "Kiribati": "Kiribati", - "Korea": "Corea del Sur", - "Korea, Democratic People's Republic of": "Corea del Norte", - "Korea, Republic of": "Corea, República de", - "Kosovo": "Kosovo", - "Kuwait": "Kuwait", - "Kyrgyzstan": "Kirguistán", - "Lao People's Democratic Republic": "Laos, República Democrática Popular de", - "Last active": "Activo por última vez", - "Last used": "Usado por última vez", - "Latvia": "Letonia", - "Leave": "Abandonar", - "Leave Team": "Abandonar equipo", - "Lebanon": "Líbano", - "Lens": "Lens", - "Lesotho": "Lesoto", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libia", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Lituania", - "Load :perPage More": "Cargar :perPage Mas", - "Log in": "Iniciar sesión", "Log out": "Finalizar sesión", - "Log Out": "Finalizar sesión", - "Log Out Other Browser Sessions": "Cerrar las demás sesiones", - "Login": "Iniciar sesión", - "Logout": "Finalizar sesión", "Logout Other Browser Sessions": "Cerrar las demás sesiones", - "Luxembourg": "Luxemburgo", - "Macao": "Macao", - "Macedonia": "Macedonia", - "Macedonia, the former Yugoslav Republic of": "Macedonia, ex República Yugoslava de", - "Madagascar": "Madagascar", - "Malawi": "Malaui", - "Malaysia": "Malasia", - "Maldives": "Maldivas", - "Mali": "Malí", - "Malta": "Malta", - "Manage Account": "Administrar cuenta", - "Manage and log out your active sessions on other browsers and devices.": "Administre y cierre sus sesiones activas en otros navegadores y dispositivos.", "Manage and logout 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 Role": "Administrar rol", - "Manage Team": "Administrar equipo", - "Managing billing for :billableName": "Gestionando la facturación de :billableName", - "March": "Marzo", - "Marshall Islands": "Islas Marshall", - "Martinique": "Martinica", - "Mauritania": "Mauritania", - "Mauritius": "Mauricio", - "May": "Mayo", - "Mayotte": "Mayotte", - "Mexico": "México", - "Micronesia, Federated States Of": "Micronesia, Estados Federados de", - "Moldova": "Moldavia", - "Moldova, Republic of": "Moldavia, República de", - "Monaco": "Mónaco", - "Mongolia": "Mongolia", - "Montenegro": "Montenegro", - "Month To Date": "Mes hasta la fecha", - "Monthly": "Mensual", - "monthly": "mensual", - "Montserrat": "Montserrat", - "Morocco": "Marruecos", - "Mozambique": "Mozambique", - "Myanmar": "Myanmar", - "Name": "Nombre", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Países Bajos​", - "Netherlands Antilles": "Antillas Holandesas", "Nevermind": "Olvidar", - "Nevermind, I'll keep my old plan": "No importa, mantendré mi antiguo plan", - "New": "Nuevo", - "New :resource": "Nuevo :resource", - "New Caledonia": "Nueva Caledonia", - "New Password": "Nueva Contraseña", - "New Zealand": "Nueva Zelanda", - "Next": "Siguiente", - "Nicaragua": "Nicaragua", - "Niger": "Níger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "No", - "No :resource matched the given criteria.": "Ningún :resource coincide con los criterios.", - "No additional information...": "Sin información adicional...", - "No Current Data": "Sin datos actuales", - "No Data": "No hay datos", - "no file selected": "no se seleccionó el archivo", - "No Increase": "No incrementar", - "No Prior Data": "No hay datos previos", - "No Results Found.": "No se encontraron resultados.", - "Norfolk Island": "Isla Norfolk", - "Northern Mariana Islands": "Islas Marianas del Norte", - "Norway": "Noruega", "Not Found": "No encontrado", - "Nova User": "Usuario Nova", - "November": "Noviembre", - "October": "Octubre", - "of": "de", "Oh no": "Oh no", - "Oman": "Omán", - "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 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 su cuenta sea borrada, 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 Trashed": "Solo en papelera", - "Original": "Original", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Nuestro portal de administración de facturación le permite administrar cómodamente su plan de suscripción, método de pago y descargar sus facturas recientes.", "Page Expired": "Página expirada", "Pagination Navigation": "Navegación por los enlaces de paginación", - "Pakistan": "Pakistán", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Territorios Palestinos", - "Panama": "Panamá", - "Papua New Guinea": "Papúa Nueva Guinea", - "Paraguay": "Paraguay", - "Password": "Contraseña", - "Pay :amount": "Pague :amount", - "Payment Cancelled": "Pago cancelado", - "Payment Confirmation": "Confirmación de pago", - "Payment Information": "Información del pago", - "Payment Successful": "Pago exitoso", - "Pending Team Invitations": "Invitaciones de equipo pendientes", - "Per Page": "Por Página", - "Permanently delete this team.": "Eliminar este equipo de forma permanente", - "Permanently delete your account.": "Eliminar su cuenta de forma permanente.", - "Permissions": "Permisos", - "Peru": "Perú", - "Philippines": "Filipinas", - "Photo": "Foto", - "Pitcairn": "Islas Pitcairn", "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 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 your password before continuing.": "Por favor confirme su contraseña antes de continuar.", - "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 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 enter your password to confirm you would like to logout 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 provide a maximum of three receipt emails addresses.": "Proporcione un máximo de tres direcciones para recibir correo electrónico.", - "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 provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Por favor proporcione la dirección de correo electrónico de la persona que le gustaría agregar a este equipo. La dirección de correo electrónico debe estar asociada a una cuenta existente.", - "Please provide your name.": "Por favor proporcione su nombre.", - "Poland": "Polonia", - "Portugal": "Portugal", - "Press \/ to search": "Presione \/ para buscar", - "Preview": "Previsualizar", - "Previous": "Previo", - "Privacy Policy": "Política de Privacidad", - "Profile": "Perfil", - "Profile Information": "Información de perfil", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Trimestre hasta la fecha", - "Receipt Email Addresses": "Direcciones para recibir correo electrónico", - "Receipts": "Recibos", - "Recovery Code": "Código de recuperación", "Regards": "Saludos", - "Regenerate Recovery Codes": "Regenerar códigos de recuperación", - "Register": "Registrarse", - "Reload": "Recargar", - "Remember me": "Mantener sesión activa", - "Remember Me": "Mantener sesión activa", - "Remove": "Eliminar", - "Remove Photo": "Eliminar foto", - "Remove Team Member": "Eliminar miembro del equipo", - "Resend Verification Email": "Reenviar correo de verificación", - "Reset Filters": "Restablecer filtros", - "Reset Password": "Restablecer contraseña", - "Reset Password Notification": "Notificación de restablecimiento de contraseña", - "resource": "recurso", - "Resources": "Recursos", - "resources": "recursos", - "Restore": "Restaurar", - "Restore Resource": "Restaurar Recursos", - "Restore Selected": "Restaurar Selección", "results": "resultados", - "Resume Subscription": "Reanudar suscripción", - "Return to :appName": "Regresar a :appName", - "Reunion": "Reunión", - "Role": "Rol", - "Romania": "Rumania", - "Run Action": "Ejecutar Acción", - "Russian Federation": "Federación Rusa", - "Rwanda": "Ruanda", - "Réunion": "Reunión", - "Saint Barthelemy": "San Bartolomé", - "Saint Barthélemy": "San Bartolomé", - "Saint Helena": "Santa Helena", - "Saint Kitts and Nevis": "Saint Kitts y Nevis", - "Saint Kitts And Nevis": "San Cristóbal y Nieves", - "Saint Lucia": "Santa Lucía", - "Saint Martin": "San Martín", - "Saint Martin (French part)": "San Martín (parte francesa)", - "Saint Pierre and Miquelon": "San Pedro y Miquelón", - "Saint Pierre And Miquelon": "San Pedro y Miquelón", - "Saint Vincent And Grenadines": "San Vicente y las Granadinas", - "Saint Vincent and the Grenadines": "San Vicente y las Granadinas", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Santo Tomé y Príncipe", - "Sao Tome And Principe": "Santo Tomé y Príncipe", - "Saudi Arabia": "Arabia Saudita", - "Save": "Guardar", - "Saved.": "Guardado.", - "Search": "Buscar", - "Select": "Seleccione", - "Select a different plan": "Seleccione un plan diferente", - "Select A New Photo": "Seleccione una nueva foto", - "Select Action": "Seleccione una Acción", - "Select All": "Seleccione Todo", - "Select All Matching": "Seleccione Todas las coincidencias", - "Send Password Reset Link": "Enviar enlace para restablecer la contraseña", - "Senegal": "Senegal", - "September": "Septiembre", - "Serbia": "Serbia", "Server Error": "Error del servidor", "Service Unavailable": "Servicio no disponible", - "Seychelles": "Seychelles", - "Show All Fields": "Mostrar todos los campos", - "Show Content": "Mostrar contenido", - "Show Recovery Codes": "Mostrar códigos de recuperación", "Showing": "Mostrando", - "Sierra Leone": "Sierra Leona", - "Signed in as": "Registrado como", - "Singapore": "Singapur", - "Sint Maarten (Dutch part)": "San Martín", - "Slovakia": "Eslovaquia", - "Slovenia": "Eslovenia", - "Solomon Islands": "Islas Salomón", - "Somalia": "Somalia", - "Something went wrong.": "Algo salió mal.", - "Sorry! You are not authorized to perform this action.": "¡Lo siento! Usted no está autorizado para ejecutar esta acción.", - "Sorry, your session has expired.": "Lo siento, su sesión ha caducado.", - "South Africa": "Sudáfrica", - "South Georgia And Sandwich Isl.": "Islas Georgias del Sur y Sandwich del Sur", - "South Georgia and the South Sandwich Islands": "Georgia del sur y las islas Sandwich del sur", - "South Sudan": "Sudán del Sur", - "Spain": "España", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Iniciar encuesta", - "State \/ County": "Estado \/ País", - "Stop Polling": "Detener encuesta", - "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.", - "Subscribe": "Suscriba", - "Subscription Information": "Información de suscripción", - "Sudan": "Sudán", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard y Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Suecia", - "Switch Teams": "Cambiar de equipo", - "Switzerland": "Suiza", - "Syrian Arab Republic": "Siria", - "Taiwan": "Taiwán", - "Taiwan, Province of China": "Taiwan, provincia de China", - "Tajikistan": "Tayikistán", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Tanzania, República Unida de", - "Team Details": "Detalles del equipo", - "Team Invitation": "Invitación de equipo", - "Team Members": "Miembros del equipo", - "Team Name": "Nombre del equipo", - "Team Owner": "Propietario del equipo", - "Team Settings": "Ajustes del equipo", - "Terms of Service": "Términos del servicio", - "Thailand": "Tailandia", - "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 registrarse! Antes de comenzar, ¿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.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Gracias por su apoyo continuo. Hemos adjuntado una copia de su factura para sus registros. Háganos saber si tiene alguna pregunta o inquietud.", - "Thanks,": "Gracias,", - "The :attribute must be a valid role.": ":Attribute debe ser un rol válido.", - "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 and one number.": "La :attribute debe tener al menos :length caracteres y contener por lo menos un caracter especial y 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.", - "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 at least :length characters and contain at least one uppercase character, one number, and one special character.": "La :attribute debe tener al menos :length caracteres y contener por lo menos una letra mayúscula, un número y un carácter especial.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": "La :attribute debe tener al menos :length caracteres y contener por lo menos una letra mayúscula.", - "The :attribute must be at least :length characters.": "La :attribute debe tener al menos :length caracteres.", "The :attribute must contain at least one letter.": "La :attribute debe contener al menos una letra.", "The :attribute must contain at least one number.": "La :attribute debe contener al menos un número.", "The :attribute must contain at least one symbol.": "La :attribute debe contener al menos un símbolo.", "The :attribute must contain at least one uppercase and one lowercase letter.": "La :attribute debe contener al menos una letra mayúscula y una minúscula.", - "The :resource was created!": "¡El :resource fue creado!", - "The :resource was deleted!": "¡El :resource fue eliminado!", - "The :resource was restored!": "¡El :resource fue restaurado!", - "The :resource was updated!": "¡El :resource fue actualizado!", - "The action ran successfully!": "¡La acción se ejecutó correctamente!", - "The file was deleted!": "¡El archivo fue eliminado!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "La :attribute proporcionada se ha visto comprometida en una filtración de datos (data leak). Elija una :attribute diferente.", - "The government won't let us show you what's behind these doors": "El gobierno no nos permitirá mostrarle lo que hay detrás de estas puertas", - "The HasOne relationship has already been filled.": "La relación HasOne ya fué completada.", - "The payment was successful.": "El pago fue exitoso.", - "The provided coupon code is invalid.": "El código de cupón proporcionado no es válido.", - "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 VAT number is invalid.": "El número VAT proporcionado no es válido.", - "The receipt emails must be valid email addresses.": "Los correos electrónicos de recepción deben ser direcciones válidas.", - "The resource was updated!": "¡El recurso fue actualizado!", - "The selected country is invalid.": "El país seleccionado no es válido.", - "The selected plan is invalid.": "El plan seleccionado no es válido.", - "The team's name and owner information.": "Nombre del equipo e información del propietario.", - "There are no available options for this resource.": "No hay opciones disponibles para este recurso.", - "There was a problem executing the action.": "Hubo un problema ejecutando la acción.", - "There was a problem submitting the form.": "Hubo un problema al enviar el formulario.", - "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.", - "This account does not have an active subscription.": "Esta cuenta no tiene una suscripción activa.", "This action is unauthorized.": "Esta acción no está autorizada.", - "This device": "Este dispositivo", - "This file field is read-only.": "Este campo de archivo es de solo lectura.", - "This image": "Esta imagen", - "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 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 payment was already successfully confirmed.": "Este pago ya se confirmó con éxito.", - "This payment was cancelled.": "Este pago fue cancelado.", - "This resource no longer exists": "Este recurso ya no existe", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "Esta suscripción ha caducado y no se puede reanudar. Cree una nueva suscripción.", - "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.", - "Timor-Leste": "Timor Oriental", "to": "al", - "Today": "Hoy", "Toggle navigation": "Activar navegación", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Nombre del token", - "Tonga": "Tonga", "Too Many Attempts.": "Demasiados intentos", "Too Many Requests": "Demasiadas peticiones", - "total": "total", - "Total:": "Total:", - "Trashed": "Desechado", - "Trinidad And Tobago": "Trinidad y Tobago", - "Tunisia": "Tunisia", - "Turkey": "Turquía", - "Turkmenistan": "Turkmenistán", - "Turks and Caicos Islands": "Islas Turcas y Caicos", - "Turks And Caicos Islands": "Islas Turcas y Caicos", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Autenticación de dos factores", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "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.", - "Uganda": "Uganda", - "Ukraine": "Ucrania", "Unauthorized": "No autorizado", - "United Arab Emirates": "Emiratos Árabes Unidos", - "United Kingdom": "Reino Unido", - "United States": "Estados Unidos", - "United States Minor Outlying Islands": "Islas Ultramarinas Menores de los Estados Unidos", - "United States Outlying Islands": "Islas Ultramarinas Menores de los Estados Unidos", - "Update": "Actualizar", - "Update & Continue Editing": "Actualice & Continúe Editando", - "Update :resource": "Actualizar :resource", - "Update :resource: :title": "Actualice el :title del :resource:", - "Update attached :resource: :title": "Actualice el :title del :resource: adjuntado", - "Update Password": "Actualizar contraseña", - "Update Payment Information": "Actualizar la información de pago", - "Update your account's profile information and email address.": "Actualice la información de su cuenta y la dirección de correo electrónico", - "Uruguay": "Uruguay", - "Use a recovery code": "Use un código de recuperación", - "Use an authentication code": "Use un código de autenticación", - "Uzbekistan": "Uzbekistan", - "Value": "Valor", - "Vanuatu": "Vanuatu", - "VAT Number": "Número VAT", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, República Bolivariana de", "Verify Email Address": "Confirme su correo electrónico", "Verify Your Email Address": "Verifique su correo electrónico", - "Viet Nam": "Vietnam", - "View": "Vista", - "Virgin Islands, British": "Islas Vírgenes Británicas", - "Virgin Islands, U.S.": "Islas Vírgenes Estadounidenses", - "Wallis and Futuna": "Wallis y Futuna", - "Wallis And Futuna": "Wallis y Futuna", - "We are unable to process your payment. Please contact customer support.": "No podemos procesar su pago. Comuníquese con el servicio de atención al cliente.", - "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 will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "Enviaremos un enlace de descarga de recibo a las direcciones de correo electrónico que especifique a continuación. Puede separar varias direcciones de correo electrónico con comas.", "We won't ask for your password again for a few hours.": "No pediremos su contraseña de nuevo por unas horas.", - "We're lost in space. The page you were trying to view does not exist.": "Estamos perdidos en el espacio. La página que intenta buscar no existe.", - "Welcome Back!": "¡Bienvenido de nuevo!", - "Western Sahara": "Sahara Occidental", - "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.", - "Whoops": "Ups", - "Whoops!": "¡Ups!", - "Whoops! Something went wrong.": "¡Ups! Algo salió mal.", - "With Trashed": "Incluida la papelera", - "Write": "Escriba", - "Year To Date": "Año hasta la fecha", - "Yearly": "Anual", - "Yemen": "Yemen", - "Yes": "Sí", - "You are currently within your free trial period. Your trial will expire on :date.": "Actualmente se encuentra dentro de su período de prueba gratuito. Su prueba vencerá el :date.", "You are logged in!": "¡Ha iniciado sesión!", - "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 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 may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "Puedes cancelar tu subscripción en cualquier momento. Una vez que su suscripción haya sido cancelada, tendrá la opción de reanudar la suscripción hasta el final de su ciclo de facturación actual.", - "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ó.", - "Your :invoiceName invoice is now available!": "¡Su factura :invoiceName ya está disponible!", - "Your card was declined. Please contact your card issuer for more information.": "Su tarjeta fue rechazada. Comuníquese con el emisor de su tarjeta para obtener más información.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Su método de pago actual es una tarjeta de crédito que termina en :lastFour que vence el :expiration.", - "Your email address is not verified.": "Su dirección de correo electrónico no está verificada.", - "Your registered VAT Number is :vatNumber.": "Su número VAT registrado es :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Código postal" + "Your email address is not verified.": "Su dirección de correo electrónico no está verificada." } diff --git a/locales/es/packages/cashier.json b/locales/es/packages/cashier.json new file mode 100644 index 00000000000..3154d87c022 --- /dev/null +++ b/locales/es/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Todos los derechos reservados.", + "Card": "Tarjeta", + "Confirm Payment": "Confirmar pago", + "Confirm your :amount payment": "Confirme su pago de :amount", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Se necesita confirmación adicional para procesar su pago. Confirme su pago completando los detalles a continuación.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Se necesita confirmación adicional para procesar su pago. Continúe a la página de pago haciendo clic en el botón de abajo.", + "Full name": "Nombre completo", + "Go back": "Ir atrás", + "Jane Doe": "Jane Doe", + "Pay :amount": "Pague :amount", + "Payment Cancelled": "Pago cancelado", + "Payment Confirmation": "Confirmación de pago", + "Payment Successful": "Pago exitoso", + "Please provide your name.": "Por favor proporcione su nombre.", + "The payment was successful.": "El pago fue exitoso.", + "This payment was already successfully confirmed.": "Este pago ya se confirmó con éxito.", + "This payment was cancelled.": "Este pago fue cancelado." +} diff --git a/locales/es/packages/fortify.json b/locales/es/packages/fortify.json new file mode 100644 index 00000000000..8c1f199e438 --- /dev/null +++ b/locales/es/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and one number.": "La :attribute debe tener al menos :length caracteres y contener por lo menos un caracter especial y 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.", + "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 at least :length characters and contain at least one uppercase character, one number, and one special character.": "La :attribute debe tener al menos :length caracteres y contener por lo menos una letra mayúscula, un número y un carácter especial.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "La :attribute debe tener al menos :length caracteres y contener por lo menos una letra mayúscula.", + "The :attribute must be at least :length characters.": "La :attribute debe tener al menos :length caracteres.", + "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." +} diff --git a/locales/es/packages/jetstream.json b/locales/es/packages/jetstream.json new file mode 100644 index 00000000000..98253cc3822 --- /dev/null +++ b/locales/es/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "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.", + "Accept Invitation": "Aceptar invitación", + "Add": "Añadir", + "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 additional security to your account using two factor authentication.": "Agregue seguridad adicional a su cuenta mediante la autenticación de dos factores.", + "Add Team Member": "Añadir un nuevo miembro al equipo", + "Added.": "Añadido.", + "Administrator": "Administrador", + "Administrator users can perform any action.": "Los administradores pueden realizar cualquier acción.", + "All of the people that are part of this team.": "Todas las personas que forman parte de este equipo.", + "Already registered?": "¿Ya se registró?", + "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.", + "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 delete this API token?": "¿Está seguro que desea eliminar este token API?", + "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?", + "Browser Sessions": "Sesiones del navegador", + "Cancel": "Cancelar", + "Close": "Cerrar", + "Code": "Código", + "Confirm": "Confirmar", + "Confirm Password": "Confirmar contraseña", + "Create": "Crear", + "Create a new team to collaborate with others on projects.": "Cree un nuevo equipo para colaborar con otros en proyectos.", + "Create Account": "Crear cuenta", + "Create API Token": "Crear Token API", + "Create New Team": "Crear nuevo equipo", + "Create Team": "Crear equipo", + "Created.": "Creado.", + "Current Password": "Contraseña actual", + "Dashboard": "Panel", + "Delete": "Eliminar", + "Delete Account": "Borrar cuenta", + "Delete API Token": "Borrar token API", + "Delete Team": "Borrar equipo", + "Disable": "Deshabilitar", + "Done.": "Hecho.", + "Editor": "Editor", + "Editor users have the ability to read, create, and update.": "Los editores están habilitados para leer, crear y actualizar.", + "Email": "Correo electrónico", + "Email Password Reset Link": "Enviar enlace para restablecer contraseña", + "Enable": "Habilitar", + "Ensure your account is using a long, random password to stay secure.": "Asegúrese que su cuenta esté usando una contraseña larga y aleatoria para mantenerse seguro.", + "For your security, please confirm your password to continue.": "Por su seguridad, confirme su contraseña para continuar.", + "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.", + "Great! You have accepted the invitation to join the :team team.": "¡Genial! Usted ha aceptado la invitación para unirse al equipo :team.", + "I agree to the :terms_of_service and :privacy_policy": "Acepto los :terms_of_service y la :privacy_policy", + "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 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 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 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:", + "Last active": "Activo por última vez", + "Last used": "Usado por última vez", + "Leave": "Abandonar", + "Leave Team": "Abandonar equipo", + "Log in": "Iniciar sesión", + "Log Out": "Finalizar sesión", + "Log Out Other Browser Sessions": "Cerrar las demás sesiones", + "Manage Account": "Administrar cuenta", + "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 Role": "Administrar rol", + "Manage Team": "Administrar equipo", + "Name": "Nombre", + "New Password": "Nueva Contraseña", + "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 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 su cuenta sea borrada, 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.", + "Password": "Contraseña", + "Pending Team Invitations": "Invitaciones de equipo pendientes", + "Permanently delete this team.": "Eliminar este equipo de forma permanente", + "Permanently delete your account.": "Eliminar su cuenta de forma permanente.", + "Permissions": "Permisos", + "Photo": "Foto", + "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 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 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 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.", + "Privacy Policy": "Política de Privacidad", + "Profile": "Perfil", + "Profile Information": "Información de perfil", + "Recovery Code": "Código de recuperación", + "Regenerate Recovery Codes": "Regenerar códigos de recuperación", + "Register": "Registrarse", + "Remember me": "Mantener sesión activa", + "Remove": "Eliminar", + "Remove Photo": "Eliminar foto", + "Remove Team Member": "Eliminar miembro del equipo", + "Resend Verification Email": "Reenviar correo de verificación", + "Reset Password": "Restablecer contraseña", + "Role": "Rol", + "Save": "Guardar", + "Saved.": "Guardado.", + "Select A New Photo": "Seleccione una nueva foto", + "Show Recovery Codes": "Mostrar códigos de recuperación", + "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.", + "Switch Teams": "Cambiar de equipo", + "Team Details": "Detalles del equipo", + "Team Invitation": "Invitación de equipo", + "Team Members": "Miembros del equipo", + "Team Name": "Nombre del equipo", + "Team Owner": "Propietario del equipo", + "Team Settings": "Ajustes del equipo", + "Terms of Service": "Términos del servicio", + "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 registrarse! Antes de comenzar, ¿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.", + "The :attribute must be a valid role.": ":Attribute debe ser un rol válido.", + "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 and one number.": "La :attribute debe tener al menos :length caracteres y contener por lo menos un caracter especial y 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.", + "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 at least :length characters and contain at least one uppercase character, one number, and one special character.": "La :attribute debe tener al menos :length caracteres y contener por lo menos una letra mayúscula, un número y un carácter especial.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "La :attribute debe tener al menos :length caracteres y contener por lo menos una letra mayúscula.", + "The :attribute must be at least :length characters.": "La :attribute debe tener al menos :length caracteres.", + "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 team's name and owner information.": "Nombre del equipo e información del propietario.", + "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.", + "This device": "Este dispositivo", + "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 password does not match our records.": "Esta contraseña no coincide con nuestros registros.", + "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.", + "Token Name": "Nombre del token", + "Two Factor Authentication": "Autenticación de dos factores", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "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.", + "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", + "Use a recovery code": "Use un código de recuperación", + "Use an authentication code": "Use un código de autenticación", + "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.", + "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.", + "Whoops! Something went wrong.": "¡Ups! Algo salió mal.", + "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 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.": "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ó." +} diff --git a/locales/es/packages/nova.json b/locales/es/packages/nova.json new file mode 100644 index 00000000000..63244e804e1 --- /dev/null +++ b/locales/es/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Días", + "60 Days": "60 Días", + "90 Days": "90 Días", + ":amount Total": ":amount Total", + ":resource Details": "Detalles del :resource", + ":resource Details: :title": "Detalles del :resource : :title", + "Action": "Acción", + "Action Happened At": "La acción sucedió a las", + "Action Initiated By": "La acción inició a las", + "Action Name": "Nombre de la acción", + "Action Status": "Estado de la acción", + "Action Target": "Objetivo de la acción", + "Actions": "Acciones", + "Add row": "Añadir fila", + "Afghanistan": "Afganistán", + "Aland Islands": "Islas Aland", + "Albania": "Albania", + "Algeria": "Algeria", + "All resources loaded.": "Todos los recursos cargados.", + "American Samoa": "Samoa Americana", + "An error occured while uploading the file.": "Ocurrio un error al subir el archivo.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguila", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Otro usuario ha modificado el recurso desde que esta página fue cargada. Por favor refresque la página e intente nuevamente.", + "Antarctica": "Antártica", + "Antigua And Barbuda": "Antigua y Barbuda", + "April": "Abril", + "Are you sure you want to delete the selected resources?": "¿Está seguro de que desea eliminar los recursos seleccionados?", + "Are you sure you want to delete this file?": "¿Está seguro de que desea eliminar este archivo?", + "Are you sure you want to delete this resource?": "¿Está seguro de que desea eliminar este recurso?", + "Are you sure you want to detach the selected resources?": "¿Está seguro que desea desvincular los recursos seleccionados?", + "Are you sure you want to detach this resource?": "¿Está seguro que desea desvincular este recurso?", + "Are you sure you want to force delete the selected resources?": "¿Está seguro que desea forzar la eliminación de los recurso seleccionados?", + "Are you sure you want to force delete this resource?": "¿Está seguro que desea forzar la eliminación de este recurso?", + "Are you sure you want to restore the selected resources?": "¿Está seguro que desea restaurar los recursos seleccionados?", + "Are you sure you want to restore this resource?": "¿Está seguro que desea restaurar este recurso?", + "Are you sure you want to run this action?": "¿Está seguro que desea ejecutar esta acción?", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Attach": "Adjuntar", + "Attach & Attach Another": "Adjuntar & adjuntar otro", + "Attach :resource": "Adjuntar :resource", + "August": "Agosto", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Bielorrusia", + "Belgium": "Bélgica", + "Belize": "Belice", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bután", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, San Eustaquio y Saba", + "Bosnia And Herzegovina": "Bosnia y Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Isla Bouvet", + "Brazil": "Brasil", + "British Indian Ocean Territory": "Territorio Británico del Océano Índico", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Camboya", + "Cameroon": "Camerún", + "Canada": "Canadá", + "Cancel": "Cancelar", + "Cape Verde": "Cabo Verde", + "Cayman Islands": "Islas Caimán", + "Central African Republic": "República Centroafricana", + "Chad": "Chad", + "Changes": "Cambios", + "Chile": "Chile", + "China": "China", + "Choose": "Elija", + "Choose :field": "Elija :field", + "Choose :resource": "Elija :resource", + "Choose an option": "Elija una opción", + "Choose date": "Elija fecha", + "Choose File": "Elija archivo", + "Choose Type": "Elija tipo", + "Christmas Island": "Isla de Navidad", + "Click to choose": "Haga click para elegir", + "Cocos (Keeling) Islands": "Islas Cocos (Keeling)", + "Colombia": "Colombia", + "Comoros": "Comoros", + "Confirm Password": "Confirmar contraseña", + "Congo": "Congo", + "Congo, Democratic Republic": "República democrática del Congo", + "Constant": "Constante", + "Cook Islands": "Islas Cook", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Costa de Marfil", + "could not be found.": "no se pudo encontrar.", + "Create": "Crear", + "Create & Add Another": "Crear & Añadir otro", + "Create :resource": "Crear :resource", + "Croatia": "Croacia", + "Cuba": "Cuba", + "Curaçao": "Curazao", + "Customize": "Personalizar ", + "Cyprus": "Chipre", + "Czech Republic": "República Checa", + "Dashboard": "Panel", + "December": "Diciembre", + "Decrease": "Disminuir", + "Delete": "Eliminar", + "Delete File": "Borrar archivo", + "Delete Resource": "Eliminar recurso", + "Delete Selected": "Eliminar seleccionado", + "Denmark": "Dinamarca", + "Detach": "Desvincular", + "Detach Resource": "Desvincular recurso", + "Detach Selected": "Desvincular selección", + "Details": "Detalles", + "Djibouti": "Yibuti", + "Do you really want to leave? You have unsaved changes.": "¿Realmente desea salir? Aún hay cambios sin guardar.", + "Dominica": "Dominica", + "Dominican Republic": "República Dominicana", + "Download": "Descargar", + "Ecuador": "Ecuador", + "Edit": "Editar", + "Edit :resource": "Editar :resource", + "Edit Attached": "Editar Adjunto", + "Egypt": "Egipto", + "El Salvador": "El Salvador", + "Email Address": "Correo electrónico", + "Equatorial Guinea": "Guinea Ecuatorial", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Etiopía", + "Falkland Islands (Malvinas)": "Malvinas (Falkland Islands)", + "Faroe Islands": "Islas Feroe", + "February": "Febrero", + "Fiji": "Fiyi", + "Finland": "Finlandia", + "Force Delete": "Forzar la eliminación", + "Force Delete Resource": "Forzar la eliminación del recurso", + "Force Delete Selected": "Forzar la eliminación de la selección", + "Forgot Your Password?": "¿Olvidó su Contraseña?", + "Forgot your password?": "¿Olvidó su contraseña?", + "France": "Francia", + "French Guiana": "Guayana Francesa", + "French Polynesia": "Polinesia Francesa", + "French Southern Territories": "Tierras Australes y Antárticas Francesas", + "Gabon": "Gabón", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Alemania", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "Ir a inicio", + "Greece": "Grecia", + "Greenland": "Groenlandia", + "Grenada": "Grenada", + "Guadeloupe": "Guadalupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bisáu", + "Guyana": "Guyana", + "Haiti": "Haití", + "Heard Island & Mcdonald Islands": "Islas Heard y McDonald", + "Hide Content": "Ocultar contenido", + "Hold Up!": "En espera!", + "Holy See (Vatican City State)": "Ciudad del Vaticano", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungría", + "Iceland": "Islandia", + "ID": "ID", + "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.", + "Increase": "Incrementar", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic Of": "República Islámica de Irán", + "Iraq": "Iraq", + "Ireland": "Irlanda", + "Isle Of Man": "Isla de Man", + "Israel": "Israel", + "Italy": "Italia", + "Jamaica": "Jamaica", + "January": "Enero", + "Japan": "Japón", + "Jersey": "Jersey", + "Jordan": "Jordán", + "July": "Julio", + "June": "Junio", + "Kazakhstan": "Kazajistán", + "Kenya": "Kenya", + "Key": "Clave", + "Kiribati": "Kiribati", + "Korea": "Corea del Sur", + "Korea, Democratic People's Republic of": "Corea del Norte", + "Kosovo": "Kosovo", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kirguistán", + "Lao People's Democratic Republic": "Laos, República Democrática Popular de", + "Latvia": "Letonia", + "Lebanon": "Líbano", + "Lens": "Lens", + "Lesotho": "Lesoto", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libia", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lituania", + "Load :perPage More": "Cargar :perPage Mas", + "Login": "Iniciar sesión", + "Logout": "Finalizar sesión", + "Luxembourg": "Luxemburgo", + "Macao": "Macao", + "Macedonia": "Macedonia", + "Madagascar": "Madagascar", + "Malawi": "Malaui", + "Malaysia": "Malasia", + "Maldives": "Maldivas", + "Mali": "Malí", + "Malta": "Malta", + "March": "Marzo", + "Marshall Islands": "Islas Marshall", + "Martinique": "Martinica", + "Mauritania": "Mauritania", + "Mauritius": "Mauricio", + "May": "Mayo", + "Mayotte": "Mayotte", + "Mexico": "México", + "Micronesia, Federated States Of": "Micronesia, Estados Federados de", + "Moldova": "Moldavia", + "Monaco": "Mónaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Month To Date": "Mes hasta la fecha", + "Montserrat": "Montserrat", + "Morocco": "Marruecos", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Países Bajos​", + "New": "Nuevo", + "New :resource": "Nuevo :resource", + "New Caledonia": "Nueva Caledonia", + "New Zealand": "Nueva Zelanda", + "Next": "Siguiente", + "Nicaragua": "Nicaragua", + "Niger": "Níger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "No", + "No :resource matched the given criteria.": "Ningún :resource coincide con los criterios.", + "No additional information...": "Sin información adicional...", + "No Current Data": "Sin datos actuales", + "No Data": "No hay datos", + "no file selected": "no se seleccionó el archivo", + "No Increase": "No incrementar", + "No Prior Data": "No hay datos previos", + "No Results Found.": "No se encontraron resultados.", + "Norfolk Island": "Isla Norfolk", + "Northern Mariana Islands": "Islas Marianas del Norte", + "Norway": "Noruega", + "Nova User": "Usuario Nova", + "November": "Noviembre", + "October": "Octubre", + "of": "de", + "Oman": "Omán", + "Only Trashed": "Solo en papelera", + "Original": "Original", + "Pakistan": "Pakistán", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Territorios Palestinos", + "Panama": "Panamá", + "Papua New Guinea": "Papúa Nueva Guinea", + "Paraguay": "Paraguay", + "Password": "Contraseña", + "Per Page": "Por Página", + "Peru": "Perú", + "Philippines": "Filipinas", + "Pitcairn": "Islas Pitcairn", + "Poland": "Polonia", + "Portugal": "Portugal", + "Press \/ to search": "Presione \/ para buscar", + "Preview": "Previsualizar", + "Previous": "Previo", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Trimestre hasta la fecha", + "Reload": "Recargar", + "Remember Me": "Mantener sesión activa", + "Reset Filters": "Restablecer filtros", + "Reset Password": "Restablecer contraseña", + "Reset Password Notification": "Notificación de restablecimiento de contraseña", + "resource": "recurso", + "Resources": "Recursos", + "resources": "recursos", + "Restore": "Restaurar", + "Restore Resource": "Restaurar Recursos", + "Restore Selected": "Restaurar Selección", + "Reunion": "Reunión", + "Romania": "Rumania", + "Run Action": "Ejecutar Acción", + "Russian Federation": "Federación Rusa", + "Rwanda": "Ruanda", + "Saint Barthelemy": "San Bartolomé", + "Saint Helena": "Santa Helena", + "Saint Kitts And Nevis": "San Cristóbal y Nieves", + "Saint Lucia": "Santa Lucía", + "Saint Martin": "San Martín", + "Saint Pierre And Miquelon": "San Pedro y Miquelón", + "Saint Vincent And Grenadines": "San Vicente y las Granadinas", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "Santo Tomé y Príncipe", + "Saudi Arabia": "Arabia Saudita", + "Search": "Buscar", + "Select Action": "Seleccione una Acción", + "Select All": "Seleccione Todo", + "Select All Matching": "Seleccione Todas las coincidencias", + "Send Password Reset Link": "Enviar enlace para restablecer la contraseña", + "Senegal": "Senegal", + "September": "Septiembre", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Show All Fields": "Mostrar todos los campos", + "Show Content": "Mostrar contenido", + "Sierra Leone": "Sierra Leona", + "Singapore": "Singapur", + "Sint Maarten (Dutch part)": "San Martín", + "Slovakia": "Eslovaquia", + "Slovenia": "Eslovenia", + "Solomon Islands": "Islas Salomón", + "Somalia": "Somalia", + "Something went wrong.": "Algo salió mal.", + "Sorry! You are not authorized to perform this action.": "¡Lo siento! Usted no está autorizado para ejecutar esta acción.", + "Sorry, your session has expired.": "Lo siento, su sesión ha caducado.", + "South Africa": "Sudáfrica", + "South Georgia And Sandwich Isl.": "Islas Georgias del Sur y Sandwich del Sur", + "South Sudan": "Sudán del Sur", + "Spain": "España", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Iniciar encuesta", + "Stop Polling": "Detener encuesta", + "Sudan": "Sudán", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard y Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Suecia", + "Switzerland": "Suiza", + "Syrian Arab Republic": "Siria", + "Taiwan": "Taiwán", + "Tajikistan": "Tayikistán", + "Tanzania": "Tanzania", + "Thailand": "Tailandia", + "The :resource was created!": "¡El :resource fue creado!", + "The :resource was deleted!": "¡El :resource fue eliminado!", + "The :resource was restored!": "¡El :resource fue restaurado!", + "The :resource was updated!": "¡El :resource fue actualizado!", + "The action ran successfully!": "¡La acción se ejecutó correctamente!", + "The file was deleted!": "¡El archivo fue eliminado!", + "The government won't let us show you what's behind these doors": "El gobierno no nos permitirá mostrarle lo que hay detrás de estas puertas", + "The HasOne relationship has already been filled.": "La relación HasOne ya fué completada.", + "The resource was updated!": "¡El recurso fue actualizado!", + "There are no available options for this resource.": "No hay opciones disponibles para este recurso.", + "There was a problem executing the action.": "Hubo un problema ejecutando la acción.", + "There was a problem submitting the form.": "Hubo un problema al enviar el formulario.", + "This file field is read-only.": "Este campo de archivo es de solo lectura.", + "This image": "Esta imagen", + "This resource no longer exists": "Este recurso ya no existe", + "Timor-Leste": "Timor Oriental", + "Today": "Hoy", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "total": "total", + "Trashed": "Desechado", + "Trinidad And Tobago": "Trinidad y Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turquía", + "Turkmenistan": "Turkmenistán", + "Turks And Caicos Islands": "Islas Turcas y Caicos", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ucrania", + "United Arab Emirates": "Emiratos Árabes Unidos", + "United Kingdom": "Reino Unido", + "United States": "Estados Unidos", + "United States Outlying Islands": "Islas Ultramarinas Menores de los Estados Unidos", + "Update": "Actualizar", + "Update & Continue Editing": "Actualice & Continúe Editando", + "Update :resource": "Actualizar :resource", + "Update :resource: :title": "Actualice el :title del :resource:", + "Update attached :resource: :title": "Actualice el :title del :resource: adjuntado", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Value": "Valor", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Vista", + "Virgin Islands, British": "Islas Vírgenes Británicas", + "Virgin Islands, U.S.": "Islas Vírgenes Estadounidenses", + "Wallis And Futuna": "Wallis y Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Estamos perdidos en el espacio. La página que intenta buscar no existe.", + "Welcome Back!": "¡Bienvenido de nuevo!", + "Western Sahara": "Sahara Occidental", + "Whoops": "Ups", + "Whoops!": "¡Ups!", + "With Trashed": "Incluida la papelera", + "Write": "Escriba", + "Year To Date": "Año hasta la fecha", + "Yemen": "Yemen", + "Yes": "Sí", + "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.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/es/packages/spark-paddle.json b/locales/es/packages/spark-paddle.json new file mode 100644 index 00000000000..96bce97cdbb --- /dev/null +++ b/locales/es/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "Se produjo un error inesperado y hemos notificado a nuestro equipo de soporte. Por favor intente de nuevo más tarde.", + "Billing Management": "Gestión de facturación", + "Cancel Subscription": "Cancelar suscripción", + "Change Subscription Plan": "Cambiar plan de suscripción", + "Current Subscription Plan": "Plan de suscripción actual", + "Currently Subscribed": "Suscrito actualmente", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "¿Tiene dudas sobre la cancelación de su suscripción? Puede reactivar instantáneamente su suscripción en cualquier momento hasta el final de su ciclo de facturación actual. Una vez que finalice su ciclo de facturación actual, puede elegir un plan de suscripción completamente nuevo.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "Parece que no tiene una suscripción activa. Puede elegir uno de los planes de suscripción a continuación para comenzar. Los planes de suscripción se pueden cambiar o cancelar según su conveniencia.", + "Managing billing for :billableName": "Gestionando la facturación de :billableName", + "Monthly": "Mensual", + "Nevermind, I'll keep my old plan": "No importa, mantendré mi antiguo plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Nuestro portal de administración de facturación le permite administrar cómodamente su plan de suscripción, método de pago y descargar sus facturas recientes.", + "Payment Method": "Payment Method", + "Receipts": "Recibos", + "Resume Subscription": "Reanudar suscripción", + "Return to :appName": "Regresar a :appName", + "Signed in as": "Registrado como", + "Subscribe": "Suscriba", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Términos del servicio", + "The selected plan is invalid.": "El plan seleccionado no es válido.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "Esta cuenta no tiene una suscripción activa.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "¡Ups! Algo salió mal.", + "Yearly": "Anual", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "Puedes cancelar tu subscripción en cualquier momento. Una vez que su suscripción haya sido cancelada, tendrá la opción de reanudar la suscripción hasta el final de su ciclo de facturación actual.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Su método de pago actual es una tarjeta de crédito que termina en :lastFour que vence el :expiration." +} diff --git a/locales/es/packages/spark-stripe.json b/locales/es/packages/spark-stripe.json new file mode 100644 index 00000000000..53700f5bb9a --- /dev/null +++ b/locales/es/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": "prueba por :days days", + "Add VAT Number": "Agregar número VAT", + "Address": "Dirección", + "Address Line 2": "Dirección de la línea 2", + "Afghanistan": "Afganistán", + "Albania": "Albania", + "Algeria": "Algeria", + "American Samoa": "Samoa Americana", + "An unexpected error occurred and we have notified our support team. Please try again later.": "Se produjo un error inesperado y hemos notificado a nuestro equipo de soporte. Por favor intente de nuevo más tarde.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguila", + "Antarctica": "Antártica", + "Antigua and Barbuda": "Antigua y Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Bielorrusia", + "Belgium": "Bélgica", + "Belize": "Belice", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bután", + "Billing Information": "Información de facturación", + "Billing Management": "Gestión de facturación", + "Bolivia, Plurinational State of": "Bolivia, Estado Plurinacional de", + "Bosnia and Herzegovina": "Bosnia y Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Isla Bouvet", + "Brazil": "Brasil", + "British Indian Ocean Territory": "Territorio Británico del Océano Índico", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Camboya", + "Cameroon": "Camerún", + "Canada": "Canadá", + "Cancel Subscription": "Cancelar suscripción", + "Cape Verde": "Cabo Verde", + "Card": "Tarjeta", + "Cayman Islands": "Islas Caimán", + "Central African Republic": "República Centroafricana", + "Chad": "Chad", + "Change Subscription Plan": "Cambiar plan de suscripción", + "Chile": "Chile", + "China": "China", + "Christmas Island": "Isla de Navidad", + "City": "Ciudad", + "Cocos (Keeling) Islands": "Islas Cocos (Keeling)", + "Colombia": "Colombia", + "Comoros": "Comoros", + "Confirm Payment": "Confirmar pago", + "Confirm your :amount payment": "Confirme su pago de :amount", + "Congo": "Congo", + "Congo, the Democratic Republic of the": "Congo, República Democrática del", + "Cook Islands": "Islas Cook", + "Costa Rica": "Costa Rica", + "Country": "País", + "Coupon": "Cupón", + "Croatia": "Croacia", + "Cuba": "Cuba", + "Current Subscription Plan": "Plan de suscripción actual", + "Currently Subscribed": "Suscrito actualmente", + "Cyprus": "Chipre", + "Czech Republic": "República Checa", + "Côte d'Ivoire": "Costa de Marfil", + "Denmark": "Dinamarca", + "Djibouti": "Yibuti", + "Dominica": "Dominica", + "Dominican Republic": "República Dominicana", + "Download Receipt": "Descargar recibo", + "Ecuador": "Ecuador", + "Egypt": "Egipto", + "El Salvador": "El Salvador", + "Email Addresses": "Correos electrónicos", + "Equatorial Guinea": "Guinea Ecuatorial", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Etiopía", + "ex VAT": "sin VAT", + "Extra Billing Information": "Información de facturación adicional", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Se necesita confirmación adicional para procesar su pago. Continúe a la página de pago haciendo clic en el botón de abajo.", + "Falkland Islands (Malvinas)": "Malvinas (Falkland Islands)", + "Faroe Islands": "Islas Feroe", + "Fiji": "Fiyi", + "Finland": "Finlandia", + "France": "Francia", + "French Guiana": "Guayana Francesa", + "French Polynesia": "Polinesia Francesa", + "French Southern Territories": "Tierras Australes y Antárticas Francesas", + "Gabon": "Gabón", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Alemania", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Grecia", + "Greenland": "Groenlandia", + "Grenada": "Grenada", + "Guadeloupe": "Guadalupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bisáu", + "Guyana": "Guyana", + "Haiti": "Haití", + "Have a coupon code?": "¿Tiene un código de descuento?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "¿Tiene dudas sobre la cancelación de su suscripción? Puede reactivar instantáneamente su suscripción en cualquier momento hasta el final de su ciclo de facturación actual. Una vez que finalice su ciclo de facturación actual, puede elegir un plan de suscripción completamente nuevo.", + "Heard Island and McDonald Islands": "Islas Heard y McDonald", + "Holy See (Vatican City State)": "Ciudad del Vaticano", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungría", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Islandia", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "Si necesita agregar información de contacto específica o de impuestos a sus recibos, como su nombre comercial completo, número de identificación VAT o dirección de registro, puede agregarlo aquí.", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic of": "Irán, República Islámica de", + "Iraq": "Iraq", + "Ireland": "Irlanda", + "Isle of Man": "Isla de Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "Parece que no tiene una suscripción activa. Puede elegir uno de los planes de suscripción a continuación para comenzar. Los planes de suscripción se pueden cambiar o cancelar según su conveniencia.", + "Italy": "Italia", + "Jamaica": "Jamaica", + "Japan": "Japón", + "Jersey": "Jersey", + "Jordan": "Jordán", + "Kazakhstan": "Kazajistán", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Corea del Norte", + "Korea, Republic of": "Corea, República de", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kirguistán", + "Lao People's Democratic Republic": "Laos, República Democrática Popular de", + "Latvia": "Letonia", + "Lebanon": "Líbano", + "Lesotho": "Lesoto", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libia", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lituania", + "Luxembourg": "Luxemburgo", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, ex República Yugoslava de", + "Madagascar": "Madagascar", + "Malawi": "Malaui", + "Malaysia": "Malasia", + "Maldives": "Maldivas", + "Mali": "Malí", + "Malta": "Malta", + "Managing billing for :billableName": "Gestionando la facturación de :billableName", + "Marshall Islands": "Islas Marshall", + "Martinique": "Martinica", + "Mauritania": "Mauritania", + "Mauritius": "Mauricio", + "Mayotte": "Mayotte", + "Mexico": "México", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldavia, República de", + "Monaco": "Mónaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Monthly": "Mensual", + "monthly": "mensual", + "Montserrat": "Montserrat", + "Morocco": "Marruecos", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Países Bajos​", + "Netherlands Antilles": "Antillas Holandesas", + "Nevermind, I'll keep my old plan": "No importa, mantendré mi antiguo plan", + "New Caledonia": "Nueva Caledonia", + "New Zealand": "Nueva Zelanda", + "Nicaragua": "Nicaragua", + "Niger": "Níger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Isla Norfolk", + "Northern Mariana Islands": "Islas Marianas del Norte", + "Norway": "Noruega", + "Oman": "Omán", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Nuestro portal de administración de facturación le permite administrar cómodamente su plan de suscripción, método de pago y descargar sus facturas recientes.", + "Pakistan": "Pakistán", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Territorios Palestinos", + "Panama": "Panamá", + "Papua New Guinea": "Papúa Nueva Guinea", + "Paraguay": "Paraguay", + "Payment Information": "Información del pago", + "Peru": "Perú", + "Philippines": "Filipinas", + "Pitcairn": "Islas Pitcairn", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Proporcione un máximo de tres direcciones para recibir correo electrónico.", + "Poland": "Polonia", + "Portugal": "Portugal", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Direcciones para recibir correo electrónico", + "Receipts": "Recibos", + "Resume Subscription": "Reanudar suscripción", + "Return to :appName": "Regresar a :appName", + "Romania": "Rumania", + "Russian Federation": "Federación Rusa", + "Rwanda": "Ruanda", + "Réunion": "Reunión", + "Saint Barthélemy": "San Bartolomé", + "Saint Helena": "Santa Helena", + "Saint Kitts and Nevis": "Saint Kitts y Nevis", + "Saint Lucia": "Santa Lucía", + "Saint Martin (French part)": "San Martín (parte francesa)", + "Saint Pierre and Miquelon": "San Pedro y Miquelón", + "Saint Vincent and the Grenadines": "San Vicente y las Granadinas", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Santo Tomé y Príncipe", + "Saudi Arabia": "Arabia Saudita", + "Save": "Guardar", + "Select": "Seleccione", + "Select a different plan": "Seleccione un plan diferente", + "Senegal": "Senegal", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Sierra Leone": "Sierra Leona", + "Signed in as": "Registrado como", + "Singapore": "Singapur", + "Slovakia": "Eslovaquia", + "Slovenia": "Eslovenia", + "Solomon Islands": "Islas Salomón", + "Somalia": "Somalia", + "South Africa": "Sudáfrica", + "South Georgia and the South Sandwich Islands": "Georgia del sur y las islas Sandwich del sur", + "Spain": "España", + "Sri Lanka": "Sri Lanka", + "State \/ County": "Estado \/ País", + "Subscribe": "Suscriba", + "Subscription Information": "Información de suscripción", + "Sudan": "Sudán", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Suecia", + "Switzerland": "Suiza", + "Syrian Arab Republic": "Siria", + "Taiwan, Province of China": "Taiwan, provincia de China", + "Tajikistan": "Tayikistán", + "Tanzania, United Republic of": "Tanzania, República Unida de", + "Terms of Service": "Términos del servicio", + "Thailand": "Tailandia", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Gracias por su apoyo continuo. Hemos adjuntado una copia de su factura para sus registros. Háganos saber si tiene alguna pregunta o inquietud.", + "Thanks,": "Gracias,", + "The provided coupon code is invalid.": "El código de cupón proporcionado no es válido.", + "The provided VAT number is invalid.": "El número VAT proporcionado no es válido.", + "The receipt emails must be valid email addresses.": "Los correos electrónicos de recepción deben ser direcciones válidas.", + "The selected country is invalid.": "El país seleccionado no es válido.", + "The selected plan is invalid.": "El plan seleccionado no es válido.", + "This account does not have an active subscription.": "Esta cuenta no tiene una suscripción activa.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "Esta suscripción ha caducado y no se puede reanudar. Cree una nueva suscripción.", + "Timor-Leste": "Timor Oriental", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turquía", + "Turkmenistan": "Turkmenistán", + "Turks and Caicos Islands": "Islas Turcas y Caicos", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ucrania", + "United Arab Emirates": "Emiratos Árabes Unidos", + "United Kingdom": "Reino Unido", + "United States": "Estados Unidos", + "United States Minor Outlying Islands": "Islas Ultramarinas Menores de los Estados Unidos", + "Update": "Actualizar", + "Update Payment Information": "Actualizar la información de pago", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "Número VAT", + "Venezuela, Bolivarian Republic of": "Venezuela, República Bolivariana de", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Islas Vírgenes Británicas", + "Virgin Islands, U.S.": "Islas Vírgenes Estadounidenses", + "Wallis and Futuna": "Wallis y Futuna", + "We are unable to process your payment. Please contact customer support.": "No podemos procesar su pago. Comuníquese con el servicio de atención al cliente.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "Enviaremos un enlace de descarga de recibo a las direcciones de correo electrónico que especifique a continuación. Puede separar varias direcciones de correo electrónico con comas.", + "Western Sahara": "Sahara Occidental", + "Whoops! Something went wrong.": "¡Ups! Algo salió mal.", + "Yearly": "Anual", + "Yemen": "Yemen", + "You are currently within your free trial period. Your trial will expire on :date.": "Actualmente se encuentra dentro de su período de prueba gratuito. Su prueba vencerá el :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "Puedes cancelar tu subscripción en cualquier momento. Una vez que su suscripción haya sido cancelada, tendrá la opción de reanudar la suscripción hasta el final de su ciclo de facturación actual.", + "Your :invoiceName invoice is now available!": "¡Su factura :invoiceName ya está disponible!", + "Your card was declined. Please contact your card issuer for more information.": "Su tarjeta fue rechazada. Comuníquese con el emisor de su tarjeta para obtener más información.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Su método de pago actual es una tarjeta de crédito que termina en :lastFour que vence el :expiration.", + "Your registered VAT Number is :vatNumber.": "Su número VAT registrado es :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Código postal", + "Åland Islands": "Åland Islands" +} diff --git a/locales/et/et.json b/locales/et/et.json index f2c0f1d3f6f..0045dcd1b46 100644 --- a/locales/et/et.json +++ b/locales/et/et.json @@ -1,710 +1,48 @@ { - "30 Days": "30 päeva", - "60 Days": "60 päeva", - "90 Days": "90 päeva", - ":amount Total": ":amount kokku", - ":days day trial": ":days day trial", - ":resource Details": ":resource üksikasjad", - ":resource Details: :title": ":resource üksikasjad: :title", "A fresh verification link has been sent to your email address.": "Teie e-posti aadressile on saadetud värske kinnituslink.", - "A new verification link has been sent to the email address you provided during registration.": "Registreerimise käigus esitatud e-posti aadressile on saadetud Uus kinnituslink.", - "Accept Invitation": "Võta Kutse Vastu", - "Action": "Tegevus", - "Action Happened At": "Juhtus", - "Action Initiated By": "Algatatud", - "Action Name": "Nimi", - "Action Status": "Staatus", - "Action Target": "Eesmärk", - "Actions": "Tegevus", - "Add": "Lisama", - "Add a new team member to your team, allowing them to collaborate with you.": "Lisage oma meeskonnale Uus meeskonnaliige, võimaldades neil teiega koostööd teha.", - "Add additional security to your account using two factor authentication.": "Lisage oma kontole täiendav turvalisus, kasutades kahe teguri autentimist.", - "Add row": "Lisa rida", - "Add Team Member": "Lisa Meeskonna Liige", - "Add VAT Number": "Add VAT Number", - "Added.": "Lisatud.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administraator", - "Administrator users can perform any action.": "Administraatori kasutajad saavad teha mis tahes toiminguid.", - "Afghanistan": "Afganistan", - "Aland Islands": "Ahvenamaa", - "Albania": "Albaania", - "Algeria": "Alžeeria", - "All of the people that are part of this team.": "Kõik inimesed, kes on osa sellest meeskonnast.", - "All resources loaded.": "Kõik ressursid laetud.", - "All rights reserved.": "Kõik õigused reserveeritud.", - "Already registered?": "Juba registreeritud?", - "American Samoa": "Ameerika Samoa", - "An error occured while uploading the file.": "Faili üleslaadimisel Tekkis viga.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Teine kasutaja on värskendanud seda ressurssi alates selle lehe laadimisest. Palun värskendage lehte ja proovige uuesti.", - "Antarctica": "Antarktika", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua ja Barbuda", - "API Token": "API märgid", - "API Token Permissions": "API märgid õigused", - "API Tokens": "API märgid", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API märgid võimaldavad kolmanda osapoole teenuseid autentida meie taotlusega teie nimel.", - "April": "Aprill", - "Are you sure you want to delete the selected resources?": "Kas tõesti kustutada valitud ressursid?", - "Are you sure you want to delete this file?": "Kas tõesti kustutada see fail?", - "Are you sure you want to delete this resource?": "Oled sa kindel, et soovid selle ressursi kustutada?", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Oled sa kindel, et soovid selle meeskonna kustutada? Kui meeskond on kustutatud, kustutatakse kõik selle ressursid ja andmed jäädavalt.", - "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.": "Oled kindel, et soovid oma konto kustutada? Kui teie konto on kustutatud, kustutatakse kõik selle ressursid ja andmed jäädavalt. Palun sisestage oma parool, et kinnitada, et soovite oma konto jäädavalt kustutada.", - "Are you sure you want to detach the selected resources?": "Kas tõesti eemaldada valitud ressursid?", - "Are you sure you want to detach this resource?": "Kas olete kindel, et soovite selle ressursi eemaldada?", - "Are you sure you want to force delete the selected resources?": "Kas tõesti sundida valitud ressursse kustutama?", - "Are you sure you want to force delete this resource?": "Oled sa kindel, et soovid sundida seda ressurssi kustutama?", - "Are you sure you want to restore the selected resources?": "Kas tõesti taastada valitud ressursid?", - "Are you sure you want to restore this resource?": "Kas olete kindel, et soovite selle ressursi taastada?", - "Are you sure you want to run this action?": "Kas olete kindel, et soovite käivitada see tegevus?", - "Are you sure you would like to delete this API token?": "Oled sa kindel, et soovid kustutada selle API sümboolne?", - "Are you sure you would like to leave this team?": "Oled sa kindel, et soovid sellest meeskonnast lahkuda?", - "Are you sure you would like to remove this person from the team?": "Oled sa kindel, et soovid selle inimese meeskonnast eemaldada?", - "Argentina": "Argentina", - "Armenia": "Armeenia", - "Aruba": "Aruba", - "Attach": "Lisama", - "Attach & Attach Another": "Kinnita Ja Kinnita Teine", - "Attach :resource": "Lisada :resource", - "August": "August", - "Australia": "Austraalia", - "Austria": "Austria", - "Azerbaijan": "Aserbaidžaan", - "Bahamas": "Bahama", - "Bahrain": "Bahrein", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Enne jätkamist, palun kontrollige oma e-posti kontrollimise link.", - "Belarus": "Valgevene", - "Belgium": "Belgia", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bhutan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Boliivia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius ja Sábado", - "Bosnia And Herzegovina": "Bosnia ja Hertsegoviina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouveti Saar", - "Brazil": "Brasiilia", - "British Indian Ocean Territory": "Briti India Ookeani Territoorium", - "Browser Sessions": "Brauseri Seansid", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgaaria", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Kambodža", - "Cameroon": "Kamerun", - "Canada": "Kanada", - "Cancel": "Tühistama", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Cabo Verde", - "Card": "Kaart", - "Cayman Islands": "Kaimanisaared", - "Central African Republic": "Kesk-Aafrika Vabariik", - "Chad": "Tšaad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Muutus", - "Chile": "Tšiili", - "China": "Hiina", - "Choose": "Valima", - "Choose :field": "Vali :field", - "Choose :resource": "Vali :resource", - "Choose an option": "Valige suvand", - "Choose date": "Vali kuupäev", - "Choose File": "Vali Fail", - "Choose Type": "Vali Tüüp", - "Christmas Island": "Jõulusaar", - "City": "City", "click here to request another": "Vajuta siia, et taotleda teise", - "Click to choose": "Klõpsa, et valida", - "Close": "Lähedal", - "Cocos (Keeling) Islands": "Cocose (Keelingi) Saared", - "Code": "Kood", - "Colombia": "Colombia", - "Comoros": "Komoorid", - "Confirm": "Kinnitama", - "Confirm Password": "Kinnita Parool", - "Confirm Payment": "Kinnita Makse", - "Confirm your :amount payment": "Kinnitage oma :amount makse", - "Congo": "Kongo", - "Congo, Democratic Republic": "Kongo Demokraatlik Vabariik", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Pidev", - "Cook Islands": "Cooki Saared", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "ei leitud.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Luua", - "Create & Add Another": "Loo Ja Lisa Veel", - "Create :resource": "Loo :resource", - "Create a new team to collaborate with others on projects.": "Loo uus meeskond teha koostööd teistega projekte.", - "Create Account": "Konto Loomine", - "Create API Token": "API sümboli loomine", - "Create New Team": "Loo Uus Meeskond", - "Create Team": "Loo Meeskond", - "Created.": "Loodud.", - "Croatia": "Horvaatia", - "Cuba": "Kuuba", - "Curaçao": "Curacao", - "Current Password": "Aktiivne Parool", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Kohandada", - "Cyprus": "Küpros", - "Czech Republic": "Tšehhi", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Armatuurlaud", - "December": "Detsember", - "Decrease": "Vähenema", - "Delete": "Kustutama", - "Delete Account": "Kustuta Konto", - "Delete API Token": "Kustuta API Token", - "Delete File": "Kustuta Fail", - "Delete Resource": "Kustuta Ressurss", - "Delete Selected": "Kustuta Valitud", - "Delete Team": "Kustuta Meeskond", - "Denmark": "Taani", - "Detach": "Eemaldage", - "Detach Resource": "Eralda Ressurss", - "Detach Selected": "Eemalda Valitud", - "Details": "Üksikasjad", - "Disable": "Keelama", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Kas sa tõesti tahad lahkuda? Sul on salvestamata muudatused.", - "Dominica": "Pühapäev", - "Dominican Republic": "Dominikaani Vabariik", - "Done.": "Tehtud.", - "Download": "Laadima", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-Posti Aadress", - "Ecuador": "Ecuador", - "Edit": "Muutma", - "Edit :resource": "Muutma :resource", - "Edit Attached": "Redigeerimine Lisatud", - "Editor": "Toimetaja", - "Editor users have the ability to read, create, and update.": "Toimetaja kasutajatel on võimalus lugeda, luua ja värskendada.", - "Egypt": "Egiptus", - "El Salvador": "Salvador", - "Email": "E-post", - "Email Address": "meiliaadress", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "E-Posti Parooli Lähtestamise Link", - "Enable": "Võimaldama", - "Ensure your account is using a long, random password to stay secure.": "Veenduge, et teie konto kasutab pikka, juhuslikku parooli, et jääda turvaliseks.", - "Equatorial Guinea": "Ekvatoriaal-Guinea", - "Eritrea": "Eritrea", - "Estonia": "Eesti", - "Ethiopia": "Etioopia", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Teie makse töötlemiseks on vaja täiendavat kinnitust. Palun kinnitage oma makse täites oma makse üksikasjad allpool.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Teie makse töötlemiseks on vaja täiendavat kinnitust. Palun jätkake makse lehele klõpsates allolevale nupule.", - "Falkland Islands (Malvinas)": "Falklandi Saared (Malvinas)", - "Faroe Islands": "Fääri Saared", - "February": "Veebruar", - "Fiji": "Fidži", - "Finland": "Soome", - "For your security, please confirm your password to continue.": "Teie turvalisuse tagamiseks kinnitage oma parool jätkamiseks.", "Forbidden": "Keelatud", - "Force Delete": "Sundige Kustutama", - "Force Delete Resource": "Kustuta Ressurss", - "Force Delete Selected": "Kustuta Valitud", - "Forgot Your Password?": "Unustasid Oma Parooli?", - "Forgot your password?": "Unustasid oma parooli?", - "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.": "Unustasid oma parooli? Pole probleemi. Lihtsalt andke meile teada oma e-posti aadress ja me saadame teile parooli lähtestamise lingi, mis võimaldab teil valida uue.", - "France": "Prantsusmaa", - "French Guiana": "Prantsuse Guajaana", - "French Polynesia": "Prantsuse Polüneesia", - "French Southern Territories": "Prantsuse Lõunapiirkonnad", - "Full name": "Täisnimi", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Gruusia", - "Germany": "Saksamaa", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Vasta", - "Go Home": "koju", "Go to page :page": "Mine lehele :page", - "Great! You have accepted the invitation to join the :team team.": "Suurepärane! Olete vastu võtnud kutse liituda :team meeskonnaga.", - "Greece": "Kreeka", - "Greenland": "Gröönimaa", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bissau", - "Guyana": "Guajaana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Heard Island ja McDonaldi saared", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Tere!", - "Hide Content": "Peida Sisu", - "Hold Up!": "Pea Kinni!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hongkong", - "Hungary": "Ungari", - "I agree to the :terms_of_service and :privacy_policy": "Nõustun :terms_of_service ja :privacy_policy", - "Iceland": "Island", - "ID": "ID", - "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.": "Vajadusel võite välja logida kõik oma teiste brauseri istungid kõigis oma seadmetes. Mõned teie hiljutised istungid on loetletud allpool; kuid see nimekiri ei pruugi olla ammendav. Kui tunnete, et teie konto on ohustatud, peaksite ka oma parooli uuendama.", "If necessary, you may logout 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.": "Vajadusel võite välja logida kõik oma teiste brauseri istungid kõigis oma seadmetes. Mõned teie hiljutised istungid on loetletud allpool; kuid see nimekiri ei pruugi olla ammendav. Kui tunnete, et teie konto on ohustatud, peaksite ka oma parooli uuendama.", - "If you already have an account, you may accept this invitation by clicking the button below:": "Kui teil on juba konto, võite selle kutse vastu võtta, klõpsates alloleval nupul:", "If you did not create an account, no further action is required.": "Kui te ei loonud kontot,ei ole täiendavaid meetmeid vaja.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Kui te ei oodanud sellele meeskonnale kutset, võite selle e-kirja ära visata.", "If you did not receive the email": "Kui te ei saanud e-kirja", - "If you did not request a password reset, no further action is required.": "Kui te ei taotlenud parooli lähtestamist, ei ole täiendavaid meetmeid vaja.", - "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:": "Kui teil pole kontot, võite selle luua, klõpsates alloleval nupul. Pärast konto loomist võite klõpsata kutse vastuvõtmise nuppu selles e-kirjas, et nõustuda meeskonna kutsega:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Kui teil on probleeme nupu \":actionText\" klõpsamisega, kopeerige ja kleepige allpool olev URL\noma veebibrauserisse:", - "Increase": "Suurendama", - "India": "India", - "Indonesia": "Indoneesia", "Invalid signature.": "Vigane allkiri.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iraan", - "Iraq": "Iraak", - "Ireland": "Iirimaa", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Mani saar", - "Israel": "Iisrael", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Itaalia", - "Jamaica": "Jamaica", - "January": "Jaanuar", - "Japan": "Jaapan", - "Jersey": "Kampsun", - "Jordan": "Jordaania", - "July": "Juuli", - "June": "Juuni", - "Kazakhstan": "Kasahstan", - "Kenya": "Kenya", - "Key": "Võti", - "Kiribati": "Kiribati", - "Korea": "Korea", - "Korea, Democratic People's Republic of": "Põhja-Korea", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuveidi", - "Kyrgyzstan": "Kõrgõzstan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Viimati aktiivne", - "Last used": "Viimati kasutatud", - "Latvia": "Läti", - "Leave": "Jätma", - "Leave Team": "Jäta Meeskond", - "Lebanon": "Liibanon", - "Lens": "Objektiiv", - "Lesotho": "Lesotho", - "Liberia": "Libeeria", - "Libyan Arab Jamahiriya": "Liibüa", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Leedu", - "Load :perPage More": "Koormus :perPage rohkem", - "Log in": "Logima", "Log out": "Väljalogimine", - "Log Out": "väljalogimine", - "Log Out Other Browser Sessions": "Logi Välja Muud Brauseri Seansid", - "Login": "Logima", - "Logout": "Väljalogimine", "Logout Other Browser Sessions": "Teiste Brauseri Seansside Väljalogimine", - "Luxembourg": "Luksemburg", - "Macao": "Aomen", - "Macedonia": "Põhja-Makedoonia", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagaskar", - "Malawi": "Malawi", - "Malaysia": "Malaisia", - "Maldives": "Maldiivid", - "Mali": "Väike", - "Malta": "Malta", - "Manage Account": "Konto Haldamine", - "Manage and log out your active sessions on other browsers and devices.": "Hallake ja logige välja oma aktiivseid seansse teistes brauserites ja seadmetes.", "Manage and logout your active sessions on other browsers and devices.": "Hallata ja välja logida oma aktiivseid seansse teistes brauserites ja seadmetes.", - "Manage API Tokens": "API-märkide haldamine", - "Manage Role": "Halda Rolli", - "Manage Team": "Meeskonna Haldamine", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Märts", - "Marshall Islands": "Marshalli Saared", - "Martinique": "Martinique", - "Mauritania": "Mauritaania", - "Mauritius": "Mauritius", - "May": "Võib", - "Mayotte": "Mayotte", - "Mexico": "Mehhiko", - "Micronesia, Federated States Of": "Mikroneesia", - "Moldova": "Moldova", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monaco", - "Mongolia": "Mongoolia", - "Montenegro": "Montenegro", - "Month To Date": "Kuu Kuupäev", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Maroko", - "Mozambique": "Mosambiik", - "Myanmar": "Myanmar", - "Name": "Nimi", - "Namibia": "Namiibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Madalmaad", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Ära pane tähele", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Uus", - "New :resource": "Uus :resource", - "New Caledonia": "Uus-Kaledoonia", - "New Password": "Uus Parool", - "New Zealand": "Uus-Meremaa", - "Next": "Järgmine", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigeeria", - "Niue": "Niue", - "No": "Nr", - "No :resource matched the given criteria.": "Nr :resource vastas esitatud kriteeriumidele.", - "No additional information...": "Lisainformatsioon puudub...", - "No Current Data": "Praegused Andmed Puuduvad", - "No Data": "Andmed Puuduvad", - "no file selected": "faili pole valitud", - "No Increase": "Ei Suurenda", - "No Prior Data": "Eelnevad Andmed Puuduvad", - "No Results Found.": "Tulemusi Ei Leitud.", - "Norfolk Island": "Norfolki Saar", - "Northern Mariana Islands": "Põhja-Mariaanid", - "Norway": "Norra", "Not Found": "Ei Leitud", - "Nova User": "Tuvastamata Kasutaja", - "November": "November", - "October": "Oktoober", - "of": "kohta", "Oh no": "Oh ei", - "Oman": "Omaan", - "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.": "Kui meeskond on kustutatud, kustutatakse kõik selle ressursid ja andmed jäädavalt. Enne selle meeskonna kustutamist laadige alla kõik andmed või teave selle meeskonna kohta, mida soovite säilitada.", - "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.": "Kui teie konto on kustutatud, kustutatakse kõik selle ressursid ja andmed jäädavalt. Enne konto kustutamist laadige alla kõik andmed või teave, mida soovite säilitada.", - "Only Trashed": "Ainult Prügikasti", - "Original": "Algne", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Lehekülg Aegunud", "Pagination Navigation": "Lehitsemise navigeerimine", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Palestiina Alad", - "Panama": "Panama", - "Papua New Guinea": "Paapua Uus-Guinea", - "Paraguay": "Paraguay", - "Password": "Parool", - "Pay :amount": "Palk :amount", - "Payment Cancelled": "Makse Tühistatud", - "Payment Confirmation": "Makse Kinnitus", - "Payment Information": "Payment Information", - "Payment Successful": "Makse Edukas", - "Pending Team Invitations": "Ootel Meeskonna Kutsed", - "Per Page": "Lehekülje Kohta", - "Permanently delete this team.": "Kustuta see meeskond jäädavalt.", - "Permanently delete your account.": "Jäädavalt kustutada oma konto.", - "Permissions": "Õigus", - "Peru": "Peruu", - "Philippines": "Filipiinid", - "Photo": "Foto", - "Pitcairn": "Pitcairni Saared", "Please click the button below to verify your email address.": "Palun kliki allolevale nupule, et kontrollida oma e-posti aadress.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Kinnitage juurdepääs oma kontole, sisestades ühe oma hädaolukorra taastamise koodidest.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Kinnitage juurdepääs oma kontole, sisestades autentimisrakenduse poolt pakutava autentimiskoodi.", "Please confirm your password before continuing.": "Palun kinnitage oma parool enne jätkamist.", - "Please copy your new API token. For your security, it won't be shown again.": "Palun kopeerige oma uus API token. Teie turvalisuse huvides seda enam ei näidata.", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Palun sisestage oma parool, et kinnitada, et soovite oma teistest brauseri seanssidest kõigis oma seadmetes välja logida.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Palun sisestage oma parool, et kinnitada, et soovite oma teistest brauseri seanssidest kõigis oma seadmetes välja logida.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "Please provide the email address of the person you would like to add to this team.": "Palun esitage selle isiku e-posti aadress, keda soovite sellesse meeskonda lisada.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Palun esitage selle isiku e-posti aadress, keda soovite sellesse meeskonda lisada. E-posti aadress peab olema seotud olemasoleva kontoga.", - "Please provide your name.": "Palun öelge oma nimi.", - "Poland": "Poola", - "Portugal": "Portugal", - "Press \/ to search": "Vajutage \/ et otsida", - "Preview": "Eelvaade", - "Previous": "Eelmine", - "Privacy Policy": "privaatsuspoliitika", - "Profile": "Profiil", - "Profile Information": "profiiliteave", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Kvartal Tänaseni", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Taastamise Kood", "Regards": "Arvesse", - "Regenerate Recovery Codes": "Regenereeri Taastekoodid", - "Register": "Registreerima", - "Reload": "Laadida", - "Remember me": "Mäleta mind", - "Remember Me": "Mäleta Mind", - "Remove": "Eemaldama", - "Remove Photo": "Eemalda Foto", - "Remove Team Member": "Eemalda Meeskonna Liige", - "Resend Verification Email": "Saada Kinnitusmeil Uuesti", - "Reset Filters": "Lähtesta Filtrid", - "Reset Password": "Lähtesta Parool", - "Reset Password Notification": "Parooli Teate Lähtestamine", - "resource": "ressurss", - "Resources": "Ressurss", - "resources": "ressurss", - "Restore": "Taastama", - "Restore Resource": "Taasta Ressurss", - "Restore Selected": "Taasta Valitud", "results": "tulemus", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Kohtumine", - "Role": "Roll", - "Romania": "Rumeenia", - "Run Action": "Käivita Tegevus", - "Russian Federation": "Venemaa Föderatsioon", - "Rwanda": "Rwanda", - "Réunion": "Réunion", - "Saint Barthelemy": "Püha Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "St. Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "St. Kitts ja Nevis", - "Saint Lucia": "St. Lucia", - "Saint Martin": "St. Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "St. Pierre ja Miquelon", - "Saint Vincent And Grenadines": "Saint Vincent ja Grenadiinid", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "São Tomé ja Príncipe", - "Saudi Arabia": "Saudi Araabia", - "Save": "Salvestama", - "Saved.": "Salvestama.", - "Search": "Otsing", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Uue Foto Valimine", - "Select Action": "Vali Toiming", - "Select All": "Vali Kõik", - "Select All Matching": "Vali Kõik Sobitamine", - "Send Password Reset Link": "Parooli Lähtestamise Lingi Saatmine", - "Senegal": "Senegal", - "September": "September", - "Serbia": "Serbia", "Server Error": "Serveri Viga", "Service Unavailable": "Teenus Pole Saadaval", - "Seychelles": "Seišellid", - "Show All Fields": "Näita Kõiki Välju", - "Show Content": "Sisu Näitamine", - "Show Recovery Codes": "Taastekoodide Näitamine", "Showing": "Näidates", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapur", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovakkia", - "Slovenia": "Sloveenia", - "Solomon Islands": "Saalomoni Saared", - "Somalia": "Somaalia", - "Something went wrong.": "Midagi läks valesti.", - "Sorry! You are not authorized to perform this action.": "Vabandust! Te ei ole volitatud seda toimingut tegema.", - "Sorry, your session has expired.": "Vabandust, teie seanss on lõppenud.", - "South Africa": "Lõuna-Aafrika", - "South Georgia And Sandwich Isl.": "Lõuna-Georgia ja Lõuna-Sandwichi saared", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Lõuna-Sudaan", - "Spain": "Hispaania", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Alusta Küsitlust", - "State \/ County": "State \/ County", - "Stop Polling": "Lõpetage Küsitlus", - "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.": "Salvestage need taastekoodid turvalises paroolihalduris. Neid saab kasutada teie kontole juurdepääsu taastamiseks, kui teie kahe teguri autentimisseade on kadunud.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudaan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard ja Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Rootsi", - "Switch Teams": "Vahetusmeeskonnad", - "Switzerland": "Šveits", - "Syrian Arab Republic": "Süüria", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tadžikistan", - "Tanzania": "Tansaania", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Meeskonna Andmed", - "Team Invitation": "Meeskonna Kutse", - "Team Members": "meeskonnaliikme", - "Team Name": "Meeskonna Nimi", - "Team Owner": "Meeskonna Omanik", - "Team Settings": "Meeskonna Seadistused", - "Terms of Service": "kasutustingimused", - "Thailand": "Tai", - "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.": "Tänud registreerumast! Enne alustamist, võiks kontrollida oma e-posti aadress klõpsates lingil me lihtsalt saadetakse teile? Kui te ei saanud e-kirja, saadame teile hea meelega teise.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute peab olema kehtiv roll.", - "The :attribute must be at least :length characters and contain at least one number.": ":attribute peab olema vähemalt :length tähemärki ja sisaldama vähemalt ühte numbrit.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute peab olema vähemalt :length tähemärki ning sisaldama vähemalt ühte erimärki ja ühte numbrit.", - "The :attribute must be at least :length characters and contain at least one special character.": ":attribute peab olema vähemalt :length tähemärki ja sisaldama vähemalt ühte erimärki.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute peab olema vähemalt :length tähemärki ja sisaldama vähemalt ühte suurtähte ja ühte numbrit.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute peab olema vähemalt :length tähemärki ning sisaldama vähemalt ühte suurtähte ja ühte erimärki.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute peab olema vähemalt :length tähemärki ja sisaldama vähemalt ühte suurtähte, ühte numbrit ja ühte erimärki.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute peab olema vähemalt :length tähemärki ja sisaldama vähemalt ühte suurtähte.", - "The :attribute must be at least :length characters.": ":attribute peab olema vähemalt :length tähemärki.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource loodi!", - "The :resource was deleted!": ":resource kustutati!", - "The :resource was restored!": ":resource taastati!", - "The :resource was updated!": ":resource uuendati!", - "The action ran successfully!": "Tegevus kulges edukalt!", - "The file was deleted!": "Fail kustutati!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Valitsus ei lase meil teile näidata, mis on nende uste taga", - "The HasOne relationship has already been filled.": "HasOne suhe on juba täidetud.", - "The payment was successful.": "Makse oli edukas.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Antud parool ei vasta teie praegusele paroolile.", - "The provided password was incorrect.": "Antud parool oli vale.", - "The provided two factor authentication code was invalid.": "Esitatud kahe teguri autentimise kood oli kehtetu.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Ressurss uuendati!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Meeskonna nimi ja omaniku andmed.", - "There are no available options for this resource.": "Selle ressursi jaoks pole saadaval olevaid võimalusi.", - "There was a problem executing the action.": "Seal oli probleem täitmise hagi.", - "There was a problem submitting the form.": "Ankeedi esitamisega oli probleeme.", - "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.": "Need inimesed on kutsutud oma meeskonda ja on saadetud kutse e-posti. Nad võivad liituda meeskonnaga, nõustudes e-posti kutsega.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "See tegevus on volitamata.", - "This device": "See seade", - "This file field is read-only.": "See failiväli on kirjutuskaitstud.", - "This image": "See pilt", - "This is a secure area of the application. Please confirm your password before continuing.": "See on rakenduse turvaline ala. Palun kinnitage oma parool enne jätkamist.", - "This password does not match our records.": "See parool ei vasta meie andmetele.", "This password reset link will expire in :count minutes.": "See parooli lähtestamise link aegub :count minuti pärast.", - "This payment was already successfully confirmed.": "See makse oli juba edukalt kinnitatud.", - "This payment was cancelled.": "See makse tühistati.", - "This resource no longer exists": "Seda ressurssi enam ei eksisteeri", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "See kasutaja kuulub juba meeskonda.", - "This user has already been invited to the team.": "See kasutaja on juba meeskonda kutsutud.", - "Timor-Leste": "Timor-Leste", "to": "et", - "Today": "Täna", "Toggle navigation": "Navigeerimise lülitamine", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Sümboli Nimi", - "Tonga": "Tulema", "Too Many Attempts.": "Liiga Palju Katseid.", "Too Many Requests": "Liiga Palju Taotlusi", - "total": "kokku", - "Total:": "Total:", - "Trashed": "Prügikasti", - "Trinidad And Tobago": "Trinidad ja Tobago", - "Tunisia": "Tuneesia", - "Turkey": "Türgi", - "Turkmenistan": "Türkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Turks ja Caicose saared", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Kahe Teguri Autentimine", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Kahe teguri autentimine on nüüd lubatud. Skaneerige järgmine QR-kood, kasutades oma telefoni autentimisrakendust.", - "Uganda": "Uganda", - "Ukraine": "Ukraina", "Unauthorized": "Loata", - "United Arab Emirates": "Araabia Ühendemiraadid", - "United Kingdom": "Ühendkuningriik", - "United States": "USA", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "USA äärealadel asuvad Saared", - "Update": "Värskendus", - "Update & Continue Editing": "Uuenda Ja Jätka Redigeerimist", - "Update :resource": "Uuenda :resource", - "Update :resource: :title": "Uuenda :resource: :title", - "Update attached :resource: :title": "Uuendatud lisatud :resource: :title", - "Update Password": "Parooli Uuendamine", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Uuendage oma konto profiili teavet ja e-posti aadressi.", - "Uruguay": "Uruguay", - "Use a recovery code": "Taastekoodi kasutamine", - "Use an authentication code": "Autentimiskoodi kasutamine", - "Uzbekistan": "Usbekistan", - "Value": "Väärtus", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Kinnita E-Posti Aadress", "Verify Your Email Address": "Kinnita Oma E-Posti Aadress", - "Viet Nam": "Vietnam", - "View": "Vaadata", - "Virgin Islands, British": "Briti Neitsisaared", - "Virgin Islands, U.S.": "USA Neitsisaared", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis ja Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Me ei suutnud leida registreeritud kasutaja selle e-posti aadress.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Me ei küsi teie parooli uuesti paar tundi.", - "We're lost in space. The page you were trying to view does not exist.": "Me oleme kosmoses eksinud. Lehte, mida proovisite vaadata, pole olemas.", - "Welcome Back!": "Tere Tulemast Tagasi!", - "Western Sahara": "Lääne-Sahara", - "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.": "Kui kahe teguri autentimine on lubatud, küsitakse teilt autentimise ajal turvalist, juhuslikku tokenit. Võite selle märgi oma telefoni Google Authenticatori rakendusest alla laadida.", - "Whoops": "Whoop", - "Whoops!": "Ups!", - "Whoops! Something went wrong.": "Ups! Midagi läks valesti.", - "With Trashed": "Koos Prügikasti", - "Write": "Kirjutama", - "Year To Date": "Aasta Kuupäev", - "Yearly": "Yearly", - "Yemen": "Jeemen", - "Yes": "Jah", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Olete sisse logitud!", - "You are receiving this email because we received a password reset request for your account.": "Te saate selle e-kirja, sest me saime teie kontole parooli lähtestamise taotluse.", - "You have been invited to join the :team team!": "Teid on kutsutud liituma :team meeskonnaga!", - "You have enabled two factor authentication.": "Olete lubanud kahe teguri autentimise.", - "You have not enabled two factor authentication.": "Te ei ole lubanud kahe teguri autentimist.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "Võite kustutada kõik oma olemasolevad märgid, kui neid enam ei vajata.", - "You may not delete your personal team.": "Te ei pruugi oma isiklikku meeskonda kustutada.", - "You may not leave a team that you created.": "Sa ei pruugi lahkuda meeskond, et olete loonud.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Teie e-posti aadress ei ole kontrollitud.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Sambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Teie e-posti aadress ei ole kontrollitud." } diff --git a/locales/et/packages/cashier.json b/locales/et/packages/cashier.json new file mode 100644 index 00000000000..d575c7e6b80 --- /dev/null +++ b/locales/et/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Kõik õigused reserveeritud.", + "Card": "Kaart", + "Confirm Payment": "Kinnita Makse", + "Confirm your :amount payment": "Kinnitage oma :amount makse", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Teie makse töötlemiseks on vaja täiendavat kinnitust. Palun kinnitage oma makse täites oma makse üksikasjad allpool.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Teie makse töötlemiseks on vaja täiendavat kinnitust. Palun jätkake makse lehele klõpsates allolevale nupule.", + "Full name": "Täisnimi", + "Go back": "Vasta", + "Jane Doe": "Jane Doe", + "Pay :amount": "Palk :amount", + "Payment Cancelled": "Makse Tühistatud", + "Payment Confirmation": "Makse Kinnitus", + "Payment Successful": "Makse Edukas", + "Please provide your name.": "Palun öelge oma nimi.", + "The payment was successful.": "Makse oli edukas.", + "This payment was already successfully confirmed.": "See makse oli juba edukalt kinnitatud.", + "This payment was cancelled.": "See makse tühistati." +} diff --git a/locales/et/packages/fortify.json b/locales/et/packages/fortify.json new file mode 100644 index 00000000000..23120ca808b --- /dev/null +++ b/locales/et/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": ":attribute peab olema vähemalt :length tähemärki ja sisaldama vähemalt ühte numbrit.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute peab olema vähemalt :length tähemärki ning sisaldama vähemalt ühte erimärki ja ühte numbrit.", + "The :attribute must be at least :length characters and contain at least one special character.": ":attribute peab olema vähemalt :length tähemärki ja sisaldama vähemalt ühte erimärki.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute peab olema vähemalt :length tähemärki ja sisaldama vähemalt ühte suurtähte ja ühte numbrit.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute peab olema vähemalt :length tähemärki ning sisaldama vähemalt ühte suurtähte ja ühte erimärki.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute peab olema vähemalt :length tähemärki ja sisaldama vähemalt ühte suurtähte, ühte numbrit ja ühte erimärki.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute peab olema vähemalt :length tähemärki ja sisaldama vähemalt ühte suurtähte.", + "The :attribute must be at least :length characters.": ":attribute peab olema vähemalt :length tähemärki.", + "The provided password does not match your current password.": "Antud parool ei vasta teie praegusele paroolile.", + "The provided password was incorrect.": "Antud parool oli vale.", + "The provided two factor authentication code was invalid.": "Esitatud kahe teguri autentimise kood oli kehtetu." +} diff --git a/locales/et/packages/jetstream.json b/locales/et/packages/jetstream.json new file mode 100644 index 00000000000..8dd49d5478f --- /dev/null +++ b/locales/et/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Registreerimise käigus esitatud e-posti aadressile on saadetud Uus kinnituslink.", + "Accept Invitation": "Võta Kutse Vastu", + "Add": "Lisama", + "Add a new team member to your team, allowing them to collaborate with you.": "Lisage oma meeskonnale Uus meeskonnaliige, võimaldades neil teiega koostööd teha.", + "Add additional security to your account using two factor authentication.": "Lisage oma kontole täiendav turvalisus, kasutades kahe teguri autentimist.", + "Add Team Member": "Lisa Meeskonna Liige", + "Added.": "Lisatud.", + "Administrator": "Administraator", + "Administrator users can perform any action.": "Administraatori kasutajad saavad teha mis tahes toiminguid.", + "All of the people that are part of this team.": "Kõik inimesed, kes on osa sellest meeskonnast.", + "Already registered?": "Juba registreeritud?", + "API Token": "API märgid", + "API Token Permissions": "API märgid õigused", + "API Tokens": "API märgid", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API märgid võimaldavad kolmanda osapoole teenuseid autentida meie taotlusega teie nimel.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Oled sa kindel, et soovid selle meeskonna kustutada? Kui meeskond on kustutatud, kustutatakse kõik selle ressursid ja andmed jäädavalt.", + "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.": "Oled kindel, et soovid oma konto kustutada? Kui teie konto on kustutatud, kustutatakse kõik selle ressursid ja andmed jäädavalt. Palun sisestage oma parool, et kinnitada, et soovite oma konto jäädavalt kustutada.", + "Are you sure you would like to delete this API token?": "Oled sa kindel, et soovid kustutada selle API sümboolne?", + "Are you sure you would like to leave this team?": "Oled sa kindel, et soovid sellest meeskonnast lahkuda?", + "Are you sure you would like to remove this person from the team?": "Oled sa kindel, et soovid selle inimese meeskonnast eemaldada?", + "Browser Sessions": "Brauseri Seansid", + "Cancel": "Tühistama", + "Close": "Lähedal", + "Code": "Kood", + "Confirm": "Kinnitama", + "Confirm Password": "Kinnita Parool", + "Create": "Luua", + "Create a new team to collaborate with others on projects.": "Loo uus meeskond teha koostööd teistega projekte.", + "Create Account": "Konto Loomine", + "Create API Token": "API sümboli loomine", + "Create New Team": "Loo Uus Meeskond", + "Create Team": "Loo Meeskond", + "Created.": "Loodud.", + "Current Password": "Aktiivne Parool", + "Dashboard": "Armatuurlaud", + "Delete": "Kustutama", + "Delete Account": "Kustuta Konto", + "Delete API Token": "Kustuta API Token", + "Delete Team": "Kustuta Meeskond", + "Disable": "Keelama", + "Done.": "Tehtud.", + "Editor": "Toimetaja", + "Editor users have the ability to read, create, and update.": "Toimetaja kasutajatel on võimalus lugeda, luua ja värskendada.", + "Email": "E-post", + "Email Password Reset Link": "E-Posti Parooli Lähtestamise Link", + "Enable": "Võimaldama", + "Ensure your account is using a long, random password to stay secure.": "Veenduge, et teie konto kasutab pikka, juhuslikku parooli, et jääda turvaliseks.", + "For your security, please confirm your password to continue.": "Teie turvalisuse tagamiseks kinnitage oma parool jätkamiseks.", + "Forgot your password?": "Unustasid oma parooli?", + "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.": "Unustasid oma parooli? Pole probleemi. Lihtsalt andke meile teada oma e-posti aadress ja me saadame teile parooli lähtestamise lingi, mis võimaldab teil valida uue.", + "Great! You have accepted the invitation to join the :team team.": "Suurepärane! Olete vastu võtnud kutse liituda :team meeskonnaga.", + "I agree to the :terms_of_service and :privacy_policy": "Nõustun :terms_of_service ja :privacy_policy", + "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.": "Vajadusel võite välja logida kõik oma teiste brauseri istungid kõigis oma seadmetes. Mõned teie hiljutised istungid on loetletud allpool; kuid see nimekiri ei pruugi olla ammendav. Kui tunnete, et teie konto on ohustatud, peaksite ka oma parooli uuendama.", + "If you already have an account, you may accept this invitation by clicking the button below:": "Kui teil on juba konto, võite selle kutse vastu võtta, klõpsates alloleval nupul:", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Kui te ei oodanud sellele meeskonnale kutset, võite selle e-kirja ära visata.", + "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:": "Kui teil pole kontot, võite selle luua, klõpsates alloleval nupul. Pärast konto loomist võite klõpsata kutse vastuvõtmise nuppu selles e-kirjas, et nõustuda meeskonna kutsega:", + "Last active": "Viimati aktiivne", + "Last used": "Viimati kasutatud", + "Leave": "Jätma", + "Leave Team": "Jäta Meeskond", + "Log in": "Logima", + "Log Out": "väljalogimine", + "Log Out Other Browser Sessions": "Logi Välja Muud Brauseri Seansid", + "Manage Account": "Konto Haldamine", + "Manage and log out your active sessions on other browsers and devices.": "Hallake ja logige välja oma aktiivseid seansse teistes brauserites ja seadmetes.", + "Manage API Tokens": "API-märkide haldamine", + "Manage Role": "Halda Rolli", + "Manage Team": "Meeskonna Haldamine", + "Name": "Nimi", + "New Password": "Uus Parool", + "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.": "Kui meeskond on kustutatud, kustutatakse kõik selle ressursid ja andmed jäädavalt. Enne selle meeskonna kustutamist laadige alla kõik andmed või teave selle meeskonna kohta, mida soovite säilitada.", + "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.": "Kui teie konto on kustutatud, kustutatakse kõik selle ressursid ja andmed jäädavalt. Enne konto kustutamist laadige alla kõik andmed või teave, mida soovite säilitada.", + "Password": "Parool", + "Pending Team Invitations": "Ootel Meeskonna Kutsed", + "Permanently delete this team.": "Kustuta see meeskond jäädavalt.", + "Permanently delete your account.": "Jäädavalt kustutada oma konto.", + "Permissions": "Õigus", + "Photo": "Foto", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Kinnitage juurdepääs oma kontole, sisestades ühe oma hädaolukorra taastamise koodidest.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Kinnitage juurdepääs oma kontole, sisestades autentimisrakenduse poolt pakutava autentimiskoodi.", + "Please copy your new API token. For your security, it won't be shown again.": "Palun kopeerige oma uus API token. Teie turvalisuse huvides seda enam ei näidata.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Palun sisestage oma parool, et kinnitada, et soovite oma teistest brauseri seanssidest kõigis oma seadmetes välja logida.", + "Please provide the email address of the person you would like to add to this team.": "Palun esitage selle isiku e-posti aadress, keda soovite sellesse meeskonda lisada.", + "Privacy Policy": "privaatsuspoliitika", + "Profile": "Profiil", + "Profile Information": "profiiliteave", + "Recovery Code": "Taastamise Kood", + "Regenerate Recovery Codes": "Regenereeri Taastekoodid", + "Register": "Registreerima", + "Remember me": "Mäleta mind", + "Remove": "Eemaldama", + "Remove Photo": "Eemalda Foto", + "Remove Team Member": "Eemalda Meeskonna Liige", + "Resend Verification Email": "Saada Kinnitusmeil Uuesti", + "Reset Password": "Lähtesta Parool", + "Role": "Roll", + "Save": "Salvestama", + "Saved.": "Salvestama.", + "Select A New Photo": "Uue Foto Valimine", + "Show Recovery Codes": "Taastekoodide Näitamine", + "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.": "Salvestage need taastekoodid turvalises paroolihalduris. Neid saab kasutada teie kontole juurdepääsu taastamiseks, kui teie kahe teguri autentimisseade on kadunud.", + "Switch Teams": "Vahetusmeeskonnad", + "Team Details": "Meeskonna Andmed", + "Team Invitation": "Meeskonna Kutse", + "Team Members": "meeskonnaliikme", + "Team Name": "Meeskonna Nimi", + "Team Owner": "Meeskonna Omanik", + "Team Settings": "Meeskonna Seadistused", + "Terms of Service": "kasutustingimused", + "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.": "Tänud registreerumast! Enne alustamist, võiks kontrollida oma e-posti aadress klõpsates lingil me lihtsalt saadetakse teile? Kui te ei saanud e-kirja, saadame teile hea meelega teise.", + "The :attribute must be a valid role.": ":attribute peab olema kehtiv roll.", + "The :attribute must be at least :length characters and contain at least one number.": ":attribute peab olema vähemalt :length tähemärki ja sisaldama vähemalt ühte numbrit.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute peab olema vähemalt :length tähemärki ning sisaldama vähemalt ühte erimärki ja ühte numbrit.", + "The :attribute must be at least :length characters and contain at least one special character.": ":attribute peab olema vähemalt :length tähemärki ja sisaldama vähemalt ühte erimärki.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute peab olema vähemalt :length tähemärki ja sisaldama vähemalt ühte suurtähte ja ühte numbrit.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute peab olema vähemalt :length tähemärki ning sisaldama vähemalt ühte suurtähte ja ühte erimärki.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute peab olema vähemalt :length tähemärki ja sisaldama vähemalt ühte suurtähte, ühte numbrit ja ühte erimärki.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute peab olema vähemalt :length tähemärki ja sisaldama vähemalt ühte suurtähte.", + "The :attribute must be at least :length characters.": ":attribute peab olema vähemalt :length tähemärki.", + "The provided password does not match your current password.": "Antud parool ei vasta teie praegusele paroolile.", + "The provided password was incorrect.": "Antud parool oli vale.", + "The provided two factor authentication code was invalid.": "Esitatud kahe teguri autentimise kood oli kehtetu.", + "The team's name and owner information.": "Meeskonna nimi ja omaniku andmed.", + "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.": "Need inimesed on kutsutud oma meeskonda ja on saadetud kutse e-posti. Nad võivad liituda meeskonnaga, nõustudes e-posti kutsega.", + "This device": "See seade", + "This is a secure area of the application. Please confirm your password before continuing.": "See on rakenduse turvaline ala. Palun kinnitage oma parool enne jätkamist.", + "This password does not match our records.": "See parool ei vasta meie andmetele.", + "This user already belongs to the team.": "See kasutaja kuulub juba meeskonda.", + "This user has already been invited to the team.": "See kasutaja on juba meeskonda kutsutud.", + "Token Name": "Sümboli Nimi", + "Two Factor Authentication": "Kahe Teguri Autentimine", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Kahe teguri autentimine on nüüd lubatud. Skaneerige järgmine QR-kood, kasutades oma telefoni autentimisrakendust.", + "Update Password": "Parooli Uuendamine", + "Update your account's profile information and email address.": "Uuendage oma konto profiili teavet ja e-posti aadressi.", + "Use a recovery code": "Taastekoodi kasutamine", + "Use an authentication code": "Autentimiskoodi kasutamine", + "We were unable to find a registered user with this email address.": "Me ei suutnud leida registreeritud kasutaja selle e-posti aadress.", + "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.": "Kui kahe teguri autentimine on lubatud, küsitakse teilt autentimise ajal turvalist, juhuslikku tokenit. Võite selle märgi oma telefoni Google Authenticatori rakendusest alla laadida.", + "Whoops! Something went wrong.": "Ups! Midagi läks valesti.", + "You have been invited to join the :team team!": "Teid on kutsutud liituma :team meeskonnaga!", + "You have enabled two factor authentication.": "Olete lubanud kahe teguri autentimise.", + "You have not enabled two factor authentication.": "Te ei ole lubanud kahe teguri autentimist.", + "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.": "Võite kustutada kõik oma olemasolevad märgid, kui neid enam ei vajata.", + "You may not delete your personal team.": "Te ei pruugi oma isiklikku meeskonda kustutada.", + "You may not leave a team that you created.": "Sa ei pruugi lahkuda meeskond, et olete loonud." +} diff --git a/locales/et/packages/nova.json b/locales/et/packages/nova.json new file mode 100644 index 00000000000..facff83f379 --- /dev/null +++ b/locales/et/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 päeva", + "60 Days": "60 päeva", + "90 Days": "90 päeva", + ":amount Total": ":amount kokku", + ":resource Details": ":resource üksikasjad", + ":resource Details: :title": ":resource üksikasjad: :title", + "Action": "Tegevus", + "Action Happened At": "Juhtus", + "Action Initiated By": "Algatatud", + "Action Name": "Nimi", + "Action Status": "Staatus", + "Action Target": "Eesmärk", + "Actions": "Tegevus", + "Add row": "Lisa rida", + "Afghanistan": "Afganistan", + "Aland Islands": "Ahvenamaa", + "Albania": "Albaania", + "Algeria": "Alžeeria", + "All resources loaded.": "Kõik ressursid laetud.", + "American Samoa": "Ameerika Samoa", + "An error occured while uploading the file.": "Faili üleslaadimisel Tekkis viga.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Teine kasutaja on värskendanud seda ressurssi alates selle lehe laadimisest. Palun värskendage lehte ja proovige uuesti.", + "Antarctica": "Antarktika", + "Antigua And Barbuda": "Antigua ja Barbuda", + "April": "Aprill", + "Are you sure you want to delete the selected resources?": "Kas tõesti kustutada valitud ressursid?", + "Are you sure you want to delete this file?": "Kas tõesti kustutada see fail?", + "Are you sure you want to delete this resource?": "Oled sa kindel, et soovid selle ressursi kustutada?", + "Are you sure you want to detach the selected resources?": "Kas tõesti eemaldada valitud ressursid?", + "Are you sure you want to detach this resource?": "Kas olete kindel, et soovite selle ressursi eemaldada?", + "Are you sure you want to force delete the selected resources?": "Kas tõesti sundida valitud ressursse kustutama?", + "Are you sure you want to force delete this resource?": "Oled sa kindel, et soovid sundida seda ressurssi kustutama?", + "Are you sure you want to restore the selected resources?": "Kas tõesti taastada valitud ressursid?", + "Are you sure you want to restore this resource?": "Kas olete kindel, et soovite selle ressursi taastada?", + "Are you sure you want to run this action?": "Kas olete kindel, et soovite käivitada see tegevus?", + "Argentina": "Argentina", + "Armenia": "Armeenia", + "Aruba": "Aruba", + "Attach": "Lisama", + "Attach & Attach Another": "Kinnita Ja Kinnita Teine", + "Attach :resource": "Lisada :resource", + "August": "August", + "Australia": "Austraalia", + "Austria": "Austria", + "Azerbaijan": "Aserbaidžaan", + "Bahamas": "Bahama", + "Bahrain": "Bahrein", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Valgevene", + "Belgium": "Belgia", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Bolivia": "Boliivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius ja Sábado", + "Bosnia And Herzegovina": "Bosnia ja Hertsegoviina", + "Botswana": "Botswana", + "Bouvet Island": "Bouveti Saar", + "Brazil": "Brasiilia", + "British Indian Ocean Territory": "Briti India Ookeani Territoorium", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodža", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel": "Tühistama", + "Cape Verde": "Cabo Verde", + "Cayman Islands": "Kaimanisaared", + "Central African Republic": "Kesk-Aafrika Vabariik", + "Chad": "Tšaad", + "Changes": "Muutus", + "Chile": "Tšiili", + "China": "Hiina", + "Choose": "Valima", + "Choose :field": "Vali :field", + "Choose :resource": "Vali :resource", + "Choose an option": "Valige suvand", + "Choose date": "Vali kuupäev", + "Choose File": "Vali Fail", + "Choose Type": "Vali Tüüp", + "Christmas Island": "Jõulusaar", + "Click to choose": "Klõpsa, et valida", + "Cocos (Keeling) Islands": "Cocose (Keelingi) Saared", + "Colombia": "Colombia", + "Comoros": "Komoorid", + "Confirm Password": "Kinnita Parool", + "Congo": "Kongo", + "Congo, Democratic Republic": "Kongo Demokraatlik Vabariik", + "Constant": "Pidev", + "Cook Islands": "Cooki Saared", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "ei leitud.", + "Create": "Luua", + "Create & Add Another": "Loo Ja Lisa Veel", + "Create :resource": "Loo :resource", + "Croatia": "Horvaatia", + "Cuba": "Kuuba", + "Curaçao": "Curacao", + "Customize": "Kohandada", + "Cyprus": "Küpros", + "Czech Republic": "Tšehhi", + "Dashboard": "Armatuurlaud", + "December": "Detsember", + "Decrease": "Vähenema", + "Delete": "Kustutama", + "Delete File": "Kustuta Fail", + "Delete Resource": "Kustuta Ressurss", + "Delete Selected": "Kustuta Valitud", + "Denmark": "Taani", + "Detach": "Eemaldage", + "Detach Resource": "Eralda Ressurss", + "Detach Selected": "Eemalda Valitud", + "Details": "Üksikasjad", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Kas sa tõesti tahad lahkuda? Sul on salvestamata muudatused.", + "Dominica": "Pühapäev", + "Dominican Republic": "Dominikaani Vabariik", + "Download": "Laadima", + "Ecuador": "Ecuador", + "Edit": "Muutma", + "Edit :resource": "Muutma :resource", + "Edit Attached": "Redigeerimine Lisatud", + "Egypt": "Egiptus", + "El Salvador": "Salvador", + "Email Address": "meiliaadress", + "Equatorial Guinea": "Ekvatoriaal-Guinea", + "Eritrea": "Eritrea", + "Estonia": "Eesti", + "Ethiopia": "Etioopia", + "Falkland Islands (Malvinas)": "Falklandi Saared (Malvinas)", + "Faroe Islands": "Fääri Saared", + "February": "Veebruar", + "Fiji": "Fidži", + "Finland": "Soome", + "Force Delete": "Sundige Kustutama", + "Force Delete Resource": "Kustuta Ressurss", + "Force Delete Selected": "Kustuta Valitud", + "Forgot Your Password?": "Unustasid Oma Parooli?", + "Forgot your password?": "Unustasid oma parooli?", + "France": "Prantsusmaa", + "French Guiana": "Prantsuse Guajaana", + "French Polynesia": "Prantsuse Polüneesia", + "French Southern Territories": "Prantsuse Lõunapiirkonnad", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Gruusia", + "Germany": "Saksamaa", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "koju", + "Greece": "Kreeka", + "Greenland": "Gröönimaa", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guajaana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Heard Island ja McDonaldi saared", + "Hide Content": "Peida Sisu", + "Hold Up!": "Pea Kinni!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hongkong", + "Hungary": "Ungari", + "Iceland": "Island", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "Kui te ei taotlenud parooli lähtestamist, ei ole täiendavaid meetmeid vaja.", + "Increase": "Suurendama", + "India": "India", + "Indonesia": "Indoneesia", + "Iran, Islamic Republic Of": "Iraan", + "Iraq": "Iraak", + "Ireland": "Iirimaa", + "Isle Of Man": "Mani saar", + "Israel": "Iisrael", + "Italy": "Itaalia", + "Jamaica": "Jamaica", + "January": "Jaanuar", + "Japan": "Jaapan", + "Jersey": "Kampsun", + "Jordan": "Jordaania", + "July": "Juuli", + "June": "Juuni", + "Kazakhstan": "Kasahstan", + "Kenya": "Kenya", + "Key": "Võti", + "Kiribati": "Kiribati", + "Korea": "Korea", + "Korea, Democratic People's Republic of": "Põhja-Korea", + "Kosovo": "Kosovo", + "Kuwait": "Kuveidi", + "Kyrgyzstan": "Kõrgõzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Läti", + "Lebanon": "Liibanon", + "Lens": "Objektiiv", + "Lesotho": "Lesotho", + "Liberia": "Libeeria", + "Libyan Arab Jamahiriya": "Liibüa", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Leedu", + "Load :perPage More": "Koormus :perPage rohkem", + "Login": "Logima", + "Logout": "Väljalogimine", + "Luxembourg": "Luksemburg", + "Macao": "Aomen", + "Macedonia": "Põhja-Makedoonia", + "Madagascar": "Madagaskar", + "Malawi": "Malawi", + "Malaysia": "Malaisia", + "Maldives": "Maldiivid", + "Mali": "Väike", + "Malta": "Malta", + "March": "Märts", + "Marshall Islands": "Marshalli Saared", + "Martinique": "Martinique", + "Mauritania": "Mauritaania", + "Mauritius": "Mauritius", + "May": "Võib", + "Mayotte": "Mayotte", + "Mexico": "Mehhiko", + "Micronesia, Federated States Of": "Mikroneesia", + "Moldova": "Moldova", + "Monaco": "Monaco", + "Mongolia": "Mongoolia", + "Montenegro": "Montenegro", + "Month To Date": "Kuu Kuupäev", + "Montserrat": "Montserrat", + "Morocco": "Maroko", + "Mozambique": "Mosambiik", + "Myanmar": "Myanmar", + "Namibia": "Namiibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Madalmaad", + "New": "Uus", + "New :resource": "Uus :resource", + "New Caledonia": "Uus-Kaledoonia", + "New Zealand": "Uus-Meremaa", + "Next": "Järgmine", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeeria", + "Niue": "Niue", + "No": "Nr", + "No :resource matched the given criteria.": "Nr :resource vastas esitatud kriteeriumidele.", + "No additional information...": "Lisainformatsioon puudub...", + "No Current Data": "Praegused Andmed Puuduvad", + "No Data": "Andmed Puuduvad", + "no file selected": "faili pole valitud", + "No Increase": "Ei Suurenda", + "No Prior Data": "Eelnevad Andmed Puuduvad", + "No Results Found.": "Tulemusi Ei Leitud.", + "Norfolk Island": "Norfolki Saar", + "Northern Mariana Islands": "Põhja-Mariaanid", + "Norway": "Norra", + "Nova User": "Tuvastamata Kasutaja", + "November": "November", + "October": "Oktoober", + "of": "kohta", + "Oman": "Omaan", + "Only Trashed": "Ainult Prügikasti", + "Original": "Algne", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestiina Alad", + "Panama": "Panama", + "Papua New Guinea": "Paapua Uus-Guinea", + "Paraguay": "Paraguay", + "Password": "Parool", + "Per Page": "Lehekülje Kohta", + "Peru": "Peruu", + "Philippines": "Filipiinid", + "Pitcairn": "Pitcairni Saared", + "Poland": "Poola", + "Portugal": "Portugal", + "Press \/ to search": "Vajutage \/ et otsida", + "Preview": "Eelvaade", + "Previous": "Eelmine", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Kvartal Tänaseni", + "Reload": "Laadida", + "Remember Me": "Mäleta Mind", + "Reset Filters": "Lähtesta Filtrid", + "Reset Password": "Lähtesta Parool", + "Reset Password Notification": "Parooli Teate Lähtestamine", + "resource": "ressurss", + "Resources": "Ressurss", + "resources": "ressurss", + "Restore": "Taastama", + "Restore Resource": "Taasta Ressurss", + "Restore Selected": "Taasta Valitud", + "Reunion": "Kohtumine", + "Romania": "Rumeenia", + "Run Action": "Käivita Tegevus", + "Russian Federation": "Venemaa Föderatsioon", + "Rwanda": "Rwanda", + "Saint Barthelemy": "Püha Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts And Nevis": "St. Kitts ja Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin": "St. Martin", + "Saint Pierre And Miquelon": "St. Pierre ja Miquelon", + "Saint Vincent And Grenadines": "Saint Vincent ja Grenadiinid", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "São Tomé ja Príncipe", + "Saudi Arabia": "Saudi Araabia", + "Search": "Otsing", + "Select Action": "Vali Toiming", + "Select All": "Vali Kõik", + "Select All Matching": "Vali Kõik Sobitamine", + "Send Password Reset Link": "Parooli Lähtestamise Lingi Saatmine", + "Senegal": "Senegal", + "September": "September", + "Serbia": "Serbia", + "Seychelles": "Seišellid", + "Show All Fields": "Näita Kõiki Välju", + "Show Content": "Sisu Näitamine", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapur", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovakkia", + "Slovenia": "Sloveenia", + "Solomon Islands": "Saalomoni Saared", + "Somalia": "Somaalia", + "Something went wrong.": "Midagi läks valesti.", + "Sorry! You are not authorized to perform this action.": "Vabandust! Te ei ole volitatud seda toimingut tegema.", + "Sorry, your session has expired.": "Vabandust, teie seanss on lõppenud.", + "South Africa": "Lõuna-Aafrika", + "South Georgia And Sandwich Isl.": "Lõuna-Georgia ja Lõuna-Sandwichi saared", + "South Sudan": "Lõuna-Sudaan", + "Spain": "Hispaania", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Alusta Küsitlust", + "Stop Polling": "Lõpetage Küsitlus", + "Sudan": "Sudaan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard ja Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Rootsi", + "Switzerland": "Šveits", + "Syrian Arab Republic": "Süüria", + "Taiwan": "Taiwan", + "Tajikistan": "Tadžikistan", + "Tanzania": "Tansaania", + "Thailand": "Tai", + "The :resource was created!": ":resource loodi!", + "The :resource was deleted!": ":resource kustutati!", + "The :resource was restored!": ":resource taastati!", + "The :resource was updated!": ":resource uuendati!", + "The action ran successfully!": "Tegevus kulges edukalt!", + "The file was deleted!": "Fail kustutati!", + "The government won't let us show you what's behind these doors": "Valitsus ei lase meil teile näidata, mis on nende uste taga", + "The HasOne relationship has already been filled.": "HasOne suhe on juba täidetud.", + "The resource was updated!": "Ressurss uuendati!", + "There are no available options for this resource.": "Selle ressursi jaoks pole saadaval olevaid võimalusi.", + "There was a problem executing the action.": "Seal oli probleem täitmise hagi.", + "There was a problem submitting the form.": "Ankeedi esitamisega oli probleeme.", + "This file field is read-only.": "See failiväli on kirjutuskaitstud.", + "This image": "See pilt", + "This resource no longer exists": "Seda ressurssi enam ei eksisteeri", + "Timor-Leste": "Timor-Leste", + "Today": "Täna", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tulema", + "total": "kokku", + "Trashed": "Prügikasti", + "Trinidad And Tobago": "Trinidad ja Tobago", + "Tunisia": "Tuneesia", + "Turkey": "Türgi", + "Turkmenistan": "Türkmenistan", + "Turks And Caicos Islands": "Turks ja Caicose saared", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraina", + "United Arab Emirates": "Araabia Ühendemiraadid", + "United Kingdom": "Ühendkuningriik", + "United States": "USA", + "United States Outlying Islands": "USA äärealadel asuvad Saared", + "Update": "Värskendus", + "Update & Continue Editing": "Uuenda Ja Jätka Redigeerimist", + "Update :resource": "Uuenda :resource", + "Update :resource: :title": "Uuenda :resource: :title", + "Update attached :resource: :title": "Uuendatud lisatud :resource: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Usbekistan", + "Value": "Väärtus", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Vaadata", + "Virgin Islands, British": "Briti Neitsisaared", + "Virgin Islands, U.S.": "USA Neitsisaared", + "Wallis And Futuna": "Wallis ja Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Me oleme kosmoses eksinud. Lehte, mida proovisite vaadata, pole olemas.", + "Welcome Back!": "Tere Tulemast Tagasi!", + "Western Sahara": "Lääne-Sahara", + "Whoops": "Whoop", + "Whoops!": "Ups!", + "With Trashed": "Koos Prügikasti", + "Write": "Kirjutama", + "Year To Date": "Aasta Kuupäev", + "Yemen": "Jeemen", + "Yes": "Jah", + "You are receiving this email because we received a password reset request for your account.": "Te saate selle e-kirja, sest me saime teie kontole parooli lähtestamise taotluse.", + "Zambia": "Sambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/et/packages/spark-paddle.json b/locales/et/packages/spark-paddle.json new file mode 100644 index 00000000000..84d036a5a45 --- /dev/null +++ b/locales/et/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "kasutustingimused", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Ups! Midagi läks valesti.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/et/packages/spark-stripe.json b/locales/et/packages/spark-stripe.json new file mode 100644 index 00000000000..694756a5eae --- /dev/null +++ b/locales/et/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afganistan", + "Albania": "Albaania", + "Algeria": "Alžeeria", + "American Samoa": "Ameerika Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarktika", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armeenia", + "Aruba": "Aruba", + "Australia": "Austraalia", + "Austria": "Austria", + "Azerbaijan": "Aserbaidžaan", + "Bahamas": "Bahama", + "Bahrain": "Bahrein", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Valgevene", + "Belgium": "Belgia", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouveti Saar", + "Brazil": "Brasiilia", + "British Indian Ocean Territory": "Briti India Ookeani Territoorium", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodža", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Cabo Verde", + "Card": "Kaart", + "Cayman Islands": "Kaimanisaared", + "Central African Republic": "Kesk-Aafrika Vabariik", + "Chad": "Tšaad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Tšiili", + "China": "Hiina", + "Christmas Island": "Jõulusaar", + "City": "City", + "Cocos (Keeling) Islands": "Cocose (Keelingi) Saared", + "Colombia": "Colombia", + "Comoros": "Komoorid", + "Confirm Payment": "Kinnita Makse", + "Confirm your :amount payment": "Kinnitage oma :amount makse", + "Congo": "Kongo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Cooki Saared", + "Costa Rica": "Costa Rica", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Horvaatia", + "Cuba": "Kuuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Küpros", + "Czech Republic": "Tšehhi", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Taani", + "Djibouti": "Djibouti", + "Dominica": "Pühapäev", + "Dominican Republic": "Dominikaani Vabariik", + "Download Receipt": "Download Receipt", + "Ecuador": "Ecuador", + "Egypt": "Egiptus", + "El Salvador": "Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Ekvatoriaal-Guinea", + "Eritrea": "Eritrea", + "Estonia": "Eesti", + "Ethiopia": "Etioopia", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Teie makse töötlemiseks on vaja täiendavat kinnitust. Palun jätkake makse lehele klõpsates allolevale nupule.", + "Falkland Islands (Malvinas)": "Falklandi Saared (Malvinas)", + "Faroe Islands": "Fääri Saared", + "Fiji": "Fidži", + "Finland": "Soome", + "France": "Prantsusmaa", + "French Guiana": "Prantsuse Guajaana", + "French Polynesia": "Prantsuse Polüneesia", + "French Southern Territories": "Prantsuse Lõunapiirkonnad", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Gruusia", + "Germany": "Saksamaa", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Kreeka", + "Greenland": "Gröönimaa", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guajaana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hongkong", + "Hungary": "Ungari", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Island", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "India", + "Indonesia": "Indoneesia", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Iraak", + "Ireland": "Iirimaa", + "Isle of Man": "Isle of Man", + "Israel": "Iisrael", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Itaalia", + "Jamaica": "Jamaica", + "Japan": "Jaapan", + "Jersey": "Kampsun", + "Jordan": "Jordaania", + "Kazakhstan": "Kasahstan", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Põhja-Korea", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuveidi", + "Kyrgyzstan": "Kõrgõzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Läti", + "Lebanon": "Liibanon", + "Lesotho": "Lesotho", + "Liberia": "Libeeria", + "Libyan Arab Jamahiriya": "Liibüa", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Leedu", + "Luxembourg": "Luksemburg", + "Macao": "Aomen", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagaskar", + "Malawi": "Malawi", + "Malaysia": "Malaisia", + "Maldives": "Maldiivid", + "Mali": "Väike", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marshalli Saared", + "Martinique": "Martinique", + "Mauritania": "Mauritaania", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mehhiko", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monaco", + "Mongolia": "Mongoolia", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Maroko", + "Mozambique": "Mosambiik", + "Myanmar": "Myanmar", + "Namibia": "Namiibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Madalmaad", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Uus-Kaledoonia", + "New Zealand": "Uus-Meremaa", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeeria", + "Niue": "Niue", + "Norfolk Island": "Norfolki Saar", + "Northern Mariana Islands": "Põhja-Mariaanid", + "Norway": "Norra", + "Oman": "Omaan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestiina Alad", + "Panama": "Panama", + "Papua New Guinea": "Paapua Uus-Guinea", + "Paraguay": "Paraguay", + "Payment Information": "Payment Information", + "Peru": "Peruu", + "Philippines": "Filipiinid", + "Pitcairn": "Pitcairni Saared", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Poola", + "Portugal": "Portugal", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Rumeenia", + "Russian Federation": "Venemaa Föderatsioon", + "Rwanda": "Rwanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saudi Araabia", + "Save": "Salvestama", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbia", + "Seychelles": "Seišellid", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapur", + "Slovakia": "Slovakkia", + "Slovenia": "Sloveenia", + "Solomon Islands": "Saalomoni Saared", + "Somalia": "Somaalia", + "South Africa": "Lõuna-Aafrika", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Hispaania", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudaan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Rootsi", + "Switzerland": "Šveits", + "Syrian Arab Republic": "Süüria", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tadžikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "kasutustingimused", + "Thailand": "Tai", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tulema", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tuneesia", + "Turkey": "Türgi", + "Turkmenistan": "Türkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraina", + "United Arab Emirates": "Araabia Ühendemiraadid", + "United Kingdom": "Ühendkuningriik", + "United States": "USA", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Värskendus", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Usbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Briti Neitsisaared", + "Virgin Islands, U.S.": "USA Neitsisaared", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Lääne-Sahara", + "Whoops! Something went wrong.": "Ups! Midagi läks valesti.", + "Yearly": "Yearly", + "Yemen": "Jeemen", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Sambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/eu/eu.json b/locales/eu/eu.json index 39039540265..8f6f4ecaf89 100644 --- a/locales/eu/eu.json +++ b/locales/eu/eu.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Egun", - "60 Days": "60 Egun", - "90 Days": "90 Egun", - ":amount Total": ":amount Guztira", - ":days day trial": ":days day trial", - ":resource Details": ":resource Xehetasunak", - ":resource Details: :title": ":resource Xehetasunak: :title", "A fresh verification link has been sent to your email address.": "Baieztapen esteka berri bat bidali da zure helbide elektronikora.", - "A new verification link has been sent to the email address you provided during registration.": "Berri bat egiaztapen-esteka bidali nahi duzun e-posta helbidea eman izena emateko garaian.", - "Accept Invitation": "Gonbidapena Onartu", - "Action": "Ekintza", - "Action Happened At": "Gertatu At", - "Action Initiated By": "Hasitako", - "Action Name": "Izena", - "Action Status": "Egoera", - "Action Target": "Helburu", - "Actions": "Ekintzak", - "Add": "Gehitu", - "Add a new team member to your team, allowing them to collaborate with you.": "Berri bat gehitu taldeko kidea izateko, zure taldeak, aukera izan dezaten, lankidetzan duzu.", - "Add additional security to your account using two factor authentication.": "Gehitu segurtasun gehiago zure kontua erabiliz, bi faktore autentifikazioa.", - "Add row": "Gehitu errenkada", - "Add Team Member": "Gehitu Taldeko Kidea", - "Add VAT Number": "Add VAT Number", - "Added.": "Gehitu.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administratzaileak", - "Administrator users can perform any action.": "Administratzaile erabiltzaileek egin ahal izango da edozein ekintza.", - "Afghanistan": "Afganistanen", - "Aland Islands": "Aland Uharteak", - "Albania": "Albania", - "Algeria": "Aljeria", - "All of the people that are part of this team.": "Pertsona guztiak dira, eta horren zati taldeak.", - "All resources loaded.": "Baliabide guztiak kargatu.", - "All rights reserved.": "Eskubide guztiak erreserbatuta.", - "Already registered?": "Dagoeneko erregistratuta?", - "American Samoa": "American Samoa", - "An error occured while uploading the file.": "Errorea gertatu da berriz kargatzeko fitxategia.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorrako", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Beste erabiltzaile eguneratu du baliabide hau geroztik orriaren kargatu. Mesedez freskatu orria eta saiatu berriro.", - "Antarctica": "Antartikako", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua eta Barbuda", - "API Token": "API Token", - "API Token Permissions": "API Token Baimenak", - "API Tokens": "API Token", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API token onartu hirugarrenen zerbitzuak autentifikatzeko gure aplikazioa zure izenean.", - "April": "Apirilaren", - "Are you sure you want to delete the selected resources?": "Ziur zaude ezabatu nahi duzun hautatutako baliabideak?", - "Are you sure you want to delete this file?": "Ziur zaude ezabatu nahi duzun fitxategi hau?", - "Are you sure you want to delete this resource?": "Ziur zaude ezabatu nahi duzula baliabide hau?", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Ziur zaude ezabatu nahi duzula talde hau? Behin talde bat ezabatzen da, guztiak bere baliabide eta datu-betirako izango da ezabatu.", - "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.": "Ziur zaude ezabatu nahi duzula zure kontua? Behin zure kontua ezabatu egingo da, guztiak bere baliabide eta datu-betirako izango da ezabatu. Mesedez, sartu zure pasahitza berretsi nahi duzu betirako zure kontua ezabatu.", - "Are you sure you want to detach the selected resources?": "Ziur ez duzu nahi deskonektatzea hautatutako baliabideak?", - "Are you sure you want to detach this resource?": "Ziur ez duzu nahi deskonektatzea baliabide hau?", - "Are you sure you want to force delete the selected resources?": "Ziur zaude hori nahi duzun indarra ezabatu hautatutako baliabideak?", - "Are you sure you want to force delete this resource?": "Ziur zaude hori nahi duzun indarra ezabatu baliabide hau?", - "Are you sure you want to restore the selected resources?": "Ziur zaude berrezarri nahi duzun hautatutako baliabideak?", - "Are you sure you want to restore this resource?": "Ziur zaude berrezarri nahi duzun baliabide hau?", - "Are you sure you want to run this action?": "Ziur zaude exekutatu nahi duzun ekintza hau?", - "Are you sure you would like to delete this API token?": "Ziur zaude ezabatu nahi duzun API hau token?", - "Are you sure you would like to leave this team?": "Ziur ez duzu nahi, utzi talde hau?", - "Are you sure you would like to remove this person from the team?": "Ziur zaude hori nahi duzu hau kentzeko pertsona taldeak?", - "Argentina": "Argentina", - "Armenia": "Armenia", - "Aruba": "Aruba", - "Attach": "Erantsi", - "Attach & Attach Another": "Erantsi & Erantsi Beste", - "Attach :resource": "Erantsi :resource", - "August": "Abuztua", - "Australia": "Australia", - "Austria": "Austria", - "Azerbaijan": "Azerbaijan", - "Bahamas": "Bahamak", - "Bahrain": "Bahrain", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Jarraitu aurretik, begiratu zure posta elektronikoan baieztapen estekarik baden.", - "Belarus": "Bielorrusia", - "Belgium": "Belgika", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bhutan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sábado", - "Bosnia And Herzegovina": "Bosnia eta Herzegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvet Uhartea", - "Brazil": "Brasilen", - "British Indian Ocean Territory": "Britainiar Indiako Ozeanoko Lurralde", - "Browser Sessions": "Nabigatzailean Saio", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgaria", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Kanbodiako", - "Cameroon": "Kamerun", - "Canada": "Kanadan", - "Cancel": "Utzi", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Cabo Verde", - "Card": "Txartela", - "Cayman Islands": "Kaiman Uharteak", - "Central African Republic": "Afrika Erdiko Errepublika", - "Chad": "Chad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Aldaketak", - "Chile": "Txile", - "China": "Txina", - "Choose": "Aukeratu", - "Choose :field": "Aukeratu :field", - "Choose :resource": "Aukeratu :resource", - "Choose an option": "Aukeratu aukera bat", - "Choose date": "Aukeratu data", - "Choose File": "Aukeratu Fitxategia", - "Choose Type": "Aukeratu Mota", - "Christmas Island": "Gabonetako Island", - "City": "City", "click here to request another": "egin klik hemen beste bat eskatzeko", - "Click to choose": "Egin klik aukeratu", - "Close": "Itxi", - "Cocos (Keeling) Islands": "Cocos (Keeling) Uharteak", - "Code": "Kodea", - "Colombia": "Kolonbia", - "Comoros": "Comoros", - "Confirm": "Berretsi", - "Confirm Password": "Berretsi pasahitza", - "Confirm Payment": "Berretsi Ordainketa", - "Confirm your :amount payment": "Berretsi zure :amount ordainketa", - "Congo": "Kongoko", - "Congo, Democratic Republic": "Kongoko Errepublika Demokratikoa", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Etengabeko", - "Cook Islands": "Cook Uharteak", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "ezin izan da aurkitu.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Sortu", - "Create & Add Another": "Sortu Eta Gehitu Beste", - "Create :resource": "Sortu :resource", - "Create a new team to collaborate with others on projects.": "Sortu talde berri bat lankidetzan aritzea, besteen proiektuak.", - "Create Account": "Sortu Kontua", - "Create API Token": "Sortu API Token", - "Create New Team": "Sortu Talde Berri", - "Create Team": "Sortu Talde", - "Created.": "Sortu.", - "Croatia": "Kroazia", - "Cuba": "Cuba", - "Curaçao": "Curacao", - "Current Password": "Egungo Pasahitza", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Pertsonalizatu", - "Cyprus": "Txipre", - "Czech Republic": "Txekia", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Arbel", - "December": "Abenduaren", - "Decrease": "Jaitsiera", - "Delete": "Ezabatu", - "Delete Account": "Ezabatu Kontua", - "Delete API Token": "Ezabatu API Token", - "Delete File": "Fitxategia Ezabatu", - "Delete Resource": "Ezabatu Baliabide", - "Delete Selected": "Ezabatu Hautatutako", - "Delete Team": "Ezabatu Taldeak", - "Denmark": "Danimarka", - "Detach": "Deskonektatzea", - "Detach Resource": "Deskonektatzea Baliabide", - "Detach Selected": "Deskonektatzea Hautatutako", - "Details": "Xehetasunak", - "Disable": "Desgaitu", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Ez duzu benetan utzi nahi? Duzu gorde gabe dauden aldaketak.", - "Dominica": "Igandea", - "Dominican Republic": "Dominikar Errepublika", - "Done.": "Egin.", - "Download": "Deskargatu", - "Download Receipt": "Download Receipt", "E-Mail Address": "Helbide elektronikoa", - "Ecuador": "Ekuadorren", - "Edit": "Editatu", - "Edit :resource": "Editatu :resource", - "Edit Attached": "Editatu Erantsita", - "Editor": "Editorea", - "Editor users have the ability to read, create, and update.": "Editor erabiltzaile gaitasuna dute irakurri, sortu eta eguneratu.", - "Egypt": "Egipto", - "El Salvador": "Salvador", - "Email": "Email", - "Email Address": "E-Posta Helbidea", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "E-Posta Pasahitza Berrezarri Lotura", - "Enable": "Gaitu", - "Ensure your account is using a long, random password to stay secure.": "Ziurtatu zure kontua da luze bat erabiliz, ausazko pasahitza lo seguru.", - "Equatorial Guinea": "Ekuatore Gineako", - "Eritrea": "Eritrea", - "Estonia": "Estonia", - "Ethiopia": "Etiopia", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Aparteko erreserbatu behar da prozesu zure ordainketa. Mesedez, baieztatu zure ordainketa bete zure ordainketa xehetasunak behean.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Aparteko erreserbatu behar da prozesu zure ordainketa. Mesedez, jarraitu ordainketa orria klik beheko botoian.", - "Falkland Islands (Malvinas)": "Falkland Uharteak (Malvinas)", - "Faroe Islands": "Faroe Uharteak", - "February": "Otsaila", - "Fiji": "Fiji", - "Finland": "Finlandia", - "For your security, please confirm your password to continue.": "Zure segurtasunerako, mesedez, baieztatu zure pasahitza jarraitzeko.", "Forbidden": "Debekatua", - "Force Delete": "Indarra Ezabatu", - "Force Delete Resource": "Indarra Ezabatu Baliabide", - "Force Delete Selected": "Indarra Ezabatu Hautatutako", - "Forgot Your Password?": "Pasahitza ahaztu duzu?", - "Forgot your password?": "Zure pasahitza ahaztu duzu?", - "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.": "Zure pasahitza ahaztu duzu? Ez dago arazorik. Besterik ez iezaguzu zure posta elektronikoaren helbidea eta egingo dugu, mezu elektroniko bat pasahitza berrezartzeko lotura duten aukera emango dizu aukera berri bat.", - "France": "Frantzia", - "French Guiana": "Guyana Frantsesa", - "French Polynesia": "Polinesia Frantsesa", - "French Southern Territories": "Gambia", - "Full name": "Izen-abizenak", - "Gabon": "Gabon", - "Gambia": "Gambian", - "Georgia": "Georgia", - "Germany": "Alemania", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Atzera joan", - "Go Home": "Joan etxera", "Go to page :page": "Joan orri :page", - "Great! You have accepted the invitation to join the :team team.": "Handia! Duzu gonbidapena onartu batzeko :team taldeak.", - "Greece": "Grezia", - "Greenland": "Groenlandia", - "Grenada": "Granada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Ginea-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Entzun Irla eta McDonald Uharteak", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Kaixo!", - "Hide Content": "Edukia Ezkutatzeko", - "Hold Up!": "Eutsi Gora!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Hungaria", - "I agree to the :terms_of_service and :privacy_policy": "Onartzen dut :terms_of_service eta :privacy_policy", - "Iceland": "Islandia", - "ID": "ID", - "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.": "Beharrezkoa izanez gero, ahal izango duzu saioa zure nabigatzailean beste saio guztietan zehar zure gailuak. Batzuk zure azken saioak zerrendatzen dira; hala ere, zerrenda honetan ezin izango da zehatza. Sentitzen duzu bada zure kontua izan da arriskutsua, ere egin beharko duzu eguneratu zure pasahitza.", "If necessary, you may logout 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.": "Beharrezkoa izanez gero, ahal izango duzu logout guztiak zure nabigatzailean beste saio guztietan zehar zure gailuak. Batzuk zure azken saioak zerrendatzen dira; hala ere, zerrenda honetan ezin izango da zehatza. Sentitzen duzu bada zure kontua izan da arriskutsua, ere egin beharko duzu eguneratu zure pasahitza.", - "If you already have an account, you may accept this invitation by clicking the button below:": "Dagoeneko baduzu kontu bat, ahal izango duzu, hau onartu gonbidapena beheko botoian klik eginez:", "If you did not create an account, no further action is required.": "Ez baduzu konturik sortu, ez duzu ezer egin behar.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Bada, ez duzu espero jasotzeko gonbidapena talde hau, ahal izango duzu baztertu email hau.", "If you did not receive the email": "Ez baduzu posta elektronikorik jaso", - "If you did not request a password reset, no further action is required.": "Ez baduzu pasahitza berrezartzea eskatu, ez duzu ezer egin behar.", - "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:": "Izan ez baduzu, kontu bat sortu ahal izango duzu bat beheko botoian klik eginez. Ondoren kontu bat sortzea, ahal izango duzu, egin klik gonbidapena onartu botoia elektroniko hau onartu taldeak gonbidapena:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "\":actionText\" botoian klik egitean arazoak badituzu, kopiatu eta itsatsi beheko URLa\nnabigatzailean:", - "Increase": "Handitu", - "India": "India", - "Indonesia": "Indonesia", "Invalid signature.": "Baliogabeko sinadura.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Irakeko", - "Ireland": "Irlanda", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Man uhartea", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italia", - "Jamaica": "Jamaica", - "January": "Urtarrila", - "Japan": "Japonia", - "Jersey": "Jersey", - "Jordan": "Jordan", - "July": "Uztailaren", - "June": "Ekainaren", - "Kazakhstan": "Kazakhstan", - "Kenya": "Kenya", - "Key": "Gakoa", - "Kiribati": "Kiribati", - "Korea": "Hego Korea", - "Korea, Democratic People's Republic of": "Ipar Korea", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuwait", - "Kyrgyzstan": "Kirgizistan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Azken aktiboa", - "Last used": "Azken erabiltzen", - "Latvia": "Letonia", - "Leave": "Utzi", - "Leave Team": "Utzi Taldea", - "Lebanon": "Libanoko", - "Lens": "Lente", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libian", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Lituaniako", - "Load :perPage More": "Karga :perPage Gehiago", - "Log in": "Saioa", "Log out": "Saioa", - "Log Out": "Saioa", - "Log Out Other Browser Sessions": "Log Out Beste Nabigatzaile Saioak", - "Login": "Hasi saioa", - "Logout": "Amaitu saioa", "Logout Other Browser Sessions": "Logout Beste Nabigatzaile Saioak", - "Luxembourg": "Luxenburgo", - "Macao": "Macao", - "Macedonia": "Ipar Mazedonia", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagascar", - "Malawi": "Malawi", - "Malaysia": "Malaysia", - "Maldives": "Maldivak", - "Mali": "Txiki", - "Malta": "Malta", - "Manage Account": "Kudeatu Kontua", - "Manage and log out your active sessions on other browsers and devices.": "Kudeatu eta log out zure aktibo saioak beste nabigatzaile eta gailu.", "Manage and logout your active sessions on other browsers and devices.": "Kudeatu eta logout zure aktibo saioak beste nabigatzaile eta gailu.", - "Manage API Tokens": "Kudeatu API Token", - "Manage Role": "Kudeatu Rola", - "Manage Team": "Kudeatu Taldeak", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Martxoaren", - "Marshall Islands": "Marshall Uharteak", - "Martinique": "Martinika", - "Mauritania": "Mauritania", - "Mauritius": "Maurizio", - "May": "Maiatzaren", - "Mayotte": "Mazedonia", - "Mexico": "Mexikon", - "Micronesia, Federated States Of": "Mikronesia", - "Moldova": "Moldavia", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monakon", - "Mongolia": "Mongolia", - "Montenegro": "Montenegro", - "Month To Date": "Hilabete Data", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Maroko", - "Mozambique": "Mozambike", - "Myanmar": "Myanmar", - "Name": "Izena", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Herbehereak", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Berdin dio", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Berria", - "New :resource": "Berri :resource", - "New Caledonia": "New Caledonia", - "New Password": "Pasahitz Berria", - "New Zealand": "Zeelanda Berria", - "Next": "Hurrengo", - "Nicaragua": "Nikaragua", - "Niger": "Niger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "Ez", - "No :resource matched the given criteria.": "Ez :resource datorren emandako irizpideak.", - "No additional information...": "Ez dago informazio gehiago...", - "No Current Data": "Ez Egungo Datuak", - "No Data": "Ez Datuak", - "no file selected": "ez da fitxategi hautatutako", - "No Increase": "Ez Handitzeko", - "No Prior Data": "Ez Dago Aldez Aurretik Datuak", - "No Results Found.": "Ez Da Emaitzarik Aurkitu.", - "Norfolk Island": "Norfolk Uhartea", - "Northern Mariana Islands": "Iparraldeko Mariana Uharteak", - "Norway": "Norvegia", "Not Found": "Ez Da Aurkitu", - "Nova User": "Nova Erabiltzaileak", - "November": "Azaroaren", - "October": "Urriaren", - "of": "de", "Oh no": "Oh, ez", - "Oman": "Oman", - "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.": "Behin talde bat ezabatzen da, guztiak bere baliabide eta datu-betirako izango da ezabatu. Ezabatu aurretik talde hau, mesedez, deskargatu edozein datu edo informazio dagokionez, talde honek nahi duzun atxikitzen.", - "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.": "Behin zure kontua ezabatu egingo da, guztiak bere baliabide eta datu-betirako izango da ezabatu. Ezabatu aurretik, zure kontua, mesedez, deskargatu edozein datu edo informazio nahi duzun atxikitzen.", - "Only Trashed": "Bakarrik Zakarrontziko", - "Original": "Jatorrizko", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Orria iraungi da", "Pagination Navigation": "Pagination Nabigazioa", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Palestinako Lurraldeak", - "Panama": "Panama", - "Papua New Guinea": "Papua Ginea Berria", - "Paraguay": "Paraguay", - "Password": "Pasahitza", - "Pay :amount": "Ordaindu :amount", - "Payment Cancelled": "Ordainketa Bertan Behera Utzi", - "Payment Confirmation": "Ordainketa Berrespena", - "Payment Information": "Payment Information", - "Payment Successful": "Ordainketa Arrakastatsua", - "Pending Team Invitations": "Zain Talde Gonbidapenak", - "Per Page": "Orri Bakoitzeko", - "Permanently delete this team.": "Betirako ezabatu talde hau.", - "Permanently delete your account.": "Betirako zure kontua ezabatu.", - "Permissions": "Baimenak", - "Peru": "Peru", - "Philippines": "Filipinetan", - "Photo": "Argazki", - "Pitcairn": "Menpeko Lurraldeak", "Please click the button below to verify your email address.": "Egin klik beheko botoian helbide elektronikoa baieztatzeko.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Mesedez, baieztatu zure kontu sarbidea sartuz bat zure larrialdi berreskuratzeko kodeak.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Mesedez, baieztatu zure kontu sarbidea sartuz autentifikazioa kodea emandako zure authenticator aplikazioa.", "Please confirm your password before continuing.": "Mesedez, baieztatu zure pasahitza jarraitu aurretik.", - "Please copy your new API token. For your security, it won't be shown again.": "Mesedez, kopiatu zure berri API token. Zure segurtasunerako, ez da agertzen berriro ere.", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Mesedez, sartu zure pasahitza berretsi nahi duzu saioa zure nabigatzailean beste saio guztietan zehar zure gailuak.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Mesedez, sartu zure pasahitza berretsi nahi duzu logout zure nabigatzailean beste saio guztietan zehar zure gailuak.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "Please provide the email address of the person you would like to add to this team.": "Mesedez eman helbide elektronikoa pertsona nahi duzun gehitu talde hau.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Mesedez eman helbide elektronikoa pertsona nahi duzun gehitu talde hau. Helbide elektronikoa izan behar lotutako lehendik dagoen kontua.", - "Please provide your name.": "Mesedez, eman zure izena.", - "Poland": "Polonia", - "Portugal": "Portugal", - "Press \/ to search": "Prentsa \/ bilatu", - "Preview": "Aurreikuspen", - "Previous": "Aurreko", - "Privacy Policy": "Pribatutasun-Politika", - "Profile": "Profila", - "Profile Information": "Informazio-Profila", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Hiruhilekoan Data", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Berreskuratzeko Kodea", "Regards": "Eskuminak", - "Regenerate Recovery Codes": "Birsortzeko Berreskuratzeko Kodeak", - "Register": "Erregistratu", - "Reload": "Birkargatu", - "Remember me": "Gogoratu", - "Remember Me": "Gogora nazazu", - "Remove": "Kendu", - "Remove Photo": "Kendu Argazki", - "Remove Team Member": "Kendu Taldeko Kidea", - "Resend Verification Email": "Birbidali Egiaztatzeko E-Posta", - "Reset Filters": "Berrezarri Iragazkiak", - "Reset Password": "Berrezarri pasahitza", - "Reset Password Notification": "Pasahitza berrezartzeko jakinarazpena", - "resource": "baliabide", - "Resources": "Baliabideak", - "resources": "baliabideak", - "Restore": "Berreskuratu", - "Restore Resource": "Berreskuratu Baliabide", - "Restore Selected": "Berreskuratu Hautatutako", "results": "emaitzak", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Bilera", - "Role": "Rol", - "Romania": "Errumaniako", - "Run Action": "Exekutatu Ekintza", - "Russian Federation": "Errusiako Federazioa", - "Rwanda": "Ruanda", - "Réunion": "Réunion", - "Saint Barthelemy": "San Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "San Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "St. Kitts eta Nevis", - "Saint Lucia": "St. Lucia", - "Saint Martin": "San Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "St. Pierre eta Miquelon", - "Saint Vincent And Grenadines": "St. Vincent eta Grenadinak", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "Sao Tome eta Principe", - "Saudi Arabia": "Saudi Arabia", - "Save": "Gorde", - "Saved.": "Gorde.", - "Search": "Bilaketa", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Hautatu Argazki Berri Bat", - "Select Action": "Hautatu Ekintza", - "Select All": "Hautatu Guztiak", - "Select All Matching": "Hautatu Guztiak Betetzen", - "Send Password Reset Link": "Bidali pasahitza berrezartzeko esteka", - "Senegal": "Senegal", - "September": "Iraila", - "Serbia": "Serbia", "Server Error": "Zerbitzari-Errorea", "Service Unavailable": "Zerbitzua ez dago erabilgarri", - "Seychelles": "Seychelles", - "Show All Fields": "Erakutsi Eremu Guztiak", - "Show Content": "Edukia Erakutsi", - "Show Recovery Codes": "Ikuskizuna Berreskuratzeko Kodeak", "Showing": "Erakusten", - "Sierra Leone": "Sierra Leonan", - "Signed in as": "Signed in as", - "Singapore": "Singapurren", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Eslovakia", - "Slovenia": "Eslovenia", - "Solomon Islands": "Salomon Uharteak", - "Somalia": "Somalian", - "Something went wrong.": "Zerbait gaizki joan da.", - "Sorry! You are not authorized to perform this action.": "Barkatu! Ez duzu baimenik hori egiteko ekintza.", - "Sorry, your session has expired.": "Sentitzen dut, zure saioa iraungi.", - "South Africa": "Hegoafrikan", - "South Georgia And Sandwich Isl.": "Hegoaldeko Georgia eta hegoaldeko Sandwich Uharteak", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Hego Sudan", - "Spain": "Espainia", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Hasteko Hauteslekuak", - "State \/ County": "State \/ County", - "Stop Polling": "Gelditu Hauteslekuak", - "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.": "Denda horiek berreskuratzeko kode seguru batean pasahitz-kudeatzailea. Erabili ahal izango dira berreskuratzeko sarbidea zure kontua zure bi faktore autentifikazioa gailua galdu.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard eta Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Suedia", - "Switch Teams": "Switch Taldeek", - "Switzerland": "Suitza", - "Syrian Arab Republic": "Siria", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tadjikistan", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Talde Xehetasunak", - "Team Invitation": "Taldeak Gonbidapena", - "Team Members": "Taldeko Kideak", - "Team Name": "Taldearen Izena", - "Team Owner": "Talde Jabea", - "Team Settings": "Talde Ezarpenak", - "Terms of Service": "Zerbitzu-baldintzak", - "Thailand": "Thailandia", - "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.": "Eskerrik asko sortu sinatu! Hasi aurretik, ezin duzu egiaztatu zure e-posta helbidea link gainean klik eginez besterik ez dugu bidaliko duzu? Ez baduzu jaso posta elektronikoaren bidez, egingo dugu atsegin handiz bidaliko duzu beste.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "The :attribute bat izan behar du baliozko rola.", - "The :attribute must be at least :length characters and contain at least one number.": "The :attribute gutxienez, izan behar du :length pertsonaiak eta, gutxienez, eduki zenbaki bat.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": "The :attribute gutxienez, izan behar du :length pertsonaiak eta eduki bat, gutxienez, izaera berezi eta telefono zenbaki bat.", - "The :attribute must be at least :length characters and contain at least one special character.": "The :attribute gutxienez, izan behar du :length pertsonaiak eta eduki bat, gutxienez, izaera berezia.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "The :attribute gutxienez, izan behar du :length pertsonaiak eta, gutxienez, eduki bat maiuskulaz pertsonaia eta telefono zenbaki bat.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "The :attribute izan behar du, gutxienez, :length pertsonaiak eta, gutxienez, eduki bat maiuskulaz pertsonaia bat eta karaktere bereziak.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "The :attribute izan behar du, gutxienez, :length pertsonaiak eta, gutxienez, eduki bat maiuskulaz pertsonaia, telefono zenbaki bat eta bat berezia pertsonaia.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": "The :attribute gutxienez, izan behar du :length pertsonaiak eta, gutxienez, eduki bat maiuskulaz pertsonaia.", - "The :attribute must be at least :length characters.": "The :attribute gutxienez, izan behar du :length pertsonaiak.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "The :resource sortu zen!", - "The :resource was deleted!": "The :resource ezabatu!", - "The :resource was restored!": "The :resource zaharberritu zen!", - "The :resource was updated!": "The :resource eguneratu zen!", - "The action ran successfully!": "Ekintza ran bezala!", - "The file was deleted!": "Fitxategia ezabatu!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Gobernuak ez du utzi gurekin erakusteko zer ate horien atzean", - "The HasOne relationship has already been filled.": "The HasOne harremana jadanik bete.", - "The payment was successful.": "Ordainketa arrakastatsua izan zen.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Emandako pasahitza ez dator zure uneko pasahitza.", - "The provided password was incorrect.": "Emandako pasahitza ez zen zuzena.", - "The provided two factor authentication code was invalid.": "Emandako bi faktore autentifikazio-kodea zen baliogabea.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Baliabide eguneratu zen!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Taldearen izena eta jabea informazioa.", - "There are no available options for this resource.": "Ez dago eskuragarri aukerak baliabide hau.", - "There was a problem executing the action.": "Ez zen arazo bat exekutatzean ekintza.", - "There was a problem submitting the form.": "Ez zen arazo bat aurkezteko formularioa.", - "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.": "Pertsona hauek izan dira gonbidatu zure taldea eta bidalitako gonbidapen bat e-posta. Ahal izango dute parte talde onartuz posta gonbidapena.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Ekintza honen baimenik gabe.", - "This device": "Gailu hau", - "This file field is read-only.": "Fitxategi honen eremuan soilik irakurtzekoa da.", - "This image": "Irudi hau", - "This is a secure area of the application. Please confirm your password before continuing.": "Hau da, seguru eremu aplikazioa. Mesedez, baieztatu zure pasahitza jarraitu aurretik.", - "This password does not match our records.": "Pasahitz hori ez dator bat gure records.", "This password reset link will expire in :count minutes.": "Hau pasahitza berrezarri lotura iraungiko :count minutu.", - "This payment was already successfully confirmed.": "Ordainketa hau zen dagoeneko arrakastaz baieztatu.", - "This payment was cancelled.": "Ordainketa hau bertan behera utzi zen.", - "This resource no longer exists": "Baliabide hau jada ez da existitzen", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Erabiltzaile hau dagoeneko dagokio taldeak.", - "This user has already been invited to the team.": "Erabiltzaile hau dagoeneko gonbidatu taldeak.", - "Timor-Leste": "Timor-Leste", "to": "ra", - "Today": "Gaur", "Toggle navigation": "Txandakatu nabigazioa", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Token Izena", - "Tonga": "Etorri", "Too Many Attempts.": "Gehiegi Saiakerak.", "Too Many Requests": "Eskaera gehiegi", - "total": "guztira", - "Total:": "Total:", - "Trashed": "Zakarrontziko", - "Trinidad And Tobago": "Trinidad eta Tobagon", - "Tunisia": "Tunisia", - "Turkey": "Turkia", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Turks eta Caicos Uharteak", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Bi Faktore Autentifikazio", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Bi faktore autentifikazioa da orain gaituta. Eskaneatu ondorengo QR kodea erabiliz, zure telefono authenticator aplikazioa.", - "Uganda": "Ugandako", - "Ukraine": "Ukrainako", "Unauthorized": "Baimendu gabea", - "United Arab Emirates": "Arabiar Emirerri Batuak", - "United Kingdom": "United Kingdom", - "United States": "United States", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "BATUETAKO Kanpoaldeko Uharte", - "Update": "Eguneratu", - "Update & Continue Editing": "Eguneratu & Editatzen Jarrai", - "Update :resource": "Eguneratu :resource", - "Update :resource: :title": "Eguneratu :resource: :title", - "Update attached :resource: :title": "Eguneratu atxikitako :resource: :title", - "Update Password": "Eguneratu Pasahitza", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Eguneratu zure kontuaren profileko informazioa eta posta elektronikoaren helbidea.", - "Uruguay": "Uruguay", - "Use a recovery code": "Erabilera berreskuratzeko kodea", - "Use an authentication code": "Bat erabili autentifikazioa kodea", - "Uzbekistan": "Uzbekistan", - "Value": "Balio", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Baieztatu helbide elektronikoa", "Verify Your Email Address": "Baieztatu zure helbide elektronikoa", - "Viet Nam": "Vietnam", - "View": "Ikusi", - "Virgin Islands, British": "Birjina Uharte Britainiarrak", - "Virgin Islands, U.S.": "US Virgin Uharteak", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis eta Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Ezin izan dugu aurkitu erabiltzaile erregistratu batera, helbide honetan.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Ez dugu eskatu zure pasahitza berriro ordu batzuk.", - "We're lost in space. The page you were trying to view does not exist.": "Ari gara espazioan galdu. Orri duzu saiatzen ziren ikusteko, ez da existitzen.", - "Welcome Back!": "Ongietorria Itzuli!", - "Western Sahara": "Mendebaldeko Sahara", - "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.": "Bi faktore autentifikazioa gaituta dago, nahi duzun galdetuko dizu seguru bat, ausazko token zehar autentifikazioa. Ahal izango duzu berreskuratu hau token zure telefonoaren Google Authenticator aplikazioa.", - "Whoops": "Aupa", - "Whoops!": "Aupa!", - "Whoops! Something went wrong.": "Aupa! Zerbait gaizki joan da.", - "With Trashed": "Batera Zakarrontziko", - "Write": "Idatzi", - "Year To Date": "Urte Data", - "Yearly": "Yearly", - "Yemen": "Yemeni", - "Yes": "Bai", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Saioa hasi!", - "You are receiving this email because we received a password reset request for your account.": "Zure kontutik pasahitza berrezartzeko eskaera bat jaso genuelako jaso duzu posta elektroniko hau.", - "You have been invited to join the :team team!": "Izan duzu parte hartzera gonbidatuta :team taldea!", - "You have enabled two factor authentication.": "Duzu ahalbidetu dute bi faktore autentifikazioa.", - "You have not enabled two factor authentication.": "Ez duzu gaituta bi faktore autentifikazioa.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "Ezabatu dezakezu edozein dagoen zure token dira, bada, ez da gehiago behar.", - "You may not delete your personal team.": "Agian ez duzu ezabatu zure datu pertsonalak taldeak.", - "You may not leave a team that you created.": "Agian ez duzu utzi talde bat sortu duzula.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Zure e-posta helbidea ez da egiaztatu.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Zure e-posta helbidea ez da egiaztatu." } diff --git a/locales/eu/packages/cashier.json b/locales/eu/packages/cashier.json new file mode 100644 index 00000000000..318175f688d --- /dev/null +++ b/locales/eu/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Eskubide guztiak erreserbatuta.", + "Card": "Txartela", + "Confirm Payment": "Berretsi Ordainketa", + "Confirm your :amount payment": "Berretsi zure :amount ordainketa", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Aparteko erreserbatu behar da prozesu zure ordainketa. Mesedez, baieztatu zure ordainketa bete zure ordainketa xehetasunak behean.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Aparteko erreserbatu behar da prozesu zure ordainketa. Mesedez, jarraitu ordainketa orria klik beheko botoian.", + "Full name": "Izen-abizenak", + "Go back": "Atzera joan", + "Jane Doe": "Jane Doe", + "Pay :amount": "Ordaindu :amount", + "Payment Cancelled": "Ordainketa Bertan Behera Utzi", + "Payment Confirmation": "Ordainketa Berrespena", + "Payment Successful": "Ordainketa Arrakastatsua", + "Please provide your name.": "Mesedez, eman zure izena.", + "The payment was successful.": "Ordainketa arrakastatsua izan zen.", + "This payment was already successfully confirmed.": "Ordainketa hau zen dagoeneko arrakastaz baieztatu.", + "This payment was cancelled.": "Ordainketa hau bertan behera utzi zen." +} diff --git a/locales/eu/packages/fortify.json b/locales/eu/packages/fortify.json new file mode 100644 index 00000000000..e860a62d719 --- /dev/null +++ b/locales/eu/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": "The :attribute gutxienez, izan behar du :length pertsonaiak eta, gutxienez, eduki zenbaki bat.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "The :attribute gutxienez, izan behar du :length pertsonaiak eta eduki bat, gutxienez, izaera berezi eta telefono zenbaki bat.", + "The :attribute must be at least :length characters and contain at least one special character.": "The :attribute gutxienez, izan behar du :length pertsonaiak eta eduki bat, gutxienez, izaera berezia.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "The :attribute gutxienez, izan behar du :length pertsonaiak eta, gutxienez, eduki bat maiuskulaz pertsonaia eta telefono zenbaki bat.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "The :attribute izan behar du, gutxienez, :length pertsonaiak eta, gutxienez, eduki bat maiuskulaz pertsonaia bat eta karaktere bereziak.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "The :attribute izan behar du, gutxienez, :length pertsonaiak eta, gutxienez, eduki bat maiuskulaz pertsonaia, telefono zenbaki bat eta bat berezia pertsonaia.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "The :attribute gutxienez, izan behar du :length pertsonaiak eta, gutxienez, eduki bat maiuskulaz pertsonaia.", + "The :attribute must be at least :length characters.": "The :attribute gutxienez, izan behar du :length pertsonaiak.", + "The provided password does not match your current password.": "Emandako pasahitza ez dator zure uneko pasahitza.", + "The provided password was incorrect.": "Emandako pasahitza ez zen zuzena.", + "The provided two factor authentication code was invalid.": "Emandako bi faktore autentifikazio-kodea zen baliogabea." +} diff --git a/locales/eu/packages/jetstream.json b/locales/eu/packages/jetstream.json new file mode 100644 index 00000000000..8b4c09f4aa2 --- /dev/null +++ b/locales/eu/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Berri bat egiaztapen-esteka bidali nahi duzun e-posta helbidea eman izena emateko garaian.", + "Accept Invitation": "Gonbidapena Onartu", + "Add": "Gehitu", + "Add a new team member to your team, allowing them to collaborate with you.": "Berri bat gehitu taldeko kidea izateko, zure taldeak, aukera izan dezaten, lankidetzan duzu.", + "Add additional security to your account using two factor authentication.": "Gehitu segurtasun gehiago zure kontua erabiliz, bi faktore autentifikazioa.", + "Add Team Member": "Gehitu Taldeko Kidea", + "Added.": "Gehitu.", + "Administrator": "Administratzaileak", + "Administrator users can perform any action.": "Administratzaile erabiltzaileek egin ahal izango da edozein ekintza.", + "All of the people that are part of this team.": "Pertsona guztiak dira, eta horren zati taldeak.", + "Already registered?": "Dagoeneko erregistratuta?", + "API Token": "API Token", + "API Token Permissions": "API Token Baimenak", + "API Tokens": "API Token", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API token onartu hirugarrenen zerbitzuak autentifikatzeko gure aplikazioa zure izenean.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Ziur zaude ezabatu nahi duzula talde hau? Behin talde bat ezabatzen da, guztiak bere baliabide eta datu-betirako izango da ezabatu.", + "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.": "Ziur zaude ezabatu nahi duzula zure kontua? Behin zure kontua ezabatu egingo da, guztiak bere baliabide eta datu-betirako izango da ezabatu. Mesedez, sartu zure pasahitza berretsi nahi duzu betirako zure kontua ezabatu.", + "Are you sure you would like to delete this API token?": "Ziur zaude ezabatu nahi duzun API hau token?", + "Are you sure you would like to leave this team?": "Ziur ez duzu nahi, utzi talde hau?", + "Are you sure you would like to remove this person from the team?": "Ziur zaude hori nahi duzu hau kentzeko pertsona taldeak?", + "Browser Sessions": "Nabigatzailean Saio", + "Cancel": "Utzi", + "Close": "Itxi", + "Code": "Kodea", + "Confirm": "Berretsi", + "Confirm Password": "Berretsi pasahitza", + "Create": "Sortu", + "Create a new team to collaborate with others on projects.": "Sortu talde berri bat lankidetzan aritzea, besteen proiektuak.", + "Create Account": "Sortu Kontua", + "Create API Token": "Sortu API Token", + "Create New Team": "Sortu Talde Berri", + "Create Team": "Sortu Talde", + "Created.": "Sortu.", + "Current Password": "Egungo Pasahitza", + "Dashboard": "Arbel", + "Delete": "Ezabatu", + "Delete Account": "Ezabatu Kontua", + "Delete API Token": "Ezabatu API Token", + "Delete Team": "Ezabatu Taldeak", + "Disable": "Desgaitu", + "Done.": "Egin.", + "Editor": "Editorea", + "Editor users have the ability to read, create, and update.": "Editor erabiltzaile gaitasuna dute irakurri, sortu eta eguneratu.", + "Email": "Email", + "Email Password Reset Link": "E-Posta Pasahitza Berrezarri Lotura", + "Enable": "Gaitu", + "Ensure your account is using a long, random password to stay secure.": "Ziurtatu zure kontua da luze bat erabiliz, ausazko pasahitza lo seguru.", + "For your security, please confirm your password to continue.": "Zure segurtasunerako, mesedez, baieztatu zure pasahitza jarraitzeko.", + "Forgot your password?": "Zure pasahitza ahaztu duzu?", + "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.": "Zure pasahitza ahaztu duzu? Ez dago arazorik. Besterik ez iezaguzu zure posta elektronikoaren helbidea eta egingo dugu, mezu elektroniko bat pasahitza berrezartzeko lotura duten aukera emango dizu aukera berri bat.", + "Great! You have accepted the invitation to join the :team team.": "Handia! Duzu gonbidapena onartu batzeko :team taldeak.", + "I agree to the :terms_of_service and :privacy_policy": "Onartzen dut :terms_of_service eta :privacy_policy", + "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.": "Beharrezkoa izanez gero, ahal izango duzu saioa zure nabigatzailean beste saio guztietan zehar zure gailuak. Batzuk zure azken saioak zerrendatzen dira; hala ere, zerrenda honetan ezin izango da zehatza. Sentitzen duzu bada zure kontua izan da arriskutsua, ere egin beharko duzu eguneratu zure pasahitza.", + "If you already have an account, you may accept this invitation by clicking the button below:": "Dagoeneko baduzu kontu bat, ahal izango duzu, hau onartu gonbidapena beheko botoian klik eginez:", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Bada, ez duzu espero jasotzeko gonbidapena talde hau, ahal izango duzu baztertu email hau.", + "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:": "Izan ez baduzu, kontu bat sortu ahal izango duzu bat beheko botoian klik eginez. Ondoren kontu bat sortzea, ahal izango duzu, egin klik gonbidapena onartu botoia elektroniko hau onartu taldeak gonbidapena:", + "Last active": "Azken aktiboa", + "Last used": "Azken erabiltzen", + "Leave": "Utzi", + "Leave Team": "Utzi Taldea", + "Log in": "Saioa", + "Log Out": "Saioa", + "Log Out Other Browser Sessions": "Log Out Beste Nabigatzaile Saioak", + "Manage Account": "Kudeatu Kontua", + "Manage and log out your active sessions on other browsers and devices.": "Kudeatu eta log out zure aktibo saioak beste nabigatzaile eta gailu.", + "Manage API Tokens": "Kudeatu API Token", + "Manage Role": "Kudeatu Rola", + "Manage Team": "Kudeatu Taldeak", + "Name": "Izena", + "New Password": "Pasahitz Berria", + "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.": "Behin talde bat ezabatzen da, guztiak bere baliabide eta datu-betirako izango da ezabatu. Ezabatu aurretik talde hau, mesedez, deskargatu edozein datu edo informazio dagokionez, talde honek nahi duzun atxikitzen.", + "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.": "Behin zure kontua ezabatu egingo da, guztiak bere baliabide eta datu-betirako izango da ezabatu. Ezabatu aurretik, zure kontua, mesedez, deskargatu edozein datu edo informazio nahi duzun atxikitzen.", + "Password": "Pasahitza", + "Pending Team Invitations": "Zain Talde Gonbidapenak", + "Permanently delete this team.": "Betirako ezabatu talde hau.", + "Permanently delete your account.": "Betirako zure kontua ezabatu.", + "Permissions": "Baimenak", + "Photo": "Argazki", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Mesedez, baieztatu zure kontu sarbidea sartuz bat zure larrialdi berreskuratzeko kodeak.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Mesedez, baieztatu zure kontu sarbidea sartuz autentifikazioa kodea emandako zure authenticator aplikazioa.", + "Please copy your new API token. For your security, it won't be shown again.": "Mesedez, kopiatu zure berri API token. Zure segurtasunerako, ez da agertzen berriro ere.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Mesedez, sartu zure pasahitza berretsi nahi duzu saioa zure nabigatzailean beste saio guztietan zehar zure gailuak.", + "Please provide the email address of the person you would like to add to this team.": "Mesedez eman helbide elektronikoa pertsona nahi duzun gehitu talde hau.", + "Privacy Policy": "Pribatutasun-Politika", + "Profile": "Profila", + "Profile Information": "Informazio-Profila", + "Recovery Code": "Berreskuratzeko Kodea", + "Regenerate Recovery Codes": "Birsortzeko Berreskuratzeko Kodeak", + "Register": "Erregistratu", + "Remember me": "Gogoratu", + "Remove": "Kendu", + "Remove Photo": "Kendu Argazki", + "Remove Team Member": "Kendu Taldeko Kidea", + "Resend Verification Email": "Birbidali Egiaztatzeko E-Posta", + "Reset Password": "Berrezarri pasahitza", + "Role": "Rol", + "Save": "Gorde", + "Saved.": "Gorde.", + "Select A New Photo": "Hautatu Argazki Berri Bat", + "Show Recovery Codes": "Ikuskizuna Berreskuratzeko Kodeak", + "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.": "Denda horiek berreskuratzeko kode seguru batean pasahitz-kudeatzailea. Erabili ahal izango dira berreskuratzeko sarbidea zure kontua zure bi faktore autentifikazioa gailua galdu.", + "Switch Teams": "Switch Taldeek", + "Team Details": "Talde Xehetasunak", + "Team Invitation": "Taldeak Gonbidapena", + "Team Members": "Taldeko Kideak", + "Team Name": "Taldearen Izena", + "Team Owner": "Talde Jabea", + "Team Settings": "Talde Ezarpenak", + "Terms of Service": "Zerbitzu-baldintzak", + "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.": "Eskerrik asko sortu sinatu! Hasi aurretik, ezin duzu egiaztatu zure e-posta helbidea link gainean klik eginez besterik ez dugu bidaliko duzu? Ez baduzu jaso posta elektronikoaren bidez, egingo dugu atsegin handiz bidaliko duzu beste.", + "The :attribute must be a valid role.": "The :attribute bat izan behar du baliozko rola.", + "The :attribute must be at least :length characters and contain at least one number.": "The :attribute gutxienez, izan behar du :length pertsonaiak eta, gutxienez, eduki zenbaki bat.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "The :attribute gutxienez, izan behar du :length pertsonaiak eta eduki bat, gutxienez, izaera berezi eta telefono zenbaki bat.", + "The :attribute must be at least :length characters and contain at least one special character.": "The :attribute gutxienez, izan behar du :length pertsonaiak eta eduki bat, gutxienez, izaera berezia.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "The :attribute gutxienez, izan behar du :length pertsonaiak eta, gutxienez, eduki bat maiuskulaz pertsonaia eta telefono zenbaki bat.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "The :attribute izan behar du, gutxienez, :length pertsonaiak eta, gutxienez, eduki bat maiuskulaz pertsonaia bat eta karaktere bereziak.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "The :attribute izan behar du, gutxienez, :length pertsonaiak eta, gutxienez, eduki bat maiuskulaz pertsonaia, telefono zenbaki bat eta bat berezia pertsonaia.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "The :attribute gutxienez, izan behar du :length pertsonaiak eta, gutxienez, eduki bat maiuskulaz pertsonaia.", + "The :attribute must be at least :length characters.": "The :attribute gutxienez, izan behar du :length pertsonaiak.", + "The provided password does not match your current password.": "Emandako pasahitza ez dator zure uneko pasahitza.", + "The provided password was incorrect.": "Emandako pasahitza ez zen zuzena.", + "The provided two factor authentication code was invalid.": "Emandako bi faktore autentifikazio-kodea zen baliogabea.", + "The team's name and owner information.": "Taldearen izena eta jabea informazioa.", + "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.": "Pertsona hauek izan dira gonbidatu zure taldea eta bidalitako gonbidapen bat e-posta. Ahal izango dute parte talde onartuz posta gonbidapena.", + "This device": "Gailu hau", + "This is a secure area of the application. Please confirm your password before continuing.": "Hau da, seguru eremu aplikazioa. Mesedez, baieztatu zure pasahitza jarraitu aurretik.", + "This password does not match our records.": "Pasahitz hori ez dator bat gure records.", + "This user already belongs to the team.": "Erabiltzaile hau dagoeneko dagokio taldeak.", + "This user has already been invited to the team.": "Erabiltzaile hau dagoeneko gonbidatu taldeak.", + "Token Name": "Token Izena", + "Two Factor Authentication": "Bi Faktore Autentifikazio", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Bi faktore autentifikazioa da orain gaituta. Eskaneatu ondorengo QR kodea erabiliz, zure telefono authenticator aplikazioa.", + "Update Password": "Eguneratu Pasahitza", + "Update your account's profile information and email address.": "Eguneratu zure kontuaren profileko informazioa eta posta elektronikoaren helbidea.", + "Use a recovery code": "Erabilera berreskuratzeko kodea", + "Use an authentication code": "Bat erabili autentifikazioa kodea", + "We were unable to find a registered user with this email address.": "Ezin izan dugu aurkitu erabiltzaile erregistratu batera, helbide honetan.", + "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.": "Bi faktore autentifikazioa gaituta dago, nahi duzun galdetuko dizu seguru bat, ausazko token zehar autentifikazioa. Ahal izango duzu berreskuratu hau token zure telefonoaren Google Authenticator aplikazioa.", + "Whoops! Something went wrong.": "Aupa! Zerbait gaizki joan da.", + "You have been invited to join the :team team!": "Izan duzu parte hartzera gonbidatuta :team taldea!", + "You have enabled two factor authentication.": "Duzu ahalbidetu dute bi faktore autentifikazioa.", + "You have not enabled two factor authentication.": "Ez duzu gaituta bi faktore autentifikazioa.", + "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.": "Ezabatu dezakezu edozein dagoen zure token dira, bada, ez da gehiago behar.", + "You may not delete your personal team.": "Agian ez duzu ezabatu zure datu pertsonalak taldeak.", + "You may not leave a team that you created.": "Agian ez duzu utzi talde bat sortu duzula." +} diff --git a/locales/eu/packages/nova.json b/locales/eu/packages/nova.json new file mode 100644 index 00000000000..4909a71364c --- /dev/null +++ b/locales/eu/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Egun", + "60 Days": "60 Egun", + "90 Days": "90 Egun", + ":amount Total": ":amount Guztira", + ":resource Details": ":resource Xehetasunak", + ":resource Details: :title": ":resource Xehetasunak: :title", + "Action": "Ekintza", + "Action Happened At": "Gertatu At", + "Action Initiated By": "Hasitako", + "Action Name": "Izena", + "Action Status": "Egoera", + "Action Target": "Helburu", + "Actions": "Ekintzak", + "Add row": "Gehitu errenkada", + "Afghanistan": "Afganistanen", + "Aland Islands": "Aland Uharteak", + "Albania": "Albania", + "Algeria": "Aljeria", + "All resources loaded.": "Baliabide guztiak kargatu.", + "American Samoa": "American Samoa", + "An error occured while uploading the file.": "Errorea gertatu da berriz kargatzeko fitxategia.", + "Andorra": "Andorrako", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Beste erabiltzaile eguneratu du baliabide hau geroztik orriaren kargatu. Mesedez freskatu orria eta saiatu berriro.", + "Antarctica": "Antartikako", + "Antigua And Barbuda": "Antigua eta Barbuda", + "April": "Apirilaren", + "Are you sure you want to delete the selected resources?": "Ziur zaude ezabatu nahi duzun hautatutako baliabideak?", + "Are you sure you want to delete this file?": "Ziur zaude ezabatu nahi duzun fitxategi hau?", + "Are you sure you want to delete this resource?": "Ziur zaude ezabatu nahi duzula baliabide hau?", + "Are you sure you want to detach the selected resources?": "Ziur ez duzu nahi deskonektatzea hautatutako baliabideak?", + "Are you sure you want to detach this resource?": "Ziur ez duzu nahi deskonektatzea baliabide hau?", + "Are you sure you want to force delete the selected resources?": "Ziur zaude hori nahi duzun indarra ezabatu hautatutako baliabideak?", + "Are you sure you want to force delete this resource?": "Ziur zaude hori nahi duzun indarra ezabatu baliabide hau?", + "Are you sure you want to restore the selected resources?": "Ziur zaude berrezarri nahi duzun hautatutako baliabideak?", + "Are you sure you want to restore this resource?": "Ziur zaude berrezarri nahi duzun baliabide hau?", + "Are you sure you want to run this action?": "Ziur zaude exekutatu nahi duzun ekintza hau?", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Attach": "Erantsi", + "Attach & Attach Another": "Erantsi & Erantsi Beste", + "Attach :resource": "Erantsi :resource", + "August": "Abuztua", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamak", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Bielorrusia", + "Belgium": "Belgika", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sábado", + "Bosnia And Herzegovina": "Bosnia eta Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Uhartea", + "Brazil": "Brasilen", + "British Indian Ocean Territory": "Britainiar Indiako Ozeanoko Lurralde", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kanbodiako", + "Cameroon": "Kamerun", + "Canada": "Kanadan", + "Cancel": "Utzi", + "Cape Verde": "Cabo Verde", + "Cayman Islands": "Kaiman Uharteak", + "Central African Republic": "Afrika Erdiko Errepublika", + "Chad": "Chad", + "Changes": "Aldaketak", + "Chile": "Txile", + "China": "Txina", + "Choose": "Aukeratu", + "Choose :field": "Aukeratu :field", + "Choose :resource": "Aukeratu :resource", + "Choose an option": "Aukeratu aukera bat", + "Choose date": "Aukeratu data", + "Choose File": "Aukeratu Fitxategia", + "Choose Type": "Aukeratu Mota", + "Christmas Island": "Gabonetako Island", + "Click to choose": "Egin klik aukeratu", + "Cocos (Keeling) Islands": "Cocos (Keeling) Uharteak", + "Colombia": "Kolonbia", + "Comoros": "Comoros", + "Confirm Password": "Berretsi pasahitza", + "Congo": "Kongoko", + "Congo, Democratic Republic": "Kongoko Errepublika Demokratikoa", + "Constant": "Etengabeko", + "Cook Islands": "Cook Uharteak", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "ezin izan da aurkitu.", + "Create": "Sortu", + "Create & Add Another": "Sortu Eta Gehitu Beste", + "Create :resource": "Sortu :resource", + "Croatia": "Kroazia", + "Cuba": "Cuba", + "Curaçao": "Curacao", + "Customize": "Pertsonalizatu", + "Cyprus": "Txipre", + "Czech Republic": "Txekia", + "Dashboard": "Arbel", + "December": "Abenduaren", + "Decrease": "Jaitsiera", + "Delete": "Ezabatu", + "Delete File": "Fitxategia Ezabatu", + "Delete Resource": "Ezabatu Baliabide", + "Delete Selected": "Ezabatu Hautatutako", + "Denmark": "Danimarka", + "Detach": "Deskonektatzea", + "Detach Resource": "Deskonektatzea Baliabide", + "Detach Selected": "Deskonektatzea Hautatutako", + "Details": "Xehetasunak", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Ez duzu benetan utzi nahi? Duzu gorde gabe dauden aldaketak.", + "Dominica": "Igandea", + "Dominican Republic": "Dominikar Errepublika", + "Download": "Deskargatu", + "Ecuador": "Ekuadorren", + "Edit": "Editatu", + "Edit :resource": "Editatu :resource", + "Edit Attached": "Editatu Erantsita", + "Egypt": "Egipto", + "El Salvador": "Salvador", + "Email Address": "E-Posta Helbidea", + "Equatorial Guinea": "Ekuatore Gineako", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Etiopia", + "Falkland Islands (Malvinas)": "Falkland Uharteak (Malvinas)", + "Faroe Islands": "Faroe Uharteak", + "February": "Otsaila", + "Fiji": "Fiji", + "Finland": "Finlandia", + "Force Delete": "Indarra Ezabatu", + "Force Delete Resource": "Indarra Ezabatu Baliabide", + "Force Delete Selected": "Indarra Ezabatu Hautatutako", + "Forgot Your Password?": "Pasahitza ahaztu duzu?", + "Forgot your password?": "Zure pasahitza ahaztu duzu?", + "France": "Frantzia", + "French Guiana": "Guyana Frantsesa", + "French Polynesia": "Polinesia Frantsesa", + "French Southern Territories": "Gambia", + "Gabon": "Gabon", + "Gambia": "Gambian", + "Georgia": "Georgia", + "Germany": "Alemania", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "Joan etxera", + "Greece": "Grezia", + "Greenland": "Groenlandia", + "Grenada": "Granada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Ginea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Entzun Irla eta McDonald Uharteak", + "Hide Content": "Edukia Ezkutatzeko", + "Hold Up!": "Eutsi Gora!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungaria", + "Iceland": "Islandia", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "Ez baduzu pasahitza berrezartzea eskatu, ez duzu ezer egin behar.", + "Increase": "Handitu", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Irakeko", + "Ireland": "Irlanda", + "Isle Of Man": "Man uhartea", + "Israel": "Israel", + "Italy": "Italia", + "Jamaica": "Jamaica", + "January": "Urtarrila", + "Japan": "Japonia", + "Jersey": "Jersey", + "Jordan": "Jordan", + "July": "Uztailaren", + "June": "Ekainaren", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Key": "Gakoa", + "Kiribati": "Kiribati", + "Korea": "Hego Korea", + "Korea, Democratic People's Republic of": "Ipar Korea", + "Kosovo": "Kosovo", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kirgizistan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Letonia", + "Lebanon": "Libanoko", + "Lens": "Lente", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libian", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lituaniako", + "Load :perPage More": "Karga :perPage Gehiago", + "Login": "Hasi saioa", + "Logout": "Amaitu saioa", + "Luxembourg": "Luxenburgo", + "Macao": "Macao", + "Macedonia": "Ipar Mazedonia", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldivak", + "Mali": "Txiki", + "Malta": "Malta", + "March": "Martxoaren", + "Marshall Islands": "Marshall Uharteak", + "Martinique": "Martinika", + "Mauritania": "Mauritania", + "Mauritius": "Maurizio", + "May": "Maiatzaren", + "Mayotte": "Mazedonia", + "Mexico": "Mexikon", + "Micronesia, Federated States Of": "Mikronesia", + "Moldova": "Moldavia", + "Monaco": "Monakon", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Month To Date": "Hilabete Data", + "Montserrat": "Montserrat", + "Morocco": "Maroko", + "Mozambique": "Mozambike", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Herbehereak", + "New": "Berria", + "New :resource": "Berri :resource", + "New Caledonia": "New Caledonia", + "New Zealand": "Zeelanda Berria", + "Next": "Hurrengo", + "Nicaragua": "Nikaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "Ez", + "No :resource matched the given criteria.": "Ez :resource datorren emandako irizpideak.", + "No additional information...": "Ez dago informazio gehiago...", + "No Current Data": "Ez Egungo Datuak", + "No Data": "Ez Datuak", + "no file selected": "ez da fitxategi hautatutako", + "No Increase": "Ez Handitzeko", + "No Prior Data": "Ez Dago Aldez Aurretik Datuak", + "No Results Found.": "Ez Da Emaitzarik Aurkitu.", + "Norfolk Island": "Norfolk Uhartea", + "Northern Mariana Islands": "Iparraldeko Mariana Uharteak", + "Norway": "Norvegia", + "Nova User": "Nova Erabiltzaileak", + "November": "Azaroaren", + "October": "Urriaren", + "of": "de", + "Oman": "Oman", + "Only Trashed": "Bakarrik Zakarrontziko", + "Original": "Jatorrizko", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinako Lurraldeak", + "Panama": "Panama", + "Papua New Guinea": "Papua Ginea Berria", + "Paraguay": "Paraguay", + "Password": "Pasahitza", + "Per Page": "Orri Bakoitzeko", + "Peru": "Peru", + "Philippines": "Filipinetan", + "Pitcairn": "Menpeko Lurraldeak", + "Poland": "Polonia", + "Portugal": "Portugal", + "Press \/ to search": "Prentsa \/ bilatu", + "Preview": "Aurreikuspen", + "Previous": "Aurreko", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Hiruhilekoan Data", + "Reload": "Birkargatu", + "Remember Me": "Gogora nazazu", + "Reset Filters": "Berrezarri Iragazkiak", + "Reset Password": "Berrezarri pasahitza", + "Reset Password Notification": "Pasahitza berrezartzeko jakinarazpena", + "resource": "baliabide", + "Resources": "Baliabideak", + "resources": "baliabideak", + "Restore": "Berreskuratu", + "Restore Resource": "Berreskuratu Baliabide", + "Restore Selected": "Berreskuratu Hautatutako", + "Reunion": "Bilera", + "Romania": "Errumaniako", + "Run Action": "Exekutatu Ekintza", + "Russian Federation": "Errusiako Federazioa", + "Rwanda": "Ruanda", + "Saint Barthelemy": "San Barthélemy", + "Saint Helena": "San Helena", + "Saint Kitts And Nevis": "St. Kitts eta Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin": "San Martin", + "Saint Pierre And Miquelon": "St. Pierre eta Miquelon", + "Saint Vincent And Grenadines": "St. Vincent eta Grenadinak", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "Sao Tome eta Principe", + "Saudi Arabia": "Saudi Arabia", + "Search": "Bilaketa", + "Select Action": "Hautatu Ekintza", + "Select All": "Hautatu Guztiak", + "Select All Matching": "Hautatu Guztiak Betetzen", + "Send Password Reset Link": "Bidali pasahitza berrezartzeko esteka", + "Senegal": "Senegal", + "September": "Iraila", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Show All Fields": "Erakutsi Eremu Guztiak", + "Show Content": "Edukia Erakutsi", + "Sierra Leone": "Sierra Leonan", + "Singapore": "Singapurren", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Eslovakia", + "Slovenia": "Eslovenia", + "Solomon Islands": "Salomon Uharteak", + "Somalia": "Somalian", + "Something went wrong.": "Zerbait gaizki joan da.", + "Sorry! You are not authorized to perform this action.": "Barkatu! Ez duzu baimenik hori egiteko ekintza.", + "Sorry, your session has expired.": "Sentitzen dut, zure saioa iraungi.", + "South Africa": "Hegoafrikan", + "South Georgia And Sandwich Isl.": "Hegoaldeko Georgia eta hegoaldeko Sandwich Uharteak", + "South Sudan": "Hego Sudan", + "Spain": "Espainia", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Hasteko Hauteslekuak", + "Stop Polling": "Gelditu Hauteslekuak", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard eta Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Suedia", + "Switzerland": "Suitza", + "Syrian Arab Republic": "Siria", + "Taiwan": "Taiwan", + "Tajikistan": "Tadjikistan", + "Tanzania": "Tanzania", + "Thailand": "Thailandia", + "The :resource was created!": "The :resource sortu zen!", + "The :resource was deleted!": "The :resource ezabatu!", + "The :resource was restored!": "The :resource zaharberritu zen!", + "The :resource was updated!": "The :resource eguneratu zen!", + "The action ran successfully!": "Ekintza ran bezala!", + "The file was deleted!": "Fitxategia ezabatu!", + "The government won't let us show you what's behind these doors": "Gobernuak ez du utzi gurekin erakusteko zer ate horien atzean", + "The HasOne relationship has already been filled.": "The HasOne harremana jadanik bete.", + "The resource was updated!": "Baliabide eguneratu zen!", + "There are no available options for this resource.": "Ez dago eskuragarri aukerak baliabide hau.", + "There was a problem executing the action.": "Ez zen arazo bat exekutatzean ekintza.", + "There was a problem submitting the form.": "Ez zen arazo bat aurkezteko formularioa.", + "This file field is read-only.": "Fitxategi honen eremuan soilik irakurtzekoa da.", + "This image": "Irudi hau", + "This resource no longer exists": "Baliabide hau jada ez da existitzen", + "Timor-Leste": "Timor-Leste", + "Today": "Gaur", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Etorri", + "total": "guztira", + "Trashed": "Zakarrontziko", + "Trinidad And Tobago": "Trinidad eta Tobagon", + "Tunisia": "Tunisia", + "Turkey": "Turkia", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Turks eta Caicos Uharteak", + "Tuvalu": "Tuvalu", + "Uganda": "Ugandako", + "Ukraine": "Ukrainako", + "United Arab Emirates": "Arabiar Emirerri Batuak", + "United Kingdom": "United Kingdom", + "United States": "United States", + "United States Outlying Islands": "BATUETAKO Kanpoaldeko Uharte", + "Update": "Eguneratu", + "Update & Continue Editing": "Eguneratu & Editatzen Jarrai", + "Update :resource": "Eguneratu :resource", + "Update :resource: :title": "Eguneratu :resource: :title", + "Update attached :resource: :title": "Eguneratu atxikitako :resource: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Value": "Balio", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Ikusi", + "Virgin Islands, British": "Birjina Uharte Britainiarrak", + "Virgin Islands, U.S.": "US Virgin Uharteak", + "Wallis And Futuna": "Wallis eta Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Ari gara espazioan galdu. Orri duzu saiatzen ziren ikusteko, ez da existitzen.", + "Welcome Back!": "Ongietorria Itzuli!", + "Western Sahara": "Mendebaldeko Sahara", + "Whoops": "Aupa", + "Whoops!": "Aupa!", + "With Trashed": "Batera Zakarrontziko", + "Write": "Idatzi", + "Year To Date": "Urte Data", + "Yemen": "Yemeni", + "Yes": "Bai", + "You are receiving this email because we received a password reset request for your account.": "Zure kontutik pasahitza berrezartzeko eskaera bat jaso genuelako jaso duzu posta elektroniko hau.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/eu/packages/spark-paddle.json b/locales/eu/packages/spark-paddle.json new file mode 100644 index 00000000000..3b9302e50fe --- /dev/null +++ b/locales/eu/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Zerbitzu-baldintzak", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Aupa! Zerbait gaizki joan da.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/eu/packages/spark-stripe.json b/locales/eu/packages/spark-stripe.json new file mode 100644 index 00000000000..141b5ed54b8 --- /dev/null +++ b/locales/eu/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afganistanen", + "Albania": "Albania", + "Algeria": "Aljeria", + "American Samoa": "American Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorrako", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antartikako", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamak", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Bielorrusia", + "Belgium": "Belgika", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Uhartea", + "Brazil": "Brasilen", + "British Indian Ocean Territory": "Britainiar Indiako Ozeanoko Lurralde", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kanbodiako", + "Cameroon": "Kamerun", + "Canada": "Kanadan", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Cabo Verde", + "Card": "Txartela", + "Cayman Islands": "Kaiman Uharteak", + "Central African Republic": "Afrika Erdiko Errepublika", + "Chad": "Chad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Txile", + "China": "Txina", + "Christmas Island": "Gabonetako Island", + "City": "City", + "Cocos (Keeling) Islands": "Cocos (Keeling) Uharteak", + "Colombia": "Kolonbia", + "Comoros": "Comoros", + "Confirm Payment": "Berretsi Ordainketa", + "Confirm your :amount payment": "Berretsi zure :amount ordainketa", + "Congo": "Kongoko", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Cook Uharteak", + "Costa Rica": "Costa Rica", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Kroazia", + "Cuba": "Cuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Txipre", + "Czech Republic": "Txekia", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Danimarka", + "Djibouti": "Djibouti", + "Dominica": "Igandea", + "Dominican Republic": "Dominikar Errepublika", + "Download Receipt": "Download Receipt", + "Ecuador": "Ekuadorren", + "Egypt": "Egipto", + "El Salvador": "Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Ekuatore Gineako", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Etiopia", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Aparteko erreserbatu behar da prozesu zure ordainketa. Mesedez, jarraitu ordainketa orria klik beheko botoian.", + "Falkland Islands (Malvinas)": "Falkland Uharteak (Malvinas)", + "Faroe Islands": "Faroe Uharteak", + "Fiji": "Fiji", + "Finland": "Finlandia", + "France": "Frantzia", + "French Guiana": "Guyana Frantsesa", + "French Polynesia": "Polinesia Frantsesa", + "French Southern Territories": "Gambia", + "Gabon": "Gabon", + "Gambia": "Gambian", + "Georgia": "Georgia", + "Germany": "Alemania", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Grezia", + "Greenland": "Groenlandia", + "Grenada": "Granada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Ginea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungaria", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Islandia", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Irakeko", + "Ireland": "Irlanda", + "Isle of Man": "Isle of Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italia", + "Jamaica": "Jamaica", + "Japan": "Japonia", + "Jersey": "Jersey", + "Jordan": "Jordan", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Ipar Korea", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kirgizistan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Letonia", + "Lebanon": "Libanoko", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libian", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lituaniako", + "Luxembourg": "Luxenburgo", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldivak", + "Mali": "Txiki", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marshall Uharteak", + "Martinique": "Martinika", + "Mauritania": "Mauritania", + "Mauritius": "Maurizio", + "Mayotte": "Mazedonia", + "Mexico": "Mexikon", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monakon", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Maroko", + "Mozambique": "Mozambike", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Herbehereak", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "New Caledonia", + "New Zealand": "Zeelanda Berria", + "Nicaragua": "Nikaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Norfolk Uhartea", + "Northern Mariana Islands": "Iparraldeko Mariana Uharteak", + "Norway": "Norvegia", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinako Lurraldeak", + "Panama": "Panama", + "Papua New Guinea": "Papua Ginea Berria", + "Paraguay": "Paraguay", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Filipinetan", + "Pitcairn": "Menpeko Lurraldeak", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Polonia", + "Portugal": "Portugal", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Errumaniako", + "Russian Federation": "Errusiako Federazioa", + "Rwanda": "Ruanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "San Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saudi Arabia", + "Save": "Gorde", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Sierra Leone": "Sierra Leonan", + "Signed in as": "Signed in as", + "Singapore": "Singapurren", + "Slovakia": "Eslovakia", + "Slovenia": "Eslovenia", + "Solomon Islands": "Salomon Uharteak", + "Somalia": "Somalian", + "South Africa": "Hegoafrikan", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Espainia", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Suedia", + "Switzerland": "Suitza", + "Syrian Arab Republic": "Siria", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tadjikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Zerbitzu-baldintzak", + "Thailand": "Thailandia", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Etorri", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turkia", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Ugandako", + "Ukraine": "Ukrainako", + "United Arab Emirates": "Arabiar Emirerri Batuak", + "United Kingdom": "United Kingdom", + "United States": "United States", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Eguneratu", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Birjina Uharte Britainiarrak", + "Virgin Islands, U.S.": "US Virgin Uharteak", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Mendebaldeko Sahara", + "Whoops! Something went wrong.": "Aupa! Zerbait gaizki joan da.", + "Yearly": "Yearly", + "Yemen": "Yemeni", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/fa/fa.json b/locales/fa/fa.json index f3d21c57cb2..b106e2eb0ea 100644 --- a/locales/fa/fa.json +++ b/locales/fa/fa.json @@ -1,710 +1,48 @@ { - "30 Days": "30 روز", - "60 Days": "60 روز", - "90 Days": "90 روز", - ":amount Total": ":amount Total", - ":days day trial": ":days day trial", - ":resource Details": ":resource Details", - ":resource Details: :title": ":resource Details: :title", "A fresh verification link has been sent to your email address.": "لینک تایید جدیدی برای ایمیل شما ارسال شد.", - "A new verification link has been sent to the email address you provided during registration.": "یک لینک تایید جدید به ایمیلی که در هنگام ثبت نام وارد کرده بودید ارسال شد.", - "Accept Invitation": "Accept Invitation", - "Action": "Action", - "Action Happened At": "Happened At", - "Action Initiated By": "Initiated By", - "Action Name": "اسم", - "Action Status": "وضعیت", - "Action Target": "هدف", - "Actions": "اقدامات", - "Add": "افزودن", - "Add a new team member to your team, allowing them to collaborate with you.": "یک عضو تیم جدید به تیم خود اضافه کنید ،و به آن اجازه دهید با شما همکاری کند.", - "Add additional security to your account using two factor authentication.": "با استفاده از احراز هویت دو مرحله ای ، امنیت بیشتری به حساب خود اضافه کنید.", - "Add row": "درج ردیف", - "Add Team Member": "افزودن عضو تیم", - "Add VAT Number": "Add VAT Number", - "Added.": "افزوده شد", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "مدیر", - "Administrator users can perform any action.": "کاربران مدیر می توانند هر عملی را انجام دهند.", - "Afghanistan": "Afghanistan", - "Aland Islands": "Åland Islands", - "Albania": "Albania", - "Algeria": "Algeria", - "All of the people that are part of this team.": "همه افرادی که بخشی از این تیم هستند.", - "All resources loaded.": "همه منابع بارگزری شدند.", - "All rights reserved.": "کلیه حقوق محفوظ است.", - "Already registered?": "قبلا ثبت نام کرده‌اید؟", - "American Samoa": "American Samoa", - "An error occured while uploading the file.": "An error occured while uploading the file.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Another user has updated this resource since this page was loaded. Please refresh the page and try again.", - "Antarctica": "Antarctica", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua and Barbuda", - "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 به نرم افزار های دیگر این اجازه را می دهند تا با نام کاربری شمااحراز هویت شوند.", - "April": "April", - "Are you sure you want to delete the selected resources?": "Are you sure you want to delete the selected resources?", - "Are you sure you want to delete this file?": "Are you sure you want to delete this file?", - "Are you sure you want to delete this resource?": "Are you sure you want to delete this resource?", - "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 detach the selected resources?": "Are you sure you want to detach the selected resources?", - "Are you sure you want to detach this resource?": "Are you sure you want to detach this resource?", - "Are you sure you want to force delete the selected resources?": "Are you sure you want to force delete the selected resources?", - "Are you sure you want to force delete this resource?": "Are you sure you want to force delete this resource?", - "Are you sure you want to restore the selected resources?": "Are you sure you want to restore the selected resources?", - "Are you sure you want to restore this resource?": "Are you sure you want to restore this resource?", - "Are you sure you want to run this action?": "Are you sure you want to run this action?", - "Are you sure you would like to delete this API token?": "آیا مطمئن هستید که می خواهید این رمز API را حذف کنید؟", - "Are you sure you would like to leave this team?": "آیا مطمئن هستید که می خواهید این تیم را ترک کنید؟", - "Are you sure you would like to remove this person from the team?": "آیا مطمئن هستید که می خواهید این شخص را از تیم حذف کنید؟", - "Argentina": "Argentina", - "Armenia": "Armenia", - "Aruba": "Aruba", - "Attach": "Attach", - "Attach & Attach Another": "Attach & Attach Another", - "Attach :resource": "Attach :resource", - "August": "August", - "Australia": "Australia", - "Austria": "Austria", - "Azerbaijan": "Azerbaijan", - "Bahamas": "Bahamas", - "Bahrain": "Bahrain", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "پیش از هر کاری، جهت تایید ایمیل خود را بررسی نمایید.", - "Belarus": "Belarus", - "Belgium": "Belgium", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bhutan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Saba", - "Bosnia And Herzegovina": "Bosnia and Herzegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvet Island", - "Brazil": "Brazil", - "British Indian Ocean Territory": "British Indian Ocean Territory", - "Browser Sessions": "جلسات مرورگر", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgaria", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Cambodia", - "Cameroon": "Cameroon", - "Canada": "Canada", - "Cancel": "Cancel", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Cape Verde", - "Card": "Card", - "Cayman Islands": "Cayman Islands", - "Central African Republic": "Central African Republic", - "Chad": "Chad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Changes", - "Chile": "Chile", - "China": "China", - "Choose": "Choose", - "Choose :field": "Choose :field", - "Choose :resource": "Choose :resource", - "Choose an option": "Choose an option", - "Choose date": "Choose date", - "Choose File": "Choose File", - "Choose Type": "Choose Type", - "Christmas Island": "Christmas Island", - "City": "City", "click here to request another": "ارسال یک درخواست دیگر", - "Click to choose": "Click to choose", - "Close": "بسته", - "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", - "Code": "کد", - "Colombia": "Colombia", - "Comoros": "Comoros", - "Confirm": "تایید", - "Confirm Password": "تکرار رمز عبور", - "Confirm Payment": "Confirm Payment", - "Confirm your :amount payment": "Confirm your :amount payment", - "Congo": "Congo", - "Congo, Democratic Republic": "Congo, Democratic Republic", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Constant", - "Cook Islands": "Cook Islands", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "could not be found.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "ایجاد", - "Create & Add Another": "Create & Add Another", - "Create :resource": "Create :resource", - "Create a new team to collaborate with others on projects.": "یک تیم جدید برای همکاری با دیگران در پروژه ها ایجاد کنید.", - "Create Account": "Create Account", - "Create API Token": "ایجاد رمز API", - "Create New Team": "ایجاد تیم جدید", - "Create Team": "ایجاد تیم", - "Created.": "ایجاد شد", - "Croatia": "Croatia", - "Cuba": "کوبا", - "Curaçao": "Curaçao", - "Current Password": "رمز عبور فعلی", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Customize", - "Cyprus": "Cyprus", - "Czech Republic": "Czechia", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "داشبورد", - "December": "December", - "Decrease": "Decrease", - "Delete": "حذف", - "Delete Account": "حذف حساب کاربری", - "Delete API Token": "حذف رمز API", - "Delete File": "Delete File", - "Delete Resource": "Delete Resource", - "Delete Selected": "Delete Selected", - "Delete Team": "حذف تیم", - "Denmark": "Denmark", - "Detach": "Detach", - "Detach Resource": "Detach Resource", - "Detach Selected": "Detach Selected", - "Details": "Details", - "Disable": "غیر فعال", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Do you really want to leave? You have unsaved changes.", - "Dominica": "Dominica", - "Dominican Republic": "Dominican Republic", - "Done.": "انجام شده.", - "Download": "دانلود", - "Download Receipt": "Download Receipt", "E-Mail Address": "آدرس ایمیل", - "Ecuador": "Ecuador", - "Edit": "ویرایش", - "Edit :resource": "ویرایش :resource", - "Edit Attached": "ویرایش Attached", - "Editor": "ویرایشگر", - "Editor users have the ability to read, create, and update.": "کاربران ویرایشگر توانایی خواندن ، ایجاد و به روزرسانی را دارند.", - "Egypt": "Egypt", - "El Salvador": "El Salvador", - "Email": "ایمیل", - "Email Address": "آدرس ایمیل", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "ارسال لینک بازیابی رمز عبور از طریق ایمیل", - "Enable": "فعال", - "Ensure your account is using a long, random password to stay secure.": "اطمینان حاصل کنید که حساب شما از یک رمز عبور تصادفی و طولانی برای ایمن ماندن استفاده می کند.", - "Equatorial Guinea": "Equatorial Guinea", - "Eritrea": "Eritrea", - "Estonia": "Estonia", - "Ethiopia": "Ethiopia", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", - "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", - "Faroe Islands": "Faroe Islands", - "February": "February", - "Fiji": "Fiji", - "Finland": "Finland", - "For your security, please confirm your password to continue.": "برای امنیت خود ، لطفاً رمز ورود خود را تأیید کنید.", "Forbidden": "عدم دسترسی", - "Force Delete": "حذف اجباری", - "Force Delete Resource": "حذف اجباری منبع", - "Force Delete Selected": "Force Delete Selected", - "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.": "رمز عبور خود را فراموش کرده اید؟ مشکلی نیست. کافی است ایمیل خود را داشته باشید و ما یک لینک جهت بازیابی رمز عبور برای شما ارسال می کنیم. ", - "France": "France", - "French Guiana": "French Guiana", - "French Polynesia": "French Polynesia", - "French Southern Territories": "French Southern Territories", - "Full name": "نام و نام خانوادگی", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Georgia", - "Germany": "Germany", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "برگشت", - "Go Home": "صفحه اصلی", "Go to page :page": " برو به صفحه :page", - "Great! You have accepted the invitation to join the :team team.": "Great! You have accepted the invitation to join the :team team.", - "Greece": "Greece", - "Greenland": "Greenland", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Heard Island and McDonald Islands", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "سلام!", - "Hide Content": "Hide Content", - "Hold Up!": "Hold Up!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Hungary", - "I agree to the :terms_of_service and :privacy_policy": "I agree to the :terms_of_service and :privacy_policy", - "Iceland": "Iceland", - "ID": "آیدی", - "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 necessary, you may logout 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 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 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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "چنانچه مشکلی با کلید \":actionText\" دارید, لینک زیر کپی کنید و \nدر یک مرورگر بازنمایید:", - "Increase": "Increase", - "India": "India", - "Indonesia": "Indonesia", "Invalid signature.": "امضا نامعتبر است.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "عراق", - "Ireland": "Ireland", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Isle of Man", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italy", - "Jamaica": "Jamaica", - "January": "January", - "Japan": "ژاپن", - "Jersey": "Jersey", - "Jordan": "Jordan", - "July": "July", - "June": "June", - "Kazakhstan": "Kazakhstan", - "Kenya": "Kenya", - "Key": "Key", - "Kiribati": "Kiribati", - "Korea": "South Korea", - "Korea, Democratic People's Republic of": "North Korea", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuwait", - "Kyrgyzstan": "Kyrgyzstan", - "Lao People's Democratic Republic": "Laos", - "Last active": "آخرین فعالیت", - "Last used": "آخرین استفاده", - "Latvia": "Latvia", - "Leave": "ترک کردن", - "Leave Team": "ترک کردن تیم", - "Lebanon": "Lebanon", - "Lens": "Lens", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libya", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Lithuania", - "Load :perPage More": "Load :perPage More", - "Log in": "ورود", "Log out": "خروج", - "Log Out": "خروج", - "Log Out Other Browser Sessions": "از سایر جلسات مرورگر خارج شوید", - "Login": "ورود", - "Logout": "خروج", "Logout Other Browser Sessions": "از سایر جلسات مرورگر خارج شوید", - "Luxembourg": "Luxembourg", - "Macao": "Macao", - "Macedonia": "North Macedonia", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagascar", - "Malawi": "Malawi", - "Malaysia": "Malaysia", - "Maldives": "Maldives", - "Mali": "Mali", - "Malta": "Malta", - "Manage Account": "مدیریت حساب کاربری", - "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 and logout your active sessions on other browsers and devices.": "جلسات فعال خود را در سایر مرورگرها و دستگاهها مدیریت و از سیستم خارج کنید.", - "Manage API Tokens": "مدیریت رمز های API", - "Manage Role": "مدیریت نقش", - "Manage Team": "مدیریت تیم", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "March", - "Marshall Islands": "Marshall Islands", - "Martinique": "Martinique", - "Mauritania": "Mauritania", - "Mauritius": "Mauritius", - "May": "May", - "Mayotte": "Mayotte", - "Mexico": "Mexico", - "Micronesia, Federated States Of": "Micronesia", - "Moldova": "Moldova", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monaco", - "Mongolia": "Mongolia", - "Montenegro": "Montenegro", - "Month To Date": "Month To Date", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Morocco", - "Mozambique": "Mozambique", - "Myanmar": "Myanmar", - "Name": "نام", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Netherlands", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "بیخیال", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "جدید", - "New :resource": "جدید :resource", - "New Caledonia": "New Caledonia", - "New Password": "رمز عبور جدید", - "New Zealand": "New Zealand", - "Next": "بعدی", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "No", - "No :resource matched the given criteria.": "No :resource matched the given criteria.", - "No additional information...": "No additional information...", - "No Current Data": "No Current Data", - "No Data": "No Data", - "no file selected": "no file selected", - "No Increase": "No Increase", - "No Prior Data": "No Prior Data", - "No Results Found.": "No Results Found.", - "Norfolk Island": "Norfolk Island", - "Northern Mariana Islands": "Northern Mariana Islands", - "Norway": "Norway", "Not Found": "یافت نشد", - "Nova User": "Nova User", - "November": "November", - "October": "October", - "of": "از", "Oh no": "وای نه", - "Oman": "Oman", - "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 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 Trashed": "Only Trashed", - "Original": "Original", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "صفحه منقضی شده است", "Pagination Navigation": "راهنمای صفحه بندی", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Palestinian Territories", - "Panama": "Panama", - "Papua New Guinea": "Papua New Guinea", - "Paraguay": "Paraguay", - "Password": "رمز عبور", - "Pay :amount": "Pay :amount", - "Payment Cancelled": "Payment Cancelled", - "Payment Confirmation": "Payment Confirmation", - "Payment Information": "Payment Information", - "Payment Successful": "Payment Successful", - "Pending Team Invitations": "Pending Team Invitations", - "Per Page": "Per Page", - "Permanently delete this team.": "حذف کامل این تیم.", - "Permanently delete your account.": "حذف کامل حساب کاربری.", - "Permissions": "مجوز", - "Peru": "Peru", - "Philippines": "Philippines", - "Photo": "تصویر", - "Pitcairn": "Pitcairn Islands", "Please click the button below to verify your email address.": "برای تایید آدرس ایمیل روی دکمه زیر کلیک کنید.", - "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 your password before continuing.": "لطفا قبل از ادامه رمز خود را تأیید کنید.", - "Please copy your new API token. For your security, it won't be shown again.": "لطفا رمز API جدید خود را کپی کنید. برای امنیت شما ، دوباره نشان داده نمی شود.", - "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 enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "لطفاً رمز ورود خود را وارد کنید تا تأیید کنید می خواهید از سایر جلسات مرورگر خود در همه دستگاهها دیگر خارج شوید.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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 provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "لطفا آدرس ایمیل شخصی را که می خواهید به این تیم اضافه کنید ارائه دهید. آدرس ایمیل باید با یک حساب موجود مرتبط باشد.", - "Please provide your name.": "Please provide your name.", - "Poland": "Poland", - "Portugal": "Portugal", - "Press \/ to search": "Press \/ to search", - "Preview": "Preview", - "Previous": "Previous", - "Privacy Policy": "Privacy Policy", - "Profile": "پروفایل", - "Profile Information": "اطلاعات پروفایل", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Quarter To Date", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "کد بازیافت", "Regards": "با احترام", - "Regenerate Recovery Codes": "تولید مجدد کد بازیافت", - "Register": "ثبت نام", - "Reload": "Reload", - "Remember me": "مرا به خاطر بسپار", - "Remember Me": "من را به‌یاد بسپار", - "Remove": "حذف", - "Remove Photo": "حذف تصویر", - "Remove Team Member": "حذف یک عضو تیم", - "Resend Verification Email": "ارسال دوباره ایمیل تایید", - "Reset Filters": "Reset Filters", - "Reset Password": "فراموشی رمز عبور", - "Reset Password Notification": "پیام فراموشی رمز عبور", - "resource": "منبع", - "Resources": "منابع", - "resources": "منابع", - "Restore": "Restore", - "Restore Resource": "Restore Resource", - "Restore Selected": "Restore Selected", "results": "نتایج", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Réunion", - "Role": "نقش", - "Romania": "Romania", - "Run Action": "اجرای عملیات", - "Russian Federation": "Russian Federation", - "Rwanda": "Rwanda", - "Réunion": "Réunion", - "Saint Barthelemy": "St. Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "St. Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "St. Kitts and Nevis", - "Saint Lucia": "St. Lucia", - "Saint Martin": "St. Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "St. Pierre and Miquelon", - "Saint Vincent And Grenadines": "St. Vincent and Grenadines", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "São Tomé and Príncipe", - "Saudi Arabia": "Saudi Arabia", - "Save": "ذخیره", - "Saved.": "ذخیره شد.", - "Search": "Search", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "یک عکس جدید انتخاب کنید", - "Select Action": "Select Action", - "Select All": "Select All", - "Select All Matching": "Select All Matching", - "Send Password Reset Link": "ارسال لینک فراموشی رمز عبور", - "Senegal": "Senegal", - "September": "September", - "Serbia": "Serbia", "Server Error": "خطای سرور", "Service Unavailable": "عدم دسترسی به سرویس", - "Seychelles": "Seychelles", - "Show All Fields": "Show All Fields", - "Show Content": "Show Content", - "Show Recovery Codes": "نمایش کد بازیافت", "Showing": "در حال نمایش", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapore", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovakia", - "Slovenia": "Slovenia", - "Solomon Islands": "Solomon Islands", - "Somalia": "Somalia", - "Something went wrong.": "Something went wrong.", - "Sorry! You are not authorized to perform this action.": "Sorry! You are not authorized to perform this action.", - "Sorry, your session has expired.": "Sorry, your session has expired.", - "South Africa": "South Africa", - "South Georgia And Sandwich Isl.": "South Georgia and South Sandwich Islands", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "South Sudan", - "Spain": "Spain", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Start Polling", - "State \/ County": "State \/ County", - "Stop Polling": "Stop Polling", - "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.": "این کدهای بازیابی را در یک جای امن ذخیره کنید. اگر دستگاه احراز هویت دو مرحله ای شما از بین رفت ، می توان از آنها برای بازیابی دسترسی به حساب شما استفاده کرد.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard and Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Sweden", - "Switch Teams": "تغییر تیم ها", - "Switzerland": "Switzerland", - "Syrian Arab Republic": "Syria", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tajikistan", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "جزئیات تیم", - "Team Invitation": "Team Invitation", - "Team Members": "اعضای تیم", - "Team Name": "نام تیم", - "Team Owner": "مالک تیم", - "Team Settings": "تنظیمات تیم", - "Terms of Service": "Terms of Service", - "Thailand": "Thailand", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute باید یک نقض معتبر باشد", - "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 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.": ":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 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.": ":attribute باید حداقل :length کارکتر باشد.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "The :resource was created!", - "The :resource was deleted!": "The :resource was deleted!", - "The :resource was restored!": "The :resource was restored!", - "The :resource was updated!": "The :resource was updated!", - "The action ran successfully!": "The action ran successfully!", - "The file was deleted!": "The file was deleted!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "The government won't let us show you what's behind these doors", - "The HasOne relationship has already been filled.": "The HasOne relationship has already been filled.", - "The payment was successful.": "The payment was successful.", - "The provided coupon code is invalid.": "The provided coupon code is 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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "The resource was updated!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "نام تیم و اطلاعات مالک آن.", - "There are no available options for this resource.": "There are no available options for this resource.", - "There was a problem executing the action.": "There was a problem executing the action.", - "There was a problem submitting the form.": "There was a problem submitting the form.", - "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.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "این اقدام غیرمجاز است.", - "This device": "این دستگاه", - "This file field is read-only.": "This file field is read-only.", - "This image": "This image", - "This is a secure area of the application. Please confirm your password before continuing.": "این یک بخش تحت حفاظت از برنامه است. لطفا قبل از ادامه رمز عبور خود را تأیید کنید.", - "This password does not match our records.": "رمز عبور معتبر نیست.", "This password reset link will expire in :count minutes.": "لینک فراموشی رمز عبور برای :count دقیقه معتبر است.", - "This payment was already successfully confirmed.": "This payment was already successfully confirmed.", - "This payment was cancelled.": "This payment was cancelled.", - "This resource no longer exists": "This resource no longer exists", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "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.", - "Timor-Leste": "Timor-Leste", "to": "به", - "Today": "Today", "Toggle navigation": "تغییر ناوبری", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "نام رمز", - "Tonga": "Tonga", "Too Many Attempts.": "تعداد ورود ناموفق بسیار زیاد است.", "Too Many Requests": "تعداد درخواست های زیاد", - "total": "total", - "Total:": "Total:", - "Trashed": "Trashed", - "Trinidad And Tobago": "Trinidad and Tobago", - "Tunisia": "Tunisia", - "Turkey": "Turkey", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Turks and Caicos Islands", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "احراز هویت دو مرحله ای", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "احراز هویت دو مرحله ای اکنون فعال است. کد QR کد زیر را با استفاده از برنامه اعتبارسنجی گوشی خود اسکن کنید.", - "Uganda": "Uganda", - "Ukraine": "Ukraine", "Unauthorized": "دسترسی غیر مجاز", - "United Arab Emirates": "United Arab Emirates", - "United Kingdom": "United Kingdom", - "United States": "United States", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "U.S. Outlying Islands", - "Update": "بروزرسانی", - "Update & Continue Editing": "Update & Continue Editing", - "Update :resource": "بروزرسانی :resource", - "Update :resource: :title": "بروزرسانی :resource: :title", - "Update attached :resource: :title": "Update attached :resource: :title", - "Update Password": "بروزرسانی رمز عبور", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "اطلاعات پروفایل و آدرس ایمیل حساب خود را به روز کنید.", - "Uruguay": "Uruguay", - "Use a recovery code": "استفاده از کد بازیابی", - "Use an authentication code": "استفاده از کد احراز هویت", - "Uzbekistan": "Uzbekistan", - "Value": "Value", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "تایید آدرس ایمیل", "Verify Your Email Address": "آدرس ایمیل خود را تایید کنید", - "Viet Nam": "Vietnam", - "View": "View", - "Virgin Islands, British": "British Virgin Islands", - "Virgin Islands, U.S.": "U.S. Virgin Islands", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis and Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "کاربری با این ایمیل یافت نشد.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "ما تا چند ساعت دیگر نیازی به پرسیدن رمز ورود شمانداریم.", - "We're lost in space. The page you were trying to view does not exist.": "We're lost in space. The page you were trying to view does not exist.", - "Welcome Back!": "خوش برگشتی!", - "Western Sahara": "Western Sahara", - "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 تلفن خود بازیابی کنید.", - "Whoops": "وای !", - "Whoops!": "وای !", - "Whoops! Something went wrong.": "متاسفانه خطایی رخ داده است.", - "With Trashed": "With Trashed", - "Write": "Write", - "Year To Date": "Year To Date", - "Yearly": "Yearly", - "Yemen": "Yemen", - "Yes": "بله", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "وارد سیستم شده اید!", - "You are receiving this email because we received a password reset request for your account.": "شما این ایمیل را به دلیل درخواست رمز عبور جدید دریافت کرده اید.", - "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 not enabled two factor authentication.": "شما احراز هویت دو مرحله خود را فعال نکرده اید.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.": "شما نمی توانید تیمی که خودتان ساخته اید را ترک کنید.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "آدرس ایمیل شما تأیید نشده است.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "آدرس ایمیل شما تأیید نشده است." } diff --git a/locales/fa/packages/cashier.json b/locales/fa/packages/cashier.json new file mode 100644 index 00000000000..12f3f262553 --- /dev/null +++ b/locales/fa/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "کلیه حقوق محفوظ است.", + "Card": "Card", + "Confirm Payment": "Confirm Payment", + "Confirm your :amount payment": "Confirm your :amount payment", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", + "Full name": "نام و نام خانوادگی", + "Go back": "برگشت", + "Jane Doe": "Jane Doe", + "Pay :amount": "Pay :amount", + "Payment Cancelled": "Payment Cancelled", + "Payment Confirmation": "Payment Confirmation", + "Payment Successful": "Payment Successful", + "Please provide your name.": "Please provide your name.", + "The payment was successful.": "The payment was successful.", + "This payment was already successfully confirmed.": "This payment was already successfully confirmed.", + "This payment was cancelled.": "This payment was cancelled." +} diff --git a/locales/fa/packages/fortify.json b/locales/fa/packages/fortify.json new file mode 100644 index 00000000000..beb4b87b1e0 --- /dev/null +++ b/locales/fa/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 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.": ":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 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.": ":attribute باید حداقل :length کارکتر باشد.", + "The provided password does not match your current password.": "رمز ورود ارائه شده با رمز عبور فعلی شما مطابقت ندارد.", + "The provided password was incorrect.": "رمز ورود ارائه شده نادرست بود.", + "The provided two factor authentication code was invalid.": "کد تأیید اعتبارسنجی دو مرحله ای نامعتبر است." +} diff --git a/locales/fa/packages/jetstream.json b/locales/fa/packages/jetstream.json new file mode 100644 index 00000000000..9968e3b1fd5 --- /dev/null +++ b/locales/fa/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "یک لینک تایید جدید به ایمیلی که در هنگام ثبت نام وارد کرده بودید ارسال شد.", + "Accept Invitation": "Accept Invitation", + "Add": "افزودن", + "Add a new team member to your team, allowing them to collaborate with you.": "یک عضو تیم جدید به تیم خود اضافه کنید ،و به آن اجازه دهید با شما همکاری کند.", + "Add additional security to your account using two factor authentication.": "با استفاده از احراز هویت دو مرحله ای ، امنیت بیشتری به حساب خود اضافه کنید.", + "Add Team Member": "افزودن عضو تیم", + "Added.": "افزوده شد", + "Administrator": "مدیر", + "Administrator users can perform any action.": "کاربران مدیر می توانند هر عملی را انجام دهند.", + "All of the people that are part of this team.": "همه افرادی که بخشی از این تیم هستند.", + "Already registered?": "قبلا ثبت نام کرده‌اید؟", + "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 به نرم افزار های دیگر این اجازه را می دهند تا با نام کاربری شمااحراز هویت شوند.", + "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 delete this API token?": "آیا مطمئن هستید که می خواهید این رمز API را حذف کنید؟", + "Are you sure you would like to leave this team?": "آیا مطمئن هستید که می خواهید این تیم را ترک کنید؟", + "Are you sure you would like to remove this person from the team?": "آیا مطمئن هستید که می خواهید این شخص را از تیم حذف کنید؟", + "Browser Sessions": "جلسات مرورگر", + "Cancel": "Cancel", + "Close": "بسته", + "Code": "کد", + "Confirm": "تایید", + "Confirm Password": "تکرار رمز عبور", + "Create": "ایجاد", + "Create a new team to collaborate with others on projects.": "یک تیم جدید برای همکاری با دیگران در پروژه ها ایجاد کنید.", + "Create Account": "Create Account", + "Create API Token": "ایجاد رمز API", + "Create New Team": "ایجاد تیم جدید", + "Create Team": "ایجاد تیم", + "Created.": "ایجاد شد", + "Current Password": "رمز عبور فعلی", + "Dashboard": "داشبورد", + "Delete": "حذف", + "Delete Account": "حذف حساب کاربری", + "Delete API Token": "حذف رمز API", + "Delete Team": "حذف تیم", + "Disable": "غیر فعال", + "Done.": "انجام شده.", + "Editor": "ویرایشگر", + "Editor users have the ability to read, create, and update.": "کاربران ویرایشگر توانایی خواندن ، ایجاد و به روزرسانی را دارند.", + "Email": "ایمیل", + "Email Password Reset Link": "ارسال لینک بازیابی رمز عبور از طریق ایمیل", + "Enable": "فعال", + "Ensure your account is using a long, random password to stay secure.": "اطمینان حاصل کنید که حساب شما از یک رمز عبور تصادفی و طولانی برای ایمن ماندن استفاده می کند.", + "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.": "رمز عبور خود را فراموش کرده اید؟ مشکلی نیست. کافی است ایمیل خود را داشته باشید و ما یک لینک جهت بازیابی رمز عبور برای شما ارسال می کنیم. ", + "Great! You have accepted the invitation to join the :team team.": "Great! You have accepted the invitation to join the :team team.", + "I agree to the :terms_of_service and :privacy_policy": "I agree to the :terms_of_service and :privacy_policy", + "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 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 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 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:", + "Last active": "آخرین فعالیت", + "Last used": "آخرین استفاده", + "Leave": "ترک کردن", + "Leave Team": "ترک کردن تیم", + "Log in": "ورود", + "Log Out": "خروج", + "Log Out Other Browser Sessions": "از سایر جلسات مرورگر خارج شوید", + "Manage Account": "مدیریت حساب کاربری", + "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 Role": "مدیریت نقش", + "Manage Team": "مدیریت تیم", + "Name": "نام", + "New Password": "رمز عبور جدید", + "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 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.": "هنگامی که حساب شما پاک شد ، تمام منابع و داده های آن برای همیشه حذف می شوند. قبل از حذف حساب خود ، لطفاً هرگونه داده یا اطلاعاتی را که می خواهید حفظ کنید دانلود کنید.", + "Password": "رمز عبور", + "Pending Team Invitations": "Pending Team Invitations", + "Permanently delete this team.": "حذف کامل این تیم.", + "Permanently delete your account.": "حذف کامل حساب کاربری.", + "Permissions": "مجوز", + "Photo": "تصویر", + "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 copy your new API token. For your security, it won't be shown again.": "لطفا رمز API جدید خود را کپی کنید. برای امنیت شما ، دوباره نشان داده نمی شود.", + "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 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.", + "Privacy Policy": "Privacy Policy", + "Profile": "پروفایل", + "Profile Information": "اطلاعات پروفایل", + "Recovery Code": "کد بازیافت", + "Regenerate Recovery Codes": "تولید مجدد کد بازیافت", + "Register": "ثبت نام", + "Remember me": "مرا به خاطر بسپار", + "Remove": "حذف", + "Remove Photo": "حذف تصویر", + "Remove Team Member": "حذف یک عضو تیم", + "Resend Verification Email": "ارسال دوباره ایمیل تایید", + "Reset Password": "فراموشی رمز عبور", + "Role": "نقش", + "Save": "ذخیره", + "Saved.": "ذخیره شد.", + "Select A New Photo": "یک عکس جدید انتخاب کنید", + "Show Recovery Codes": "نمایش کد بازیافت", + "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.": "این کدهای بازیابی را در یک جای امن ذخیره کنید. اگر دستگاه احراز هویت دو مرحله ای شما از بین رفت ، می توان از آنها برای بازیابی دسترسی به حساب شما استفاده کرد.", + "Switch Teams": "تغییر تیم ها", + "Team Details": "جزئیات تیم", + "Team Invitation": "Team Invitation", + "Team Members": "اعضای تیم", + "Team Name": "نام تیم", + "Team Owner": "مالک تیم", + "Team Settings": "تنظیمات تیم", + "Terms of Service": "Terms of Service", + "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 a valid role.": ":attribute باید یک نقض معتبر باشد", + "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 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.": ":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 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.": ":attribute باید حداقل :length کارکتر باشد.", + "The provided password does not match your current password.": "رمز ورود ارائه شده با رمز عبور فعلی شما مطابقت ندارد.", + "The provided password was incorrect.": "رمز ورود ارائه شده نادرست بود.", + "The provided two factor authentication code was invalid.": "کد تأیید اعتبارسنجی دو مرحله ای نامعتبر است.", + "The team's name and owner information.": "نام تیم و اطلاعات مالک آن.", + "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.", + "This device": "این دستگاه", + "This is a secure area of the application. Please confirm your password before continuing.": "این یک بخش تحت حفاظت از برنامه است. لطفا قبل از ادامه رمز عبور خود را تأیید کنید.", + "This password does not match our records.": "رمز عبور معتبر نیست.", + "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.", + "Token Name": "نام رمز", + "Two Factor Authentication": "احراز هویت دو مرحله ای", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "احراز هویت دو مرحله ای اکنون فعال است. کد QR کد زیر را با استفاده از برنامه اعتبارسنجی گوشی خود اسکن کنید.", + "Update Password": "بروزرسانی رمز عبور", + "Update your account's profile information and email address.": "اطلاعات پروفایل و آدرس ایمیل حساب خود را به روز کنید.", + "Use a recovery code": "استفاده از کد بازیابی", + "Use an authentication code": "استفاده از کد احراز هویت", + "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.": "هنگامی که تأیید اعتبار دو مرحلی ای فعال باشد ، در هنگام احراز هویت از شما یک رمز امن و تصادفی خواسته می شود. شما می توانید این رمز را از برنامه Google Authenticator تلفن خود بازیابی کنید.", + "Whoops! Something went wrong.": "متاسفانه خطایی رخ داده است.", + "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 not enabled two factor authentication.": "شما احراز هویت دو مرحله خود را فعال نکرده اید.", + "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.": "شما نمی توانید تیمی که خودتان ساخته اید را ترک کنید." +} diff --git a/locales/fa/packages/nova.json b/locales/fa/packages/nova.json new file mode 100644 index 00000000000..d151c38ba71 --- /dev/null +++ b/locales/fa/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 روز", + "60 Days": "60 روز", + "90 Days": "90 روز", + ":amount Total": ":amount Total", + ":resource Details": ":resource Details", + ":resource Details: :title": ":resource Details: :title", + "Action": "Action", + "Action Happened At": "Happened At", + "Action Initiated By": "Initiated By", + "Action Name": "اسم", + "Action Status": "وضعیت", + "Action Target": "هدف", + "Actions": "اقدامات", + "Add row": "درج ردیف", + "Afghanistan": "Afghanistan", + "Aland Islands": "Åland Islands", + "Albania": "Albania", + "Algeria": "Algeria", + "All resources loaded.": "همه منابع بارگزری شدند.", + "American Samoa": "American Samoa", + "An error occured while uploading the file.": "An error occured while uploading the file.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Another user has updated this resource since this page was loaded. Please refresh the page and try again.", + "Antarctica": "Antarctica", + "Antigua And Barbuda": "Antigua and Barbuda", + "April": "April", + "Are you sure you want to delete the selected resources?": "Are you sure you want to delete the selected resources?", + "Are you sure you want to delete this file?": "Are you sure you want to delete this file?", + "Are you sure you want to delete this resource?": "Are you sure you want to delete this resource?", + "Are you sure you want to detach the selected resources?": "Are you sure you want to detach the selected resources?", + "Are you sure you want to detach this resource?": "Are you sure you want to detach this resource?", + "Are you sure you want to force delete the selected resources?": "Are you sure you want to force delete the selected resources?", + "Are you sure you want to force delete this resource?": "Are you sure you want to force delete this resource?", + "Are you sure you want to restore the selected resources?": "Are you sure you want to restore the selected resources?", + "Are you sure you want to restore this resource?": "Are you sure you want to restore this resource?", + "Are you sure you want to run this action?": "Are you sure you want to run this action?", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Attach": "Attach", + "Attach & Attach Another": "Attach & Attach Another", + "Attach :resource": "Attach :resource", + "August": "August", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgium", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Saba", + "Bosnia And Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brazil", + "British Indian Ocean Territory": "British Indian Ocean Territory", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Cameroon", + "Canada": "Canada", + "Cancel": "Cancel", + "Cape Verde": "Cape Verde", + "Cayman Islands": "Cayman Islands", + "Central African Republic": "Central African Republic", + "Chad": "Chad", + "Changes": "Changes", + "Chile": "Chile", + "China": "China", + "Choose": "Choose", + "Choose :field": "Choose :field", + "Choose :resource": "Choose :resource", + "Choose an option": "Choose an option", + "Choose date": "Choose date", + "Choose File": "Choose File", + "Choose Type": "Choose Type", + "Christmas Island": "Christmas Island", + "Click to choose": "Click to choose", + "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", + "Colombia": "Colombia", + "Comoros": "Comoros", + "Confirm Password": "تکرار رمز عبور", + "Congo": "Congo", + "Congo, Democratic Republic": "Congo, Democratic Republic", + "Constant": "Constant", + "Cook Islands": "Cook Islands", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "could not be found.", + "Create": "ایجاد", + "Create & Add Another": "Create & Add Another", + "Create :resource": "Create :resource", + "Croatia": "Croatia", + "Cuba": "کوبا", + "Curaçao": "Curaçao", + "Customize": "Customize", + "Cyprus": "Cyprus", + "Czech Republic": "Czechia", + "Dashboard": "داشبورد", + "December": "December", + "Decrease": "Decrease", + "Delete": "حذف", + "Delete File": "Delete File", + "Delete Resource": "Delete Resource", + "Delete Selected": "Delete Selected", + "Denmark": "Denmark", + "Detach": "Detach", + "Detach Resource": "Detach Resource", + "Detach Selected": "Detach Selected", + "Details": "Details", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Do you really want to leave? You have unsaved changes.", + "Dominica": "Dominica", + "Dominican Republic": "Dominican Republic", + "Download": "دانلود", + "Ecuador": "Ecuador", + "Edit": "ویرایش", + "Edit :resource": "ویرایش :resource", + "Edit Attached": "ویرایش Attached", + "Egypt": "Egypt", + "El Salvador": "El Salvador", + "Email Address": "آدرس ایمیل", + "Equatorial Guinea": "Equatorial Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Ethiopia", + "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", + "Faroe Islands": "Faroe Islands", + "February": "February", + "Fiji": "Fiji", + "Finland": "Finland", + "Force Delete": "حذف اجباری", + "Force Delete Resource": "حذف اجباری منبع", + "Force Delete Selected": "Force Delete Selected", + "Forgot Your Password?": "رمزعبور خود را فراموش کرده‌اید؟", + "Forgot your password?": "رمزعبور خود را فراموش کرده‌اید؟", + "France": "France", + "French Guiana": "French Guiana", + "French Polynesia": "French Polynesia", + "French Southern Territories": "French Southern Territories", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Germany", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "صفحه اصلی", + "Greece": "Greece", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Heard Island and McDonald Islands", + "Hide Content": "Hide Content", + "Hold Up!": "Hold Up!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungary", + "Iceland": "Iceland", + "ID": "آیدی", + "If you did not request a password reset, no further action is required.": "اگر شما درخواست تغییر رمز عبور را نکرده اید، نیاز به اقدام خاصی نیست.", + "Increase": "Increase", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "عراق", + "Ireland": "Ireland", + "Isle Of Man": "Isle of Man", + "Israel": "Israel", + "Italy": "Italy", + "Jamaica": "Jamaica", + "January": "January", + "Japan": "ژاپن", + "Jersey": "Jersey", + "Jordan": "Jordan", + "July": "July", + "June": "June", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Key": "Key", + "Kiribati": "Kiribati", + "Korea": "South Korea", + "Korea, Democratic People's Republic of": "North Korea", + "Kosovo": "Kosovo", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvia", + "Lebanon": "Lebanon", + "Lens": "Lens", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lithuania", + "Load :perPage More": "Load :perPage More", + "Login": "ورود", + "Logout": "خروج", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia": "North Macedonia", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Mali", + "Malta": "Malta", + "March": "March", + "Marshall Islands": "Marshall Islands", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "May": "May", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States Of": "Micronesia", + "Moldova": "Moldova", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Month To Date": "Month To Date", + "Montserrat": "Montserrat", + "Morocco": "Morocco", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Netherlands", + "New": "جدید", + "New :resource": "جدید :resource", + "New Caledonia": "New Caledonia", + "New Zealand": "New Zealand", + "Next": "بعدی", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "No", + "No :resource matched the given criteria.": "No :resource matched the given criteria.", + "No additional information...": "No additional information...", + "No Current Data": "No Current Data", + "No Data": "No Data", + "no file selected": "no file selected", + "No Increase": "No Increase", + "No Prior Data": "No Prior Data", + "No Results Found.": "No Results Found.", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Northern Mariana Islands", + "Norway": "Norway", + "Nova User": "Nova User", + "November": "November", + "October": "October", + "of": "از", + "Oman": "Oman", + "Only Trashed": "Only Trashed", + "Original": "Original", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinian Territories", + "Panama": "Panama", + "Papua New Guinea": "Papua New Guinea", + "Paraguay": "Paraguay", + "Password": "رمز عبور", + "Per Page": "Per Page", + "Peru": "Peru", + "Philippines": "Philippines", + "Pitcairn": "Pitcairn Islands", + "Poland": "Poland", + "Portugal": "Portugal", + "Press \/ to search": "Press \/ to search", + "Preview": "Preview", + "Previous": "Previous", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Quarter To Date", + "Reload": "Reload", + "Remember Me": "من را به‌یاد بسپار", + "Reset Filters": "Reset Filters", + "Reset Password": "فراموشی رمز عبور", + "Reset Password Notification": "پیام فراموشی رمز عبور", + "resource": "منبع", + "Resources": "منابع", + "resources": "منابع", + "Restore": "Restore", + "Restore Resource": "Restore Resource", + "Restore Selected": "Restore Selected", + "Reunion": "Réunion", + "Romania": "Romania", + "Run Action": "اجرای عملیات", + "Russian Federation": "Russian Federation", + "Rwanda": "Rwanda", + "Saint Barthelemy": "St. Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts And Nevis": "St. Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin": "St. Martin", + "Saint Pierre And Miquelon": "St. Pierre and Miquelon", + "Saint Vincent And Grenadines": "St. Vincent and Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "São Tomé and Príncipe", + "Saudi Arabia": "Saudi Arabia", + "Search": "Search", + "Select Action": "Select Action", + "Select All": "Select All", + "Select All Matching": "Select All Matching", + "Send Password Reset Link": "ارسال لینک فراموشی رمز عبور", + "Senegal": "Senegal", + "September": "September", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Show All Fields": "Show All Fields", + "Show Content": "Show Content", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapore", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Solomon Islands", + "Somalia": "Somalia", + "Something went wrong.": "Something went wrong.", + "Sorry! You are not authorized to perform this action.": "Sorry! You are not authorized to perform this action.", + "Sorry, your session has expired.": "Sorry, your session has expired.", + "South Africa": "South Africa", + "South Georgia And Sandwich Isl.": "South Georgia and South Sandwich Islands", + "South Sudan": "South Sudan", + "Spain": "Spain", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Start Polling", + "Stop Polling": "Stop Polling", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sweden", + "Switzerland": "Switzerland", + "Syrian Arab Republic": "Syria", + "Taiwan": "Taiwan", + "Tajikistan": "Tajikistan", + "Tanzania": "Tanzania", + "Thailand": "Thailand", + "The :resource was created!": "The :resource was created!", + "The :resource was deleted!": "The :resource was deleted!", + "The :resource was restored!": "The :resource was restored!", + "The :resource was updated!": "The :resource was updated!", + "The action ran successfully!": "The action ran successfully!", + "The file was deleted!": "The file was deleted!", + "The government won't let us show you what's behind these doors": "The government won't let us show you what's behind these doors", + "The HasOne relationship has already been filled.": "The HasOne relationship has already been filled.", + "The resource was updated!": "The resource was updated!", + "There are no available options for this resource.": "There are no available options for this resource.", + "There was a problem executing the action.": "There was a problem executing the action.", + "There was a problem submitting the form.": "There was a problem submitting the form.", + "This file field is read-only.": "This file field is read-only.", + "This image": "This image", + "This resource no longer exists": "This resource no longer exists", + "Timor-Leste": "Timor-Leste", + "Today": "Today", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "total": "total", + "Trashed": "Trashed", + "Trinidad And Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turkey", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "United Arab Emirates", + "United Kingdom": "United Kingdom", + "United States": "United States", + "United States Outlying Islands": "U.S. Outlying Islands", + "Update": "بروزرسانی", + "Update & Continue Editing": "Update & Continue Editing", + "Update :resource": "بروزرسانی :resource", + "Update :resource: :title": "بروزرسانی :resource: :title", + "Update attached :resource: :title": "Update attached :resource: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Value": "Value", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "View", + "Virgin Islands, British": "British Virgin Islands", + "Virgin Islands, U.S.": "U.S. Virgin Islands", + "Wallis And Futuna": "Wallis and Futuna", + "We're lost in space. The page you were trying to view does not exist.": "We're lost in space. The page you were trying to view does not exist.", + "Welcome Back!": "خوش برگشتی!", + "Western Sahara": "Western Sahara", + "Whoops": "وای !", + "Whoops!": "وای !", + "With Trashed": "With Trashed", + "Write": "Write", + "Year To Date": "Year To Date", + "Yemen": "Yemen", + "Yes": "بله", + "You are receiving this email because we received a password reset request for your account.": "شما این ایمیل را به دلیل درخواست رمز عبور جدید دریافت کرده اید.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/fa/packages/spark-paddle.json b/locales/fa/packages/spark-paddle.json new file mode 100644 index 00000000000..db6c9b29b52 --- /dev/null +++ b/locales/fa/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Terms of Service", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "متاسفانه خطایی رخ داده است.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/fa/packages/spark-stripe.json b/locales/fa/packages/spark-stripe.json new file mode 100644 index 00000000000..6fde435d896 --- /dev/null +++ b/locales/fa/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afghanistan", + "Albania": "Albania", + "Algeria": "Algeria", + "American Samoa": "American Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarctica", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgium", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brazil", + "British Indian Ocean Territory": "British Indian Ocean Territory", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Cameroon", + "Canada": "Canada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Cape Verde", + "Card": "Card", + "Cayman Islands": "Cayman Islands", + "Central African Republic": "Central African Republic", + "Chad": "Chad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Chile", + "China": "China", + "Christmas Island": "Christmas Island", + "City": "City", + "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", + "Colombia": "Colombia", + "Comoros": "Comoros", + "Confirm Payment": "Confirm Payment", + "Confirm your :amount payment": "Confirm your :amount payment", + "Congo": "Congo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Cook Islands", + "Costa Rica": "Costa Rica", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Croatia", + "Cuba": "کوبا", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Cyprus", + "Czech Republic": "Czechia", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Denmark", + "Djibouti": "Djibouti", + "Dominica": "Dominica", + "Dominican Republic": "Dominican Republic", + "Download Receipt": "Download Receipt", + "Ecuador": "Ecuador", + "Egypt": "Egypt", + "El Salvador": "El Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Equatorial Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Ethiopia", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", + "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", + "Faroe Islands": "Faroe Islands", + "Fiji": "Fiji", + "Finland": "Finland", + "France": "France", + "French Guiana": "French Guiana", + "French Polynesia": "French Polynesia", + "French Southern Territories": "French Southern Territories", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Germany", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Greece", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungary", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Iceland", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "عراق", + "Ireland": "Ireland", + "Isle of Man": "Isle of Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italy", + "Jamaica": "Jamaica", + "Japan": "ژاپن", + "Jersey": "Jersey", + "Jordan": "Jordan", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "North Korea", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvia", + "Lebanon": "Lebanon", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lithuania", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Mali", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marshall Islands", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Morocco", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Netherlands", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "New Caledonia", + "New Zealand": "New Zealand", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Northern Mariana Islands", + "Norway": "Norway", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinian Territories", + "Panama": "Panama", + "Papua New Guinea": "Papua New Guinea", + "Paraguay": "Paraguay", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Philippines", + "Pitcairn": "Pitcairn Islands", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Poland", + "Portugal": "Portugal", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Romania", + "Russian Federation": "Russian Federation", + "Rwanda": "Rwanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saudi Arabia", + "Save": "ذخیره", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapore", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Solomon Islands", + "Somalia": "Somalia", + "South Africa": "South Africa", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Spain", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sweden", + "Switzerland": "Switzerland", + "Syrian Arab Republic": "Syria", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tajikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Terms of Service", + "Thailand": "Thailand", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turkey", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "United Arab Emirates", + "United Kingdom": "United Kingdom", + "United States": "United States", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "بروزرسانی", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "British Virgin Islands", + "Virgin Islands, U.S.": "U.S. Virgin Islands", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Western Sahara", + "Whoops! Something went wrong.": "متاسفانه خطایی رخ داده است.", + "Yearly": "Yearly", + "Yemen": "Yemen", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/fi/fi.json b/locales/fi/fi.json index 8704a1aefa2..22c4ba81c5c 100644 --- a/locales/fi/fi.json +++ b/locales/fi/fi.json @@ -1,710 +1,48 @@ { - "30 Days": "30 päivää", - "60 Days": "60 päivää", - "90 Days": "90 päivää", - ":amount Total": ":amount yhteensä", - ":days day trial": ":days day trial", - ":resource Details": ":resource yksityiskohdat", - ":resource Details: :title": ":resource tiedot: :title", "A fresh verification link has been sent to your email address.": "Sähköpostiisi on lähetetty tuore vahvistuslinkki.", - "A new verification link has been sent to the email address you provided during registration.": "Rekisteröitymisen yhteydessä antamaasi sähköpostiosoitteeseen on lähetetty Uusi vahvistuslinkki.", - "Accept Invitation": "Hyväksy Kutsu", - "Action": "Toimia", - "Action Happened At": "Tapahtui", - "Action Initiated By": "Aloitteentekijä", - "Action Name": "Nimi", - "Action Status": "Tila", - "Action Target": "Tavoite", - "Actions": "Toimia", - "Add": "Lisätä", - "Add a new team member to your team, allowing them to collaborate with you.": "Lisää tiimiisi Uusi tiimin jäsen, jolloin he voivat tehdä yhteistyötä kanssasi.", - "Add additional security to your account using two factor authentication.": "Lisää lisäturvaa tilillesi käyttämällä kaksivaiheista todennusta.", - "Add row": "Lisää rivi", - "Add Team Member": "Lisää Tiimin Jäsen", - "Add VAT Number": "Add VAT Number", - "Added.": "Lisätä.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Järjestelmänvalvoja", - "Administrator users can perform any action.": "Järjestelmänvalvojan käyttäjät voivat suorittaa minkä tahansa toiminnon.", - "Afghanistan": "Afganistan", - "Aland Islands": "Ahvenanmaa", - "Albania": "Albania", - "Algeria": "Algeria", - "All of the people that are part of this team.": "Kaikki ihmiset, jotka ovat osa tätä tiimiä.", - "All resources loaded.": "Kaikki resurssit ladattu.", - "All rights reserved.": "Kaikki oikeudet pidätetään.", - "Already registered?": "Oletko jo rekisteröitynyt?", - "American Samoa": "Amerikan Samoa", - "An error occured while uploading the file.": "Tapahtui virhe lähetettäessä tiedostoa.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorran", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Toinen käyttäjä on päivittänyt tätä resurssia tämän sivun lataamisen jälkeen. Päivitä sivu ja yritä uudelleen.", - "Antarctica": "Antarktis", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua ja Barbuda", - "API Token": "API-merkki", - "API Token Permissions": "API-Tokenin käyttöoikeudet", - "API Tokens": "API-tunnukset", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API-tunnusten avulla kolmannen osapuolen palvelut voivat todentaa sovelluksemme puolestasi.", - "April": "Huhtikuu", - "Are you sure you want to delete the selected resources?": "Haluatko varmasti poistaa valitut resurssit?", - "Are you sure you want to delete this file?": "Haluatko varmasti poistaa tämän tiedoston?", - "Are you sure you want to delete this resource?": "Haluatko varmasti poistaa tämän resurssin?", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Haluatko varmasti poistaa tämän ryhmän? Kun joukkue on poistettu, kaikki sen resurssit ja tiedot poistetaan pysyvästi.", - "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.": "Haluatko varmasti poistaa tilisi? Kun tilisi on poistettu, kaikki sen resurssit ja tiedot poistetaan pysyvästi. Anna salasanasi vahvistaaksesi, että haluat poistaa tilisi pysyvästi.", - "Are you sure you want to detach the selected resources?": "Haluatko varmasti irrottaa valitut resurssit?", - "Are you sure you want to detach this resource?": "Haluatko varmasti irrottaa tämän resurssin?", - "Are you sure you want to force delete the selected resources?": "Haluatko varmasti pakottaa poistamaan valitut resurssit?", - "Are you sure you want to force delete this resource?": "Haluatko varmasti pakottaa poistamaan tämän resurssin?", - "Are you sure you want to restore the selected resources?": "Haluatko varmasti palauttaa valitut resurssit?", - "Are you sure you want to restore this resource?": "Haluatko varmasti palauttaa tämän resurssin?", - "Are you sure you want to run this action?": "Haluatko varmasti johtaa tätä toimintaa?", - "Are you sure you would like to delete this API token?": "Haluatko varmasti poistaa tämän API-tunnuksen?", - "Are you sure you would like to leave this team?": "Haluatko varmasti lähteä joukkueesta?", - "Are you sure you would like to remove this person from the team?": "Haluatko varmasti poistaa tämän henkilön tiimistä?", - "Argentina": "Argentiina", - "Armenia": "Armenia", - "Aruba": "Aruba", - "Attach": "Liittää", - "Attach & Attach Another": "Liitä & Lisää Toinen", - "Attach :resource": "Liitä :resource", - "August": "Elokuu", - "Australia": "Australia", - "Austria": "Itävalta", - "Azerbaijan": "Azerbaidžan", - "Bahamas": "Bahama", - "Bahrain": "Bahrain", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Ennen kuin jatkat, tarkista sähköpostistasi vahvistuslinkki.", - "Belarus": "Valko", - "Belgium": "Belgia", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bhutan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius ja Sábado", - "Bosnia And Herzegovina": "Bosnia ja Hertsegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvet ' Nsaari", - "Brazil": "Brasilia", - "British Indian Ocean Territory": "Brittiläinen Intian Valtameren Alue", - "Browser Sessions": "Selainistunnot", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgaria", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Kambodža", - "Cameroon": "Kamerun", - "Canada": "Kanada", - "Cancel": "Peruuttaa", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Kap Verde", - "Card": "Kortti", - "Cayman Islands": "Caymansaaret", - "Central African Republic": "Keski-Afrikan Tasavalta", - "Chad": "Chad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Muuttaa", - "Chile": "Chile", - "China": "Kiina", - "Choose": "Valita", - "Choose :field": "Valitse :field", - "Choose :resource": "Valitse :resource", - "Choose an option": "Valitse vaihtoehto", - "Choose date": "Valitse päivämäärä", - "Choose File": "Valitse Tiedosto", - "Choose Type": "Valitse Tyyppi", - "Christmas Island": "Joulusaari", - "City": "City", "click here to request another": "klikkaa tästä pyytääksesi toisen", - "Click to choose": "Klikkaa valitaksesi", - "Close": "Sulje", - "Cocos (Keeling) Islands": "Kookossaaret (Keeling)", - "Code": "Koodi", - "Colombia": "Kolumbia", - "Comoros": "Komorit", - "Confirm": "Vahvistaa", - "Confirm Password": "Vahvista Salasana", - "Confirm Payment": "Vahvista Maksu", - "Confirm your :amount payment": "Vahvista :amount maksu", - "Congo": "Kongo", - "Congo, Democratic Republic": "Kongon Demokraattinen Tasavalta", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Jatkuva", - "Cook Islands": "Cookinsaaret", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "ei löytynyt.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Luoda", - "Create & Add Another": "Luo & Lisää Toinen", - "Create :resource": "Luo :resource", - "Create a new team to collaborate with others on projects.": "Luo uusi tiimi tekemään yhteistyötä muiden kanssa projekteissa.", - "Create Account": "Luo Tili", - "Create API Token": "Luo API-tunnus", - "Create New Team": "Luo Uusi Tiimi", - "Create Team": "Luo Tiimi", - "Created.": "Luoda.", - "Croatia": "Kroatia", - "Cuba": "Kuuba", - "Curaçao": "Curacao", - "Current Password": "Nykyinen Salasana", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Mukauttaa", - "Cyprus": "Kypros", - "Czech Republic": "Tšekki", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Kojelauta", - "December": "Joulukuuta", - "Decrease": "Vähentää", - "Delete": "Poistaa", - "Delete Account": "Poista Tili", - "Delete API Token": "Poista API-tunniste", - "Delete File": "Poista Tiedosto", - "Delete Resource": "Poista Resurssi", - "Delete Selected": "Poista Valittu", - "Delete Team": "Poista Ryhmä", - "Denmark": "Tanska", - "Detach": "Irrottaa", - "Detach Resource": "Irrota Resurssi", - "Detach Selected": "Irrota Valittu", - "Details": "Tiedot", - "Disable": "Poistaa", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Haluatko todella lähteä? Sinulla on tallentamattomia muutoksia.", - "Dominica": "Sunnuntai", - "Dominican Republic": "Dominikaaninen Tasavalta", - "Done.": "Tehdä.", - "Download": "Ladata", - "Download Receipt": "Download Receipt", "E-Mail Address": "Sähköpostiosoite", - "Ecuador": "Ecuador", - "Edit": "Muokkaa", - "Edit :resource": "Muokkaa :resource", - "Edit Attached": "Muokkaa Liitettä", - "Editor": "Muokkaus", - "Editor users have the ability to read, create, and update.": "Editorin käyttäjillä on kyky lukea, luoda ja päivittää.", - "Egypt": "Egypti", - "El Salvador": "Salvador", - "Email": "Sähköposti", - "Email Address": "sähköpostiosoite", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Sähköpostin Salasanan Palautus Linkki", - "Enable": "Käyttöön", - "Ensure your account is using a long, random password to stay secure.": "Varmista, että tilisi käyttää pitkää, satunnaista salasanaa pysyäksesi turvassa.", - "Equatorial Guinea": "Päiväntasaajan Guinea", - "Eritrea": "Eritrea", - "Estonia": "Viro", - "Ethiopia": "Etiopia", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Lisävahvistusta tarvitaan maksun käsittelyyn. Vahvista maksusi täyttämällä alla olevat maksutietosi.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Lisävahvistusta tarvitaan maksun käsittelyyn. Jatka maksusivulle klikkaamalla alla olevaa painiketta.", - "Falkland Islands (Malvinas)": "Falklandinsaaret (Malvinas)", - "Faroe Islands": "Färsaaret", - "February": "Helmikuu", - "Fiji": "Fidži", - "Finland": "Suomi", - "For your security, please confirm your password to continue.": "Turvallisuutesi vuoksi vahvista salasanasi jatkaaksesi.", "Forbidden": "Kielletty", - "Force Delete": "Pakota Poisto", - "Force Delete Resource": "Pakota Poista Resurssi", - "Force Delete Selected": "Pakota Poista Valittu", - "Forgot Your Password?": "Unohtuiko Salasana?", - "Forgot your password?": "Unohtuiko salasana?", - "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.": "Unohtuiko salasana? Eipä kestä. Kerro meille sähköpostiosoitteesi ja me lähetämme sinulle sähköpostitse salasanan palautuslinkki, jonka avulla voit valita uuden.", - "France": "Ranska", - "French Guiana": "Ranskan Guayana", - "French Polynesia": "Ranskan Polynesia", - "French Southern Territories": "Ranskan Eteläiset Alueet", - "Full name": "Koko nimi", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Georgia", - "Germany": "Saksa", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Palata", - "Go Home": "kotiin", "Go to page :page": "Siirry sivulle :page", - "Great! You have accepted the invitation to join the :team team.": "Hienoa! Olet hyväksynyt kutsun liittyä :team-joukkueeseen.", - "Greece": "Kreikka", - "Greenland": "Grönlanti", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Heard-ja McDonaldinsaaret", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Tervehdys.", - "Hide Content": "Piilota Sisältö", - "Hold Up!": "Odota!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hongkong", - "Hungary": "Unkari", - "I agree to the :terms_of_service and :privacy_policy": "Hyväksyn :terms_of_service ja :privacy_policy", - "Iceland": "Islanti", - "ID": "TUNNUS", - "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.": "Tarvittaessa voit kirjautua ulos kaikista muista selainistunnoistasi kaikilla laitteillasi. Jotkut viimeaikaiset istunnot on lueteltu alla; tämä luettelo ei kuitenkaan voi olla tyhjentävä. Jos tunnet, että tilisi on vaarantunut, kannattaa myös päivittää salasanasi.", "If necessary, you may logout 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.": "Tarvittaessa voit kirjautua ulos kaikista muista selainistunnoistasi kaikilla laitteillasi. Jotkut viimeaikaiset istunnot on lueteltu alla; tämä luettelo ei kuitenkaan voi olla tyhjentävä. Jos tunnet, että tilisi on vaarantunut, kannattaa myös päivittää salasanasi.", - "If you already have an account, you may accept this invitation by clicking the button below:": "Jos sinulla on jo tili, voit hyväksyä kutsun klikkaamalla alla olevaa painiketta:", "If you did not create an account, no further action is required.": "Jos et ole luonut tiliä, lisätoimia ei tarvita.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Jos et odottanut saavasi kutsua tähän joukkueeseen, voit hylätä tämän sähköpostin.", "If you did not receive the email": "Jos et saanut sähköpostia", - "If you did not request a password reset, no further action is required.": "Jos et ole pyytänyt salasanan vaihtoa, sinun ei tarvitse tehdä mitään ja voit poistaa tämän viestin.", - "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:": "Jos sinulla ei ole tiliä, voit luoda sellaisen klikkaamalla alla olevaa painiketta. Kun olet luonut tilin, voit klikata kutsun hyväksyminen-painiketta tämän sähköpostiviestin hyväksy kutsu joukkue:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Jos et pysty klikkaamaan \":actionText\" - nappia, leikkaa ja liimaa alla oleva URL\nselaimeesi:", - "Increase": "Kasvaa", - "India": "Intia", - "Indonesia": "Indonesia", "Invalid signature.": "Virheellinen allekirjoitus.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Irak", - "Ireland": "Irlanti", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Mansaari", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italia", - "Jamaica": "Jamaica", - "January": "Tammi", - "Japan": "Japani", - "Jersey": "Jersey", - "Jordan": "Jordan", - "July": "Heinä", - "June": "Kesäkuuta", - "Kazakhstan": "Kazakstan", - "Kenya": "Kenia", - "Key": "Näppäin", - "Kiribati": "Kiribati", - "Korea": "Korea", - "Korea, Democratic People's Republic of": "Pohjois-Korea", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuwait", - "Kyrgyzstan": "Kirgisia", - "Lao People's Democratic Republic": "Laos", - "Last active": "Viimeinen aktiivinen", - "Last used": "Viimeksi käytetty", - "Latvia": "Latvia", - "Leave": "Jättää", - "Leave Team": "Poistu Tiimistä", - "Lebanon": "Libanon", - "Lens": "Linssi", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libya", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Liettua", - "Load :perPage More": "Kuorma :persivu lisää", - "Log in": "Kirjautunut", "Log out": "Kirjaudu ulos", - "Log Out": "Kirjaudu Ulos", - "Log Out Other Browser Sessions": "Kirjaudu Ulos Muista Selainistunnoista", - "Login": "Kirjautuminen", - "Logout": "Kirjaudu ulos", "Logout Other Browser Sessions": "Kirjaudu Ulos Muista Selainistunnoista", - "Luxembourg": "Luxemburg", - "Macao": "Macao", - "Macedonia": "Pohjois-Makedonia", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagaskar", - "Malawi": "Malawi", - "Malaysia": "Malesia", - "Maldives": "Malediivit", - "Mali": "Pieni", - "Malta": "Malta", - "Manage Account": "Hallitse Tiliä", - "Manage and log out your active sessions on other browsers and devices.": "Hallitse ja kirjaudu ulos aktiivisia istuntoja muissa selaimissa ja laitteissa.", "Manage and logout your active sessions on other browsers and devices.": "Hallitse ja kirjaudu ulos aktiivisista istunnoistasi muilla selaimilla ja laitteilla.", - "Manage API Tokens": "Hallitse API-tokeneita", - "Manage Role": "Roolin Hallinta", - "Manage Team": "Johtoryhmä", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Maaliskuu", - "Marshall Islands": "Marshallinsaaret", - "Martinique": "Martinique", - "Mauritania": "Mauritania", - "Mauritius": "Mauritius", - "May": "Voi", - "Mayotte": "Mayotte", - "Mexico": "Meksiko", - "Micronesia, Federated States Of": "Mikronesia", - "Moldova": "Moldova", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monaco", - "Mongolia": "Mongolia", - "Montenegro": "Montenegro", - "Month To Date": "Kuukausi Tähän Mennessä", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Marokko", - "Mozambique": "Mosambik", - "Myanmar": "Myanmar", - "Name": "Nimi", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Alankomaat", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Unohda koko juttu", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Uusi", - "New :resource": "Uusi :resource", - "New Caledonia": "Uusi-Kaledonia", - "New Password": "Uusi Salasana", - "New Zealand": "Uusi-Seelanti", - "Next": "Seuraava", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "Ei", - "No :resource matched the given criteria.": "Nro :resource vastasi annettuja perusteita.", - "No additional information...": "Ei lisätietoja...", - "No Current Data": "Ei Tämänhetkisiä Tietoja", - "No Data": "Ei Tietoja", - "no file selected": "tiedostoa ei ole valittu", - "No Increase": "Ei Nousua", - "No Prior Data": "Ei Ennakkotietoja", - "No Results Found.": "Tuloksia Ei Löytynyt.", - "Norfolk Island": "Norfolkinsaari", - "Northern Mariana Islands": "Pohjois-Mariaanit", - "Norway": "Norja", "Not Found": "Ei Löytynyt", - "Nova User": "Novan Käyttäjä", - "November": "Marraskuu", - "October": "Lokakuu", - "of": "sellaisten", "Oh no": "Voi ei.", - "Oman": "Oman", - "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.": "Kun joukkue on poistettu, kaikki sen resurssit ja tiedot poistetaan pysyvästi. Ennen kuin poistat tämän tiimin, lataa Kaikki tätä tiimiä koskevat tiedot, jotka haluat säilyttää.", - "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.": "Kun tilisi on poistettu, kaikki sen resurssit ja tiedot poistetaan pysyvästi. Ennen kuin poistat tilisi, lataa kaikki tiedot, jotka haluat säilyttää.", - "Only Trashed": "Vain Tuhottu", - "Original": "Alkuperäinen", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Vanhentunut Sivu", "Pagination Navigation": "Sivunavigointi", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Palestiinalaisalueet", - "Panama": "Panama", - "Papua New Guinea": "Papua - Uusi-Guinea", - "Paraguay": "Paraguay", - "Password": "Salasana", - "Pay :amount": "Palkka :amount", - "Payment Cancelled": "Maksu Peruttu", - "Payment Confirmation": "Maksuvahvistus", - "Payment Information": "Payment Information", - "Payment Successful": "Maksu Onnistui", - "Pending Team Invitations": "Joukkuekutsuja Odotellaan", - "Per Page": "Per Sivu", - "Permanently delete this team.": "Poista tämä ryhmä pysyvästi.", - "Permanently delete your account.": "Poista tilisi pysyvästi.", - "Permissions": "Lupa", - "Peru": "Peru", - "Philippines": "Filippiinit", - "Photo": "Valokuva", - "Pitcairn": "Pitcairnin Saaret", "Please click the button below to verify your email address.": "Klikkaa alla olevaa painiketta vahvistaaksesi sähköpostiosoitteesi.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Vahvista pääsy tilillesi syöttämällä yksi hätäpalautuskoodeistasi.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Vahvista pääsy tilillesi syöttämällä authenticator-sovelluksen antama tunnistuskoodi.", "Please confirm your password before continuing.": "Vahvista salasanasi ennen kuin jatkat.", - "Please copy your new API token. For your security, it won't be shown again.": "Kopioi uusi API token. Turvallisuutesi vuoksi sitä ei näytetä enää.", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Anna salasanasi vahvistaaksesi, että haluat kirjautua ulos muista selainistunnoistasi kaikilla laitteillasi.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Anna salasanasi vahvistaaksesi, että haluat kirjautua ulos muista selainistunnoistasi kaikilla laitteillasi.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "Please provide the email address of the person you would like to add to this team.": "Anna sen henkilön sähköpostiosoite, jonka haluat lisätä tähän tiimiin.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Anna sen henkilön sähköpostiosoite, jonka haluat lisätä tähän tiimiin. Sähköpostiosoitteen on liityttävä olemassa olevaan tiliin.", - "Please provide your name.": "Ilmoittakaa nimenne.", - "Poland": "Puola", - "Portugal": "Portugali", - "Press \/ to search": "Paina \/ Etsi", - "Preview": "Esikatselu", - "Previous": "Edellinen", - "Privacy Policy": "tietosuojakäytäntö", - "Profile": "Profiili", - "Profile Information": "profiilitiedot", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Neljännesvuosittain", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Palautuskoodi", "Regards": "Terveisin", - "Regenerate Recovery Codes": "Luo Palautuskoodit Uudelleen", - "Register": "Rekisteröidä", - "Reload": "Lataa", - "Remember me": "Muista minut", - "Remember Me": "Muista Minut", - "Remove": "Poistaa", - "Remove Photo": "Poista Kuva", - "Remove Team Member": "Poista Ryhmän Jäsen", - "Resend Verification Email": "Lähetä Vahvistussähköposti Uudelleen", - "Reset Filters": "Nollaa Suodattimet", - "Reset Password": "Vaihdan salasanani", - "Reset Password Notification": "Salasanan uudelleenasetusilmoitus", - "resource": "resurssi", - "Resources": "Resurssi", - "resources": "resurssi", - "Restore": "Palauttaa", - "Restore Resource": "Palauta Resurssi", - "Restore Selected": "Palauta Valittu", "results": "tulos", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Kokous", - "Role": "Rooli", - "Romania": "Romania", - "Run Action": "Suorita Toiminto", - "Russian Federation": "Venäjä", - "Rwanda": "Ruanda", - "Réunion": "Réunion", - "Saint Barthelemy": "St. Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Saint Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "Saint Kitts ja Nevis", - "Saint Lucia": "Saint Lucia", - "Saint Martin": "St. Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "Saint-Pierre ja Miquelon", - "Saint Vincent And Grenadines": "Saint Vincent ja Grenadiinit", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "São Tomé ja Príncipe", - "Saudi Arabia": "Saudi-Arabia", - "Save": "Tallentaa", - "Saved.": "Tallennettu.", - "Search": "Etsiä", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Valitse Uusi Kuva", - "Select Action": "Valitse Toiminto", - "Select All": "Valitse Kaikki", - "Select All Matching": "Valitse Kaikki Täsmäävät", - "Send Password Reset Link": "Lähetä Salasanan Palautus-Linkki", - "Senegal": "Senegal", - "September": "Syyskuu", - "Serbia": "Serbia", "Server Error": "Palvelinvirhe", "Service Unavailable": "Palvelu Ei Ole Käytettävissä", - "Seychelles": "Seychellit", - "Show All Fields": "Näytä Kaikki Kentät", - "Show Content": "Näytä Sisältö", - "Show Recovery Codes": "Näytä Palautuskoodit", "Showing": "Näyttää", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapore", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovakia", - "Slovenia": "Slovenia", - "Solomon Islands": "Salomonsaaret", - "Somalia": "Somalia", - "Something went wrong.": "Jokin meni pieleen.", - "Sorry! You are not authorized to perform this action.": "Sori! Sinulla ei ole valtuuksia suorittaa tätä toimintoa.", - "Sorry, your session has expired.": "Anteeksi, istuntosi on päättynyt.", - "South Africa": "Etelä-Afrikka", - "South Georgia And Sandwich Isl.": "Etelä-Georgia ja Eteläiset Sandwichsaaret", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Etelä-Sudan", - "Spain": "Espanja", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Aloita Gallupit", - "State \/ County": "State \/ County", - "Stop Polling": "Keskeytä Gallupit", - "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.": "Tallenna nämä palautuskoodit turvalliseen salasanojen hallintaan. Niitä voidaan käyttää palauttamaan pääsy tilillesi, jos kahden tekijän todennuslaite katoaa.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Huippuvuoret ja Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Ruotsi", - "Switch Teams": "Vaihda Ryhmää", - "Switzerland": "Sveitsi", - "Syrian Arab Republic": "Syyria", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tadžikistan", - "Tanzania": "Tansania", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Joukkueen Tiedot", - "Team Invitation": "Joukkuekutsu", - "Team Members": "Tiimiläiset", - "Team Name": "Joukkueen Nimi", - "Team Owner": "Joukkueen Omistaja", - "Team Settings": "Tiimin Asetukset", - "Terms of Service": "käyttöehdot", - "Thailand": "Thaimaa", - "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.": "Kiitos ilmoittautumisesta! Ennen kuin aloitat, voisitko vahvistaa sähköpostiosoitteesi klikkaamalla linkkiä, jonka juuri lähetimme sinulle? Jos et saanut sähköpostia, lähetämme sinulle mielellämme toisen.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute: n on oltava pätevä rooli.", - "The :attribute must be at least :length characters and contain at least one number.": "Numeron :attribute on oltava vähintään :length merkkiä ja siinä on oltava vähintään yksi numero.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": "Numeron :attribute on oltava vähintään :length merkkiä ja siinä on oltava vähintään yksi erikoismerkki ja yksi numero.", - "The :attribute must be at least :length characters and contain at least one special character.": ":attribute: n on oltava vähintään :length merkkiä ja siinä on oltava vähintään yksi erikoismerkki.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Se :attribute on oltava vähintään :length merkkiä ja sisältää vähintään yhden kirjaimen ja yhden numeron.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Sen :attribute on oltava vähintään :length merkkiä ja sisältää vähintään yhden kirjaimen ja yhden erikoismerkin.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Se :attribute on oltava vähintään :length merkkiä ja sisältää vähintään yksi iso kirjain, yksi numero ja yksi erikoismerkki.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": "Se :attribute on oltava vähintään :length merkkiä ja sisältää vähintään yhden ison kirjaimen.", - "The :attribute must be at least :length characters.": ":attribute: n on oltava vähintään :length merkkiä.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource luotiin!", - "The :resource was deleted!": ":resource poistettiin!", - "The :resource was restored!": ":resource palautettiin!", - "The :resource was updated!": ":resource päivitettiin!", - "The action ran successfully!": "Toiminta onnistui!", - "The file was deleted!": "Tiedosto on poistettu!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Hallitus ei anna meidän näyttää, mitä näiden ovien takana on.", - "The HasOne relationship has already been filled.": "Hasonen suhde on jo täytetty.", - "The payment was successful.": "Maksu onnistui.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Annettu salasana ei vastaa nykyistä salasanaasi.", - "The provided password was incorrect.": "Annettu salasana oli virheellinen.", - "The provided two factor authentication code was invalid.": "Annettu kahden tekijän tunnistuskoodi oli virheellinen.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Resurssi päivitettiin!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Joukkueen nimi ja omistajatiedot.", - "There are no available options for this resource.": "Tälle resurssille ei ole saatavilla vaihtoehtoja.", - "There was a problem executing the action.": "Teon toteuttamisessa oli ongelmia.", - "There was a problem submitting the form.": "Lomakkeen toimittamisessa oli ongelmia.", - "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.": "Nämä henkilöt on kutsuttu tiimiisi ja heille on lähetetty kutsuviesti. He voivat liittyä tiimiin hyväksymällä sähköpostikutsun.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Tämä toiminta on luvatonta.", - "This device": "Tämä laite", - "This file field is read-only.": "Tämä tiedostokenttä on vain luku.", - "This image": "Tämä kuva", - "This is a secure area of the application. Please confirm your password before continuing.": "Tämä on sovelluksen turvallinen alue. Vahvista salasanasi ennen kuin jatkat.", - "This password does not match our records.": "Tämä salasana ei vastaa tietojamme.", "This password reset link will expire in :count minutes.": "Tämä salasanan palautus-linkki vanhenee :count minuutissa.", - "This payment was already successfully confirmed.": "Maksu oli jo varmistettu.", - "This payment was cancelled.": "Tämä maksu peruttiin.", - "This resource no longer exists": "Tätä resurssia ei enää ole", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Tämä käyttäjä kuuluu jo tiimiin.", - "This user has already been invited to the team.": "Tämä käyttäjä on jo kutsuttu tiimiin.", - "Timor-Leste": "Itä-Timor", "to": "jotta", - "Today": "Hetkellä", "Toggle navigation": "Vaihda navigointia", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Token-Nimi", - "Tonga": "Tulla", "Too Many Attempts.": "Liikaa Yrityksiä.", "Too Many Requests": "Liikaa Pyyntöjä", - "total": "yhteensä", - "Total:": "Total:", - "Trashed": "Tuhottu", - "Trinidad And Tobago": "Trinidad ja Tobago", - "Tunisia": "Tunisia", - "Turkey": "Turkki", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Turks-ja Caicossaaret", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Kahden Tekijän Todennus", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Kaksivaiheinen todennus on nyt käytössä. Skannaa seuraava QR-koodi puhelimen authenticator-sovelluksella.", - "Uganda": "Uganda", - "Ukraine": "Ukraina", "Unauthorized": "Luvaton", - "United Arab Emirates": "arabiemiirikunnat", - "United Kingdom": "Britannia", - "United States": "Yhdysvallat", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "Yhdysvaltain erillissaaret", - "Update": "Päivitys", - "Update & Continue Editing": "Päivitä & Jatka Muokkausta", - "Update :resource": "Päivitys :resource", - "Update :resource: :title": "Päivitys :resource: :title", - "Update attached :resource: :title": "Päivitys liitetty :resource: :title", - "Update Password": "Päivitä Salasana", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Päivitä tilisi profiilitiedot ja sähköpostiosoite.", - "Uruguay": "Uruguay", - "Use a recovery code": "Käytä palautuskoodia", - "Use an authentication code": "Käytä tunnistuskoodia", - "Uzbekistan": "Uzbekistan", - "Value": "Arvo", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Tarkista Sähköpostiosoite", "Verify Your Email Address": "Vahvista Sähköpostiosoitteesi", - "Viet Nam": "Vietnam", - "View": "Tarkastella", - "Virgin Islands, British": "Brittiläiset Neitsytsaaret", - "Virgin Islands, U.S.": "Yhdysvaltain Neitsytsaaret", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis ja Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Emme löytäneet rekisteröitynyttä käyttäjää tällä sähköpostiosoitteella.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Emme kysy salasanaasi pariin tuntiin.", - "We're lost in space. The page you were trying to view does not exist.": "Olemme eksyneet avaruuteen. Sivua, jota yritit katsoa, ei ole olemassa.", - "Welcome Back!": "Tervetuloa Takaisin!", - "Western Sahara": "Länsi-Sahara", - "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.": "Kun kaksivaiheinen todennus on käytössä, sinulta pyydetään turvallinen, satunnainen tunniste todennuksen aikana. Voit hakea tämän tunnuksen puhelimen Google Authenticator-sovelluksesta.", - "Whoops": "Hupsis.", - "Whoops!": "Tapahtui virhe.", - "Whoops! Something went wrong.": "Hupsista! Jokin meni pieleen.", - "With Trashed": "Kanssa Trashed", - "Write": "Kirjoittaa", - "Year To Date": "Vuosi Tähän Mennessä", - "Yearly": "Yearly", - "Yemen": "Jemenin", - "Yes": "Kyllä", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Olet kirjautunut sisään!", - "You are receiving this email because we received a password reset request for your account.": "Saat tämän viestin koska saimme pyynnön vaihtaa salasanasi.", - "You have been invited to join the :team team!": "Sinut on kutsuttu :team: n tiimiin!", - "You have enabled two factor authentication.": "Olet ottanut käyttöön kaksivaiheisen todennuksen.", - "You have not enabled two factor authentication.": "Et ole ottanut käyttöön kahden tekijän todennusta.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "Voit poistaa minkä tahansa olemassa olevista poleteistasi, jos niitä ei enää tarvita.", - "You may not delete your personal team.": "Et saa poistaa henkilökohtaista tiimiäsi.", - "You may not leave a team that you created.": "Et saa jättää luomaasi tiimiä.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Sähköpostiosoitettasi ei ole vahvistettu.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Sambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Sähköpostiosoitettasi ei ole vahvistettu." } diff --git a/locales/fi/packages/cashier.json b/locales/fi/packages/cashier.json new file mode 100644 index 00000000000..31e788c8003 --- /dev/null +++ b/locales/fi/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Kaikki oikeudet pidätetään.", + "Card": "Kortti", + "Confirm Payment": "Vahvista Maksu", + "Confirm your :amount payment": "Vahvista :amount maksu", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Lisävahvistusta tarvitaan maksun käsittelyyn. Vahvista maksusi täyttämällä alla olevat maksutietosi.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Lisävahvistusta tarvitaan maksun käsittelyyn. Jatka maksusivulle klikkaamalla alla olevaa painiketta.", + "Full name": "Koko nimi", + "Go back": "Palata", + "Jane Doe": "Jane Doe", + "Pay :amount": "Palkka :amount", + "Payment Cancelled": "Maksu Peruttu", + "Payment Confirmation": "Maksuvahvistus", + "Payment Successful": "Maksu Onnistui", + "Please provide your name.": "Ilmoittakaa nimenne.", + "The payment was successful.": "Maksu onnistui.", + "This payment was already successfully confirmed.": "Maksu oli jo varmistettu.", + "This payment was cancelled.": "Tämä maksu peruttiin." +} diff --git a/locales/fi/packages/fortify.json b/locales/fi/packages/fortify.json new file mode 100644 index 00000000000..5614d4389b7 --- /dev/null +++ b/locales/fi/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": "Numeron :attribute on oltava vähintään :length merkkiä ja siinä on oltava vähintään yksi numero.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "Numeron :attribute on oltava vähintään :length merkkiä ja siinä on oltava vähintään yksi erikoismerkki ja yksi numero.", + "The :attribute must be at least :length characters and contain at least one special character.": ":attribute: n on oltava vähintään :length merkkiä ja siinä on oltava vähintään yksi erikoismerkki.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Se :attribute on oltava vähintään :length merkkiä ja sisältää vähintään yhden kirjaimen ja yhden numeron.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Sen :attribute on oltava vähintään :length merkkiä ja sisältää vähintään yhden kirjaimen ja yhden erikoismerkin.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Se :attribute on oltava vähintään :length merkkiä ja sisältää vähintään yksi iso kirjain, yksi numero ja yksi erikoismerkki.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Se :attribute on oltava vähintään :length merkkiä ja sisältää vähintään yhden ison kirjaimen.", + "The :attribute must be at least :length characters.": ":attribute: n on oltava vähintään :length merkkiä.", + "The provided password does not match your current password.": "Annettu salasana ei vastaa nykyistä salasanaasi.", + "The provided password was incorrect.": "Annettu salasana oli virheellinen.", + "The provided two factor authentication code was invalid.": "Annettu kahden tekijän tunnistuskoodi oli virheellinen." +} diff --git a/locales/fi/packages/jetstream.json b/locales/fi/packages/jetstream.json new file mode 100644 index 00000000000..89819d782fb --- /dev/null +++ b/locales/fi/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Rekisteröitymisen yhteydessä antamaasi sähköpostiosoitteeseen on lähetetty Uusi vahvistuslinkki.", + "Accept Invitation": "Hyväksy Kutsu", + "Add": "Lisätä", + "Add a new team member to your team, allowing them to collaborate with you.": "Lisää tiimiisi Uusi tiimin jäsen, jolloin he voivat tehdä yhteistyötä kanssasi.", + "Add additional security to your account using two factor authentication.": "Lisää lisäturvaa tilillesi käyttämällä kaksivaiheista todennusta.", + "Add Team Member": "Lisää Tiimin Jäsen", + "Added.": "Lisätä.", + "Administrator": "Järjestelmänvalvoja", + "Administrator users can perform any action.": "Järjestelmänvalvojan käyttäjät voivat suorittaa minkä tahansa toiminnon.", + "All of the people that are part of this team.": "Kaikki ihmiset, jotka ovat osa tätä tiimiä.", + "Already registered?": "Oletko jo rekisteröitynyt?", + "API Token": "API-merkki", + "API Token Permissions": "API-Tokenin käyttöoikeudet", + "API Tokens": "API-tunnukset", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API-tunnusten avulla kolmannen osapuolen palvelut voivat todentaa sovelluksemme puolestasi.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Haluatko varmasti poistaa tämän ryhmän? Kun joukkue on poistettu, kaikki sen resurssit ja tiedot poistetaan pysyvästi.", + "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.": "Haluatko varmasti poistaa tilisi? Kun tilisi on poistettu, kaikki sen resurssit ja tiedot poistetaan pysyvästi. Anna salasanasi vahvistaaksesi, että haluat poistaa tilisi pysyvästi.", + "Are you sure you would like to delete this API token?": "Haluatko varmasti poistaa tämän API-tunnuksen?", + "Are you sure you would like to leave this team?": "Haluatko varmasti lähteä joukkueesta?", + "Are you sure you would like to remove this person from the team?": "Haluatko varmasti poistaa tämän henkilön tiimistä?", + "Browser Sessions": "Selainistunnot", + "Cancel": "Peruuttaa", + "Close": "Sulje", + "Code": "Koodi", + "Confirm": "Vahvistaa", + "Confirm Password": "Vahvista Salasana", + "Create": "Luoda", + "Create a new team to collaborate with others on projects.": "Luo uusi tiimi tekemään yhteistyötä muiden kanssa projekteissa.", + "Create Account": "Luo Tili", + "Create API Token": "Luo API-tunnus", + "Create New Team": "Luo Uusi Tiimi", + "Create Team": "Luo Tiimi", + "Created.": "Luoda.", + "Current Password": "Nykyinen Salasana", + "Dashboard": "Kojelauta", + "Delete": "Poistaa", + "Delete Account": "Poista Tili", + "Delete API Token": "Poista API-tunniste", + "Delete Team": "Poista Ryhmä", + "Disable": "Poistaa", + "Done.": "Tehdä.", + "Editor": "Muokkaus", + "Editor users have the ability to read, create, and update.": "Editorin käyttäjillä on kyky lukea, luoda ja päivittää.", + "Email": "Sähköposti", + "Email Password Reset Link": "Sähköpostin Salasanan Palautus Linkki", + "Enable": "Käyttöön", + "Ensure your account is using a long, random password to stay secure.": "Varmista, että tilisi käyttää pitkää, satunnaista salasanaa pysyäksesi turvassa.", + "For your security, please confirm your password to continue.": "Turvallisuutesi vuoksi vahvista salasanasi jatkaaksesi.", + "Forgot your password?": "Unohtuiko salasana?", + "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.": "Unohtuiko salasana? Eipä kestä. Kerro meille sähköpostiosoitteesi ja me lähetämme sinulle sähköpostitse salasanan palautuslinkki, jonka avulla voit valita uuden.", + "Great! You have accepted the invitation to join the :team team.": "Hienoa! Olet hyväksynyt kutsun liittyä :team-joukkueeseen.", + "I agree to the :terms_of_service and :privacy_policy": "Hyväksyn :terms_of_service ja :privacy_policy", + "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.": "Tarvittaessa voit kirjautua ulos kaikista muista selainistunnoistasi kaikilla laitteillasi. Jotkut viimeaikaiset istunnot on lueteltu alla; tämä luettelo ei kuitenkaan voi olla tyhjentävä. Jos tunnet, että tilisi on vaarantunut, kannattaa myös päivittää salasanasi.", + "If you already have an account, you may accept this invitation by clicking the button below:": "Jos sinulla on jo tili, voit hyväksyä kutsun klikkaamalla alla olevaa painiketta:", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Jos et odottanut saavasi kutsua tähän joukkueeseen, voit hylätä tämän sähköpostin.", + "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:": "Jos sinulla ei ole tiliä, voit luoda sellaisen klikkaamalla alla olevaa painiketta. Kun olet luonut tilin, voit klikata kutsun hyväksyminen-painiketta tämän sähköpostiviestin hyväksy kutsu joukkue:", + "Last active": "Viimeinen aktiivinen", + "Last used": "Viimeksi käytetty", + "Leave": "Jättää", + "Leave Team": "Poistu Tiimistä", + "Log in": "Kirjautunut", + "Log Out": "Kirjaudu Ulos", + "Log Out Other Browser Sessions": "Kirjaudu Ulos Muista Selainistunnoista", + "Manage Account": "Hallitse Tiliä", + "Manage and log out your active sessions on other browsers and devices.": "Hallitse ja kirjaudu ulos aktiivisia istuntoja muissa selaimissa ja laitteissa.", + "Manage API Tokens": "Hallitse API-tokeneita", + "Manage Role": "Roolin Hallinta", + "Manage Team": "Johtoryhmä", + "Name": "Nimi", + "New Password": "Uusi Salasana", + "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.": "Kun joukkue on poistettu, kaikki sen resurssit ja tiedot poistetaan pysyvästi. Ennen kuin poistat tämän tiimin, lataa Kaikki tätä tiimiä koskevat tiedot, jotka haluat säilyttää.", + "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.": "Kun tilisi on poistettu, kaikki sen resurssit ja tiedot poistetaan pysyvästi. Ennen kuin poistat tilisi, lataa kaikki tiedot, jotka haluat säilyttää.", + "Password": "Salasana", + "Pending Team Invitations": "Joukkuekutsuja Odotellaan", + "Permanently delete this team.": "Poista tämä ryhmä pysyvästi.", + "Permanently delete your account.": "Poista tilisi pysyvästi.", + "Permissions": "Lupa", + "Photo": "Valokuva", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Vahvista pääsy tilillesi syöttämällä yksi hätäpalautuskoodeistasi.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Vahvista pääsy tilillesi syöttämällä authenticator-sovelluksen antama tunnistuskoodi.", + "Please copy your new API token. For your security, it won't be shown again.": "Kopioi uusi API token. Turvallisuutesi vuoksi sitä ei näytetä enää.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Anna salasanasi vahvistaaksesi, että haluat kirjautua ulos muista selainistunnoistasi kaikilla laitteillasi.", + "Please provide the email address of the person you would like to add to this team.": "Anna sen henkilön sähköpostiosoite, jonka haluat lisätä tähän tiimiin.", + "Privacy Policy": "tietosuojakäytäntö", + "Profile": "Profiili", + "Profile Information": "profiilitiedot", + "Recovery Code": "Palautuskoodi", + "Regenerate Recovery Codes": "Luo Palautuskoodit Uudelleen", + "Register": "Rekisteröidä", + "Remember me": "Muista minut", + "Remove": "Poistaa", + "Remove Photo": "Poista Kuva", + "Remove Team Member": "Poista Ryhmän Jäsen", + "Resend Verification Email": "Lähetä Vahvistussähköposti Uudelleen", + "Reset Password": "Vaihdan salasanani", + "Role": "Rooli", + "Save": "Tallentaa", + "Saved.": "Tallennettu.", + "Select A New Photo": "Valitse Uusi Kuva", + "Show Recovery Codes": "Näytä Palautuskoodit", + "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.": "Tallenna nämä palautuskoodit turvalliseen salasanojen hallintaan. Niitä voidaan käyttää palauttamaan pääsy tilillesi, jos kahden tekijän todennuslaite katoaa.", + "Switch Teams": "Vaihda Ryhmää", + "Team Details": "Joukkueen Tiedot", + "Team Invitation": "Joukkuekutsu", + "Team Members": "Tiimiläiset", + "Team Name": "Joukkueen Nimi", + "Team Owner": "Joukkueen Omistaja", + "Team Settings": "Tiimin Asetukset", + "Terms of Service": "käyttöehdot", + "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.": "Kiitos ilmoittautumisesta! Ennen kuin aloitat, voisitko vahvistaa sähköpostiosoitteesi klikkaamalla linkkiä, jonka juuri lähetimme sinulle? Jos et saanut sähköpostia, lähetämme sinulle mielellämme toisen.", + "The :attribute must be a valid role.": ":attribute: n on oltava pätevä rooli.", + "The :attribute must be at least :length characters and contain at least one number.": "Numeron :attribute on oltava vähintään :length merkkiä ja siinä on oltava vähintään yksi numero.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "Numeron :attribute on oltava vähintään :length merkkiä ja siinä on oltava vähintään yksi erikoismerkki ja yksi numero.", + "The :attribute must be at least :length characters and contain at least one special character.": ":attribute: n on oltava vähintään :length merkkiä ja siinä on oltava vähintään yksi erikoismerkki.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Se :attribute on oltava vähintään :length merkkiä ja sisältää vähintään yhden kirjaimen ja yhden numeron.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Sen :attribute on oltava vähintään :length merkkiä ja sisältää vähintään yhden kirjaimen ja yhden erikoismerkin.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Se :attribute on oltava vähintään :length merkkiä ja sisältää vähintään yksi iso kirjain, yksi numero ja yksi erikoismerkki.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Se :attribute on oltava vähintään :length merkkiä ja sisältää vähintään yhden ison kirjaimen.", + "The :attribute must be at least :length characters.": ":attribute: n on oltava vähintään :length merkkiä.", + "The provided password does not match your current password.": "Annettu salasana ei vastaa nykyistä salasanaasi.", + "The provided password was incorrect.": "Annettu salasana oli virheellinen.", + "The provided two factor authentication code was invalid.": "Annettu kahden tekijän tunnistuskoodi oli virheellinen.", + "The team's name and owner information.": "Joukkueen nimi ja omistajatiedot.", + "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.": "Nämä henkilöt on kutsuttu tiimiisi ja heille on lähetetty kutsuviesti. He voivat liittyä tiimiin hyväksymällä sähköpostikutsun.", + "This device": "Tämä laite", + "This is a secure area of the application. Please confirm your password before continuing.": "Tämä on sovelluksen turvallinen alue. Vahvista salasanasi ennen kuin jatkat.", + "This password does not match our records.": "Tämä salasana ei vastaa tietojamme.", + "This user already belongs to the team.": "Tämä käyttäjä kuuluu jo tiimiin.", + "This user has already been invited to the team.": "Tämä käyttäjä on jo kutsuttu tiimiin.", + "Token Name": "Token-Nimi", + "Two Factor Authentication": "Kahden Tekijän Todennus", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Kaksivaiheinen todennus on nyt käytössä. Skannaa seuraava QR-koodi puhelimen authenticator-sovelluksella.", + "Update Password": "Päivitä Salasana", + "Update your account's profile information and email address.": "Päivitä tilisi profiilitiedot ja sähköpostiosoite.", + "Use a recovery code": "Käytä palautuskoodia", + "Use an authentication code": "Käytä tunnistuskoodia", + "We were unable to find a registered user with this email address.": "Emme löytäneet rekisteröitynyttä käyttäjää tällä sähköpostiosoitteella.", + "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.": "Kun kaksivaiheinen todennus on käytössä, sinulta pyydetään turvallinen, satunnainen tunniste todennuksen aikana. Voit hakea tämän tunnuksen puhelimen Google Authenticator-sovelluksesta.", + "Whoops! Something went wrong.": "Hupsista! Jokin meni pieleen.", + "You have been invited to join the :team team!": "Sinut on kutsuttu :team: n tiimiin!", + "You have enabled two factor authentication.": "Olet ottanut käyttöön kaksivaiheisen todennuksen.", + "You have not enabled two factor authentication.": "Et ole ottanut käyttöön kahden tekijän todennusta.", + "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.": "Voit poistaa minkä tahansa olemassa olevista poleteistasi, jos niitä ei enää tarvita.", + "You may not delete your personal team.": "Et saa poistaa henkilökohtaista tiimiäsi.", + "You may not leave a team that you created.": "Et saa jättää luomaasi tiimiä." +} diff --git a/locales/fi/packages/nova.json b/locales/fi/packages/nova.json new file mode 100644 index 00000000000..eb5369e894e --- /dev/null +++ b/locales/fi/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 päivää", + "60 Days": "60 päivää", + "90 Days": "90 päivää", + ":amount Total": ":amount yhteensä", + ":resource Details": ":resource yksityiskohdat", + ":resource Details: :title": ":resource tiedot: :title", + "Action": "Toimia", + "Action Happened At": "Tapahtui", + "Action Initiated By": "Aloitteentekijä", + "Action Name": "Nimi", + "Action Status": "Tila", + "Action Target": "Tavoite", + "Actions": "Toimia", + "Add row": "Lisää rivi", + "Afghanistan": "Afganistan", + "Aland Islands": "Ahvenanmaa", + "Albania": "Albania", + "Algeria": "Algeria", + "All resources loaded.": "Kaikki resurssit ladattu.", + "American Samoa": "Amerikan Samoa", + "An error occured while uploading the file.": "Tapahtui virhe lähetettäessä tiedostoa.", + "Andorra": "Andorran", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Toinen käyttäjä on päivittänyt tätä resurssia tämän sivun lataamisen jälkeen. Päivitä sivu ja yritä uudelleen.", + "Antarctica": "Antarktis", + "Antigua And Barbuda": "Antigua ja Barbuda", + "April": "Huhtikuu", + "Are you sure you want to delete the selected resources?": "Haluatko varmasti poistaa valitut resurssit?", + "Are you sure you want to delete this file?": "Haluatko varmasti poistaa tämän tiedoston?", + "Are you sure you want to delete this resource?": "Haluatko varmasti poistaa tämän resurssin?", + "Are you sure you want to detach the selected resources?": "Haluatko varmasti irrottaa valitut resurssit?", + "Are you sure you want to detach this resource?": "Haluatko varmasti irrottaa tämän resurssin?", + "Are you sure you want to force delete the selected resources?": "Haluatko varmasti pakottaa poistamaan valitut resurssit?", + "Are you sure you want to force delete this resource?": "Haluatko varmasti pakottaa poistamaan tämän resurssin?", + "Are you sure you want to restore the selected resources?": "Haluatko varmasti palauttaa valitut resurssit?", + "Are you sure you want to restore this resource?": "Haluatko varmasti palauttaa tämän resurssin?", + "Are you sure you want to run this action?": "Haluatko varmasti johtaa tätä toimintaa?", + "Argentina": "Argentiina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Attach": "Liittää", + "Attach & Attach Another": "Liitä & Lisää Toinen", + "Attach :resource": "Liitä :resource", + "August": "Elokuu", + "Australia": "Australia", + "Austria": "Itävalta", + "Azerbaijan": "Azerbaidžan", + "Bahamas": "Bahama", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Valko", + "Belgium": "Belgia", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius ja Sábado", + "Bosnia And Herzegovina": "Bosnia ja Hertsegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet ' Nsaari", + "Brazil": "Brasilia", + "British Indian Ocean Territory": "Brittiläinen Intian Valtameren Alue", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodža", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel": "Peruuttaa", + "Cape Verde": "Kap Verde", + "Cayman Islands": "Caymansaaret", + "Central African Republic": "Keski-Afrikan Tasavalta", + "Chad": "Chad", + "Changes": "Muuttaa", + "Chile": "Chile", + "China": "Kiina", + "Choose": "Valita", + "Choose :field": "Valitse :field", + "Choose :resource": "Valitse :resource", + "Choose an option": "Valitse vaihtoehto", + "Choose date": "Valitse päivämäärä", + "Choose File": "Valitse Tiedosto", + "Choose Type": "Valitse Tyyppi", + "Christmas Island": "Joulusaari", + "Click to choose": "Klikkaa valitaksesi", + "Cocos (Keeling) Islands": "Kookossaaret (Keeling)", + "Colombia": "Kolumbia", + "Comoros": "Komorit", + "Confirm Password": "Vahvista Salasana", + "Congo": "Kongo", + "Congo, Democratic Republic": "Kongon Demokraattinen Tasavalta", + "Constant": "Jatkuva", + "Cook Islands": "Cookinsaaret", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "ei löytynyt.", + "Create": "Luoda", + "Create & Add Another": "Luo & Lisää Toinen", + "Create :resource": "Luo :resource", + "Croatia": "Kroatia", + "Cuba": "Kuuba", + "Curaçao": "Curacao", + "Customize": "Mukauttaa", + "Cyprus": "Kypros", + "Czech Republic": "Tšekki", + "Dashboard": "Kojelauta", + "December": "Joulukuuta", + "Decrease": "Vähentää", + "Delete": "Poistaa", + "Delete File": "Poista Tiedosto", + "Delete Resource": "Poista Resurssi", + "Delete Selected": "Poista Valittu", + "Denmark": "Tanska", + "Detach": "Irrottaa", + "Detach Resource": "Irrota Resurssi", + "Detach Selected": "Irrota Valittu", + "Details": "Tiedot", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Haluatko todella lähteä? Sinulla on tallentamattomia muutoksia.", + "Dominica": "Sunnuntai", + "Dominican Republic": "Dominikaaninen Tasavalta", + "Download": "Ladata", + "Ecuador": "Ecuador", + "Edit": "Muokkaa", + "Edit :resource": "Muokkaa :resource", + "Edit Attached": "Muokkaa Liitettä", + "Egypt": "Egypti", + "El Salvador": "Salvador", + "Email Address": "sähköpostiosoite", + "Equatorial Guinea": "Päiväntasaajan Guinea", + "Eritrea": "Eritrea", + "Estonia": "Viro", + "Ethiopia": "Etiopia", + "Falkland Islands (Malvinas)": "Falklandinsaaret (Malvinas)", + "Faroe Islands": "Färsaaret", + "February": "Helmikuu", + "Fiji": "Fidži", + "Finland": "Suomi", + "Force Delete": "Pakota Poisto", + "Force Delete Resource": "Pakota Poista Resurssi", + "Force Delete Selected": "Pakota Poista Valittu", + "Forgot Your Password?": "Unohtuiko Salasana?", + "Forgot your password?": "Unohtuiko salasana?", + "France": "Ranska", + "French Guiana": "Ranskan Guayana", + "French Polynesia": "Ranskan Polynesia", + "French Southern Territories": "Ranskan Eteläiset Alueet", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Saksa", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "kotiin", + "Greece": "Kreikka", + "Greenland": "Grönlanti", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Heard-ja McDonaldinsaaret", + "Hide Content": "Piilota Sisältö", + "Hold Up!": "Odota!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hongkong", + "Hungary": "Unkari", + "Iceland": "Islanti", + "ID": "TUNNUS", + "If you did not request a password reset, no further action is required.": "Jos et ole pyytänyt salasanan vaihtoa, sinun ei tarvitse tehdä mitään ja voit poistaa tämän viestin.", + "Increase": "Kasvaa", + "India": "Intia", + "Indonesia": "Indonesia", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Irak", + "Ireland": "Irlanti", + "Isle Of Man": "Mansaari", + "Israel": "Israel", + "Italy": "Italia", + "Jamaica": "Jamaica", + "January": "Tammi", + "Japan": "Japani", + "Jersey": "Jersey", + "Jordan": "Jordan", + "July": "Heinä", + "June": "Kesäkuuta", + "Kazakhstan": "Kazakstan", + "Kenya": "Kenia", + "Key": "Näppäin", + "Kiribati": "Kiribati", + "Korea": "Korea", + "Korea, Democratic People's Republic of": "Pohjois-Korea", + "Kosovo": "Kosovo", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kirgisia", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvia", + "Lebanon": "Libanon", + "Lens": "Linssi", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Liettua", + "Load :perPage More": "Kuorma :persivu lisää", + "Login": "Kirjautuminen", + "Logout": "Kirjaudu ulos", + "Luxembourg": "Luxemburg", + "Macao": "Macao", + "Macedonia": "Pohjois-Makedonia", + "Madagascar": "Madagaskar", + "Malawi": "Malawi", + "Malaysia": "Malesia", + "Maldives": "Malediivit", + "Mali": "Pieni", + "Malta": "Malta", + "March": "Maaliskuu", + "Marshall Islands": "Marshallinsaaret", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "May": "Voi", + "Mayotte": "Mayotte", + "Mexico": "Meksiko", + "Micronesia, Federated States Of": "Mikronesia", + "Moldova": "Moldova", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Month To Date": "Kuukausi Tähän Mennessä", + "Montserrat": "Montserrat", + "Morocco": "Marokko", + "Mozambique": "Mosambik", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Alankomaat", + "New": "Uusi", + "New :resource": "Uusi :resource", + "New Caledonia": "Uusi-Kaledonia", + "New Zealand": "Uusi-Seelanti", + "Next": "Seuraava", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "Ei", + "No :resource matched the given criteria.": "Nro :resource vastasi annettuja perusteita.", + "No additional information...": "Ei lisätietoja...", + "No Current Data": "Ei Tämänhetkisiä Tietoja", + "No Data": "Ei Tietoja", + "no file selected": "tiedostoa ei ole valittu", + "No Increase": "Ei Nousua", + "No Prior Data": "Ei Ennakkotietoja", + "No Results Found.": "Tuloksia Ei Löytynyt.", + "Norfolk Island": "Norfolkinsaari", + "Northern Mariana Islands": "Pohjois-Mariaanit", + "Norway": "Norja", + "Nova User": "Novan Käyttäjä", + "November": "Marraskuu", + "October": "Lokakuu", + "of": "sellaisten", + "Oman": "Oman", + "Only Trashed": "Vain Tuhottu", + "Original": "Alkuperäinen", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestiinalaisalueet", + "Panama": "Panama", + "Papua New Guinea": "Papua - Uusi-Guinea", + "Paraguay": "Paraguay", + "Password": "Salasana", + "Per Page": "Per Sivu", + "Peru": "Peru", + "Philippines": "Filippiinit", + "Pitcairn": "Pitcairnin Saaret", + "Poland": "Puola", + "Portugal": "Portugali", + "Press \/ to search": "Paina \/ Etsi", + "Preview": "Esikatselu", + "Previous": "Edellinen", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Neljännesvuosittain", + "Reload": "Lataa", + "Remember Me": "Muista Minut", + "Reset Filters": "Nollaa Suodattimet", + "Reset Password": "Vaihdan salasanani", + "Reset Password Notification": "Salasanan uudelleenasetusilmoitus", + "resource": "resurssi", + "Resources": "Resurssi", + "resources": "resurssi", + "Restore": "Palauttaa", + "Restore Resource": "Palauta Resurssi", + "Restore Selected": "Palauta Valittu", + "Reunion": "Kokous", + "Romania": "Romania", + "Run Action": "Suorita Toiminto", + "Russian Federation": "Venäjä", + "Rwanda": "Ruanda", + "Saint Barthelemy": "St. Barthélemy", + "Saint Helena": "Saint Helena", + "Saint Kitts And Nevis": "Saint Kitts ja Nevis", + "Saint Lucia": "Saint Lucia", + "Saint Martin": "St. Martin", + "Saint Pierre And Miquelon": "Saint-Pierre ja Miquelon", + "Saint Vincent And Grenadines": "Saint Vincent ja Grenadiinit", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "São Tomé ja Príncipe", + "Saudi Arabia": "Saudi-Arabia", + "Search": "Etsiä", + "Select Action": "Valitse Toiminto", + "Select All": "Valitse Kaikki", + "Select All Matching": "Valitse Kaikki Täsmäävät", + "Send Password Reset Link": "Lähetä Salasanan Palautus-Linkki", + "Senegal": "Senegal", + "September": "Syyskuu", + "Serbia": "Serbia", + "Seychelles": "Seychellit", + "Show All Fields": "Näytä Kaikki Kentät", + "Show Content": "Näytä Sisältö", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapore", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Salomonsaaret", + "Somalia": "Somalia", + "Something went wrong.": "Jokin meni pieleen.", + "Sorry! You are not authorized to perform this action.": "Sori! Sinulla ei ole valtuuksia suorittaa tätä toimintoa.", + "Sorry, your session has expired.": "Anteeksi, istuntosi on päättynyt.", + "South Africa": "Etelä-Afrikka", + "South Georgia And Sandwich Isl.": "Etelä-Georgia ja Eteläiset Sandwichsaaret", + "South Sudan": "Etelä-Sudan", + "Spain": "Espanja", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Aloita Gallupit", + "Stop Polling": "Keskeytä Gallupit", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Huippuvuoret ja Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Ruotsi", + "Switzerland": "Sveitsi", + "Syrian Arab Republic": "Syyria", + "Taiwan": "Taiwan", + "Tajikistan": "Tadžikistan", + "Tanzania": "Tansania", + "Thailand": "Thaimaa", + "The :resource was created!": ":resource luotiin!", + "The :resource was deleted!": ":resource poistettiin!", + "The :resource was restored!": ":resource palautettiin!", + "The :resource was updated!": ":resource päivitettiin!", + "The action ran successfully!": "Toiminta onnistui!", + "The file was deleted!": "Tiedosto on poistettu!", + "The government won't let us show you what's behind these doors": "Hallitus ei anna meidän näyttää, mitä näiden ovien takana on.", + "The HasOne relationship has already been filled.": "Hasonen suhde on jo täytetty.", + "The resource was updated!": "Resurssi päivitettiin!", + "There are no available options for this resource.": "Tälle resurssille ei ole saatavilla vaihtoehtoja.", + "There was a problem executing the action.": "Teon toteuttamisessa oli ongelmia.", + "There was a problem submitting the form.": "Lomakkeen toimittamisessa oli ongelmia.", + "This file field is read-only.": "Tämä tiedostokenttä on vain luku.", + "This image": "Tämä kuva", + "This resource no longer exists": "Tätä resurssia ei enää ole", + "Timor-Leste": "Itä-Timor", + "Today": "Hetkellä", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tulla", + "total": "yhteensä", + "Trashed": "Tuhottu", + "Trinidad And Tobago": "Trinidad ja Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turkki", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Turks-ja Caicossaaret", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraina", + "United Arab Emirates": "arabiemiirikunnat", + "United Kingdom": "Britannia", + "United States": "Yhdysvallat", + "United States Outlying Islands": "Yhdysvaltain erillissaaret", + "Update": "Päivitys", + "Update & Continue Editing": "Päivitä & Jatka Muokkausta", + "Update :resource": "Päivitys :resource", + "Update :resource: :title": "Päivitys :resource: :title", + "Update attached :resource: :title": "Päivitys liitetty :resource: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Value": "Arvo", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Tarkastella", + "Virgin Islands, British": "Brittiläiset Neitsytsaaret", + "Virgin Islands, U.S.": "Yhdysvaltain Neitsytsaaret", + "Wallis And Futuna": "Wallis ja Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Olemme eksyneet avaruuteen. Sivua, jota yritit katsoa, ei ole olemassa.", + "Welcome Back!": "Tervetuloa Takaisin!", + "Western Sahara": "Länsi-Sahara", + "Whoops": "Hupsis.", + "Whoops!": "Tapahtui virhe.", + "With Trashed": "Kanssa Trashed", + "Write": "Kirjoittaa", + "Year To Date": "Vuosi Tähän Mennessä", + "Yemen": "Jemenin", + "Yes": "Kyllä", + "You are receiving this email because we received a password reset request for your account.": "Saat tämän viestin koska saimme pyynnön vaihtaa salasanasi.", + "Zambia": "Sambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/fi/packages/spark-paddle.json b/locales/fi/packages/spark-paddle.json new file mode 100644 index 00000000000..93b41418abe --- /dev/null +++ b/locales/fi/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "käyttöehdot", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Hupsista! Jokin meni pieleen.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/fi/packages/spark-stripe.json b/locales/fi/packages/spark-stripe.json new file mode 100644 index 00000000000..fe1acb965a0 --- /dev/null +++ b/locales/fi/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afganistan", + "Albania": "Albania", + "Algeria": "Algeria", + "American Samoa": "Amerikan Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorran", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarktis", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentiina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Australia": "Australia", + "Austria": "Itävalta", + "Azerbaijan": "Azerbaidžan", + "Bahamas": "Bahama", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Valko", + "Belgium": "Belgia", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet ' Nsaari", + "Brazil": "Brasilia", + "British Indian Ocean Territory": "Brittiläinen Intian Valtameren Alue", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodža", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Kap Verde", + "Card": "Kortti", + "Cayman Islands": "Caymansaaret", + "Central African Republic": "Keski-Afrikan Tasavalta", + "Chad": "Chad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Chile", + "China": "Kiina", + "Christmas Island": "Joulusaari", + "City": "City", + "Cocos (Keeling) Islands": "Kookossaaret (Keeling)", + "Colombia": "Kolumbia", + "Comoros": "Komorit", + "Confirm Payment": "Vahvista Maksu", + "Confirm your :amount payment": "Vahvista :amount maksu", + "Congo": "Kongo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Cookinsaaret", + "Costa Rica": "Costa Rica", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Kroatia", + "Cuba": "Kuuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Kypros", + "Czech Republic": "Tšekki", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Tanska", + "Djibouti": "Djibouti", + "Dominica": "Sunnuntai", + "Dominican Republic": "Dominikaaninen Tasavalta", + "Download Receipt": "Download Receipt", + "Ecuador": "Ecuador", + "Egypt": "Egypti", + "El Salvador": "Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Päiväntasaajan Guinea", + "Eritrea": "Eritrea", + "Estonia": "Viro", + "Ethiopia": "Etiopia", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Lisävahvistusta tarvitaan maksun käsittelyyn. Jatka maksusivulle klikkaamalla alla olevaa painiketta.", + "Falkland Islands (Malvinas)": "Falklandinsaaret (Malvinas)", + "Faroe Islands": "Färsaaret", + "Fiji": "Fidži", + "Finland": "Suomi", + "France": "Ranska", + "French Guiana": "Ranskan Guayana", + "French Polynesia": "Ranskan Polynesia", + "French Southern Territories": "Ranskan Eteläiset Alueet", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Saksa", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Kreikka", + "Greenland": "Grönlanti", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hongkong", + "Hungary": "Unkari", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Islanti", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Intia", + "Indonesia": "Indonesia", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Irak", + "Ireland": "Irlanti", + "Isle of Man": "Isle of Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italia", + "Jamaica": "Jamaica", + "Japan": "Japani", + "Jersey": "Jersey", + "Jordan": "Jordan", + "Kazakhstan": "Kazakstan", + "Kenya": "Kenia", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Pohjois-Korea", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kirgisia", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvia", + "Lebanon": "Libanon", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Liettua", + "Luxembourg": "Luxemburg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagaskar", + "Malawi": "Malawi", + "Malaysia": "Malesia", + "Maldives": "Malediivit", + "Mali": "Pieni", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marshallinsaaret", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Meksiko", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Marokko", + "Mozambique": "Mosambik", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Alankomaat", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Uusi-Kaledonia", + "New Zealand": "Uusi-Seelanti", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Norfolkinsaari", + "Northern Mariana Islands": "Pohjois-Mariaanit", + "Norway": "Norja", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestiinalaisalueet", + "Panama": "Panama", + "Papua New Guinea": "Papua - Uusi-Guinea", + "Paraguay": "Paraguay", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Filippiinit", + "Pitcairn": "Pitcairnin Saaret", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Puola", + "Portugal": "Portugali", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Romania", + "Russian Federation": "Venäjä", + "Rwanda": "Ruanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Saint Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Saint Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saudi-Arabia", + "Save": "Tallentaa", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbia", + "Seychelles": "Seychellit", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapore", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Salomonsaaret", + "Somalia": "Somalia", + "South Africa": "Etelä-Afrikka", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Espanja", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Ruotsi", + "Switzerland": "Sveitsi", + "Syrian Arab Republic": "Syyria", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tadžikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "käyttöehdot", + "Thailand": "Thaimaa", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Itä-Timor", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tulla", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turkki", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraina", + "United Arab Emirates": "arabiemiirikunnat", + "United Kingdom": "Britannia", + "United States": "Yhdysvallat", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Päivitys", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Brittiläiset Neitsytsaaret", + "Virgin Islands, U.S.": "Yhdysvaltain Neitsytsaaret", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Länsi-Sahara", + "Whoops! Something went wrong.": "Hupsista! Jokin meni pieleen.", + "Yearly": "Yearly", + "Yemen": "Jemenin", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Sambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/fil/fil.json b/locales/fil/fil.json index 7fe2e63dd96..62151bbcded 100644 --- a/locales/fil/fil.json +++ b/locales/fil/fil.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Days", - "60 Days": "60 Days", - "90 Days": "90 Days", - ":amount Total": ":amount Total", - ":days day trial": ":days day trial", - ":resource Details": ":resource Details", - ":resource Details: :title": ":resource Details: :title", "A fresh verification link has been sent to your email address.": "A fresh verification link has been sent to your email address.", - "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.", - "Accept Invitation": "Accept Invitation", - "Action": "Action", - "Action Happened At": "Happened At", - "Action Initiated By": "Initiated By", - "Action Name": "Name", - "Action Status": "Status", - "Action Target": "Target", - "Actions": "Actions", - "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 additional security to your account using two factor authentication.": "Add additional security to your account using two factor authentication.", - "Add row": "Add row", - "Add Team Member": "Add Team Member", - "Add VAT Number": "Add VAT Number", - "Added.": "Added.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administrator", - "Administrator users can perform any action.": "Administrator users can perform any action.", - "Afghanistan": "Afghanistan", - "Aland Islands": "Åland Islands", - "Albania": "Albania", - "Algeria": "Algeria", - "All of the people that are part of this team.": "All of the people that are part of this team.", - "All resources loaded.": "All resources loaded.", - "All rights reserved.": "All rights reserved.", - "Already registered?": "Already registered?", - "American Samoa": "American Samoa", - "An error occured while uploading the file.": "An error occured while uploading the file.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Another user has updated this resource since this page was loaded. Please refresh the page and try again.", - "Antarctica": "Antarctica", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua and Barbuda", - "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.", - "April": "April", - "Are you sure you want to delete the selected resources?": "Are you sure you want to delete the selected resources?", - "Are you sure you want to delete this file?": "Are you sure you want to delete this file?", - "Are you sure you want to delete this resource?": "Are you sure you want to delete this resource?", - "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 want to detach the selected resources?": "Are you sure you want to detach the selected resources?", - "Are you sure you want to detach this resource?": "Are you sure you want to detach this resource?", - "Are you sure you want to force delete the selected resources?": "Are you sure you want to force delete the selected resources?", - "Are you sure you want to force delete this resource?": "Are you sure you want to force delete this resource?", - "Are you sure you want to restore the selected resources?": "Are you sure you want to restore the selected resources?", - "Are you sure you want to restore this resource?": "Are you sure you want to restore this resource?", - "Are you sure you want to run this action?": "Are you sure you want to run this action?", - "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 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?", - "Argentina": "Argentina", - "Armenia": "Armenia", - "Aruba": "Aruba", - "Attach": "Attach", - "Attach & Attach Another": "Attach & Attach Another", - "Attach :resource": "Attach :resource", - "August": "August", - "Australia": "Australia", - "Austria": "Austria", - "Azerbaijan": "Azerbaijan", - "Bahamas": "Bahamas", - "Bahrain": "Bahrain", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Before proceeding, please check your email for a verification link.", - "Belarus": "Belarus", - "Belgium": "Belgium", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bhutan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Saba", - "Bosnia And Herzegovina": "Bosnia and Herzegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvet Island", - "Brazil": "Brazil", - "British Indian Ocean Territory": "British Indian Ocean Territory", - "Browser Sessions": "Browser Sessions", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgaria", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Cambodia", - "Cameroon": "Cameroon", - "Canada": "Canada", - "Cancel": "Cancel", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Cape Verde", - "Card": "Card", - "Cayman Islands": "Cayman Islands", - "Central African Republic": "Central African Republic", - "Chad": "Chad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Changes", - "Chile": "Chile", - "China": "China", - "Choose": "Choose", - "Choose :field": "Choose :field", - "Choose :resource": "Choose :resource", - "Choose an option": "Choose an option", - "Choose date": "Choose date", - "Choose File": "Choose File", - "Choose Type": "Choose Type", - "Christmas Island": "Christmas Island", - "City": "City", "click here to request another": "click here to request another", - "Click to choose": "Click to choose", - "Close": "Close", - "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", - "Code": "Code", - "Colombia": "Colombia", - "Comoros": "Comoros", - "Confirm": "Confirm", - "Confirm Password": "Confirm Password", - "Confirm Payment": "Confirm Payment", - "Confirm your :amount payment": "Confirm your :amount payment", - "Congo": "Congo", - "Congo, Democratic Republic": "Congo, Democratic Republic", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Constant", - "Cook Islands": "Cook Islands", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "could not be found.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Create", - "Create & Add Another": "Create & Add Another", - "Create :resource": "Create :resource", - "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 API Token": "Create API Token", - "Create New Team": "Create New Team", - "Create Team": "Create Team", - "Created.": "Created.", - "Croatia": "Croatia", - "Cuba": "Cuba", - "Curaçao": "Curaçao", - "Current Password": "Current Password", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Customize", - "Cyprus": "Cyprus", - "Czech Republic": "Czechia", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Dashboard", - "December": "December", - "Decrease": "Decrease", - "Delete": "Delete", - "Delete Account": "Delete Account", - "Delete API Token": "Delete API Token", - "Delete File": "Delete File", - "Delete Resource": "Delete Resource", - "Delete Selected": "Delete Selected", - "Delete Team": "Delete Team", - "Denmark": "Denmark", - "Detach": "Detach", - "Detach Resource": "Detach Resource", - "Detach Selected": "Detach Selected", - "Details": "Details", - "Disable": "Disable", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Do you really want to leave? You have unsaved changes.", - "Dominica": "Dominica", - "Dominican Republic": "Dominican Republic", - "Done.": "Done.", - "Download": "Download", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-Mail Address", - "Ecuador": "Ecuador", - "Edit": "Edit", - "Edit :resource": "Edit :resource", - "Edit Attached": "Edit Attached", - "Editor": "Editor", - "Editor users have the ability to read, create, and update.": "Editor users have the ability to read, create, and update.", - "Egypt": "Egypt", - "El Salvador": "El Salvador", - "Email": "Email", - "Email Address": "Email Address", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Email Password Reset Link", - "Enable": "Enable", - "Ensure your account is using a long, random password to stay secure.": "Ensure your account is using a long, random password to stay secure.", - "Equatorial Guinea": "Equatorial Guinea", - "Eritrea": "Eritrea", - "Estonia": "Estonia", - "Ethiopia": "Ethiopia", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", - "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", - "Faroe Islands": "Faroe Islands", - "February": "February", - "Fiji": "Fiji", - "Finland": "Finland", - "For your security, please confirm your password to continue.": "For your security, please confirm your password to continue.", "Forbidden": "Forbidden", - "Force Delete": "Force Delete", - "Force Delete Resource": "Force Delete Resource", - "Force Delete Selected": "Force Delete Selected", - "Forgot Your Password?": "Forgot Your Password?", - "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.", - "France": "France", - "French Guiana": "French Guiana", - "French Polynesia": "French Polynesia", - "French Southern Territories": "French Southern Territories", - "Full name": "Full name", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Georgia", - "Germany": "Germany", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Go back", - "Go Home": "Go Home", "Go to page :page": "Go to page :page", - "Great! You have accepted the invitation to join the :team team.": "Great! You have accepted the invitation to join the :team team.", - "Greece": "Greece", - "Greenland": "Greenland", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Heard Island and McDonald Islands", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Hello!", - "Hide Content": "Hide Content", - "Hold Up!": "Hold Up!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Hungary", - "I agree to the :terms_of_service and :privacy_policy": "I agree to the :terms_of_service and :privacy_policy", - "Iceland": "Iceland", - "ID": "ID", - "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 necessary, you may logout 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 logout 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 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 receive the email": "If you did not receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "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:", - "Increase": "Increase", - "India": "India", - "Indonesia": "Indonesia", "Invalid signature.": "Invalid signature.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Iraq", - "Ireland": "Ireland", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Isle of Man", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italy", - "Jamaica": "Jamaica", - "January": "January", - "Japan": "Japan", - "Jersey": "Jersey", - "Jordan": "Jordan", - "July": "July", - "June": "June", - "Kazakhstan": "Kazakhstan", - "Kenya": "Kenya", - "Key": "Key", - "Kiribati": "Kiribati", - "Korea": "South Korea", - "Korea, Democratic People's Republic of": "North Korea", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuwait", - "Kyrgyzstan": "Kyrgyzstan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Last active", - "Last used": "Last used", - "Latvia": "Latvia", - "Leave": "Leave", - "Leave Team": "Leave Team", - "Lebanon": "Lebanon", - "Lens": "Lens", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libya", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Lithuania", - "Load :perPage More": "Load :perPage More", - "Log in": "Log in", "Log out": "Log out", - "Log Out": "Log Out", - "Log Out Other Browser Sessions": "Log Out Other Browser Sessions", - "Login": "Login", - "Logout": "Logout", "Logout Other Browser Sessions": "Logout Other Browser Sessions", - "Luxembourg": "Luxembourg", - "Macao": "Macao", - "Macedonia": "North Macedonia", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagascar", - "Malawi": "Malawi", - "Malaysia": "Malaysia", - "Maldives": "Maldives", - "Mali": "Mali", - "Malta": "Malta", - "Manage Account": "Manage Account", - "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 and logout your active sessions on other browsers and devices.": "Manage and logout your active sessions on other browsers and devices.", - "Manage API Tokens": "Manage API Tokens", - "Manage Role": "Manage Role", - "Manage Team": "Manage Team", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "March", - "Marshall Islands": "Marshall Islands", - "Martinique": "Martinique", - "Mauritania": "Mauritania", - "Mauritius": "Mauritius", - "May": "May", - "Mayotte": "Mayotte", - "Mexico": "Mexico", - "Micronesia, Federated States Of": "Micronesia", - "Moldova": "Moldova", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monaco", - "Mongolia": "Mongolia", - "Montenegro": "Montenegro", - "Month To Date": "Month To Date", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Morocco", - "Mozambique": "Mozambique", - "Myanmar": "Myanmar", - "Name": "Name", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Netherlands", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Nevermind", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "New", - "New :resource": "New :resource", - "New Caledonia": "New Caledonia", - "New Password": "New Password", - "New Zealand": "New Zealand", - "Next": "Next", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "No", - "No :resource matched the given criteria.": "No :resource matched the given criteria.", - "No additional information...": "No additional information...", - "No Current Data": "No Current Data", - "No Data": "No Data", - "no file selected": "no file selected", - "No Increase": "No Increase", - "No Prior Data": "No Prior Data", - "No Results Found.": "No Results Found.", - "Norfolk Island": "Norfolk Island", - "Northern Mariana Islands": "Northern Mariana Islands", - "Norway": "Norway", "Not Found": "Not Found", - "Nova User": "Nova User", - "November": "November", - "October": "October", - "of": "of", "Oh no": "Oh no", - "Oman": "Oman", - "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 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 Trashed": "Only Trashed", - "Original": "Original", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Page Expired", "Pagination Navigation": "Pagination Navigation", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Palestinian Territories", - "Panama": "Panama", - "Papua New Guinea": "Papua New Guinea", - "Paraguay": "Paraguay", - "Password": "Password", - "Pay :amount": "Pay :amount", - "Payment Cancelled": "Payment Cancelled", - "Payment Confirmation": "Payment Confirmation", - "Payment Information": "Payment Information", - "Payment Successful": "Payment Successful", - "Pending Team Invitations": "Pending Team Invitations", - "Per Page": "Per Page", - "Permanently delete this team.": "Permanently delete this team.", - "Permanently delete your account.": "Permanently delete your account.", - "Permissions": "Permissions", - "Peru": "Peru", - "Philippines": "Philippines", - "Photo": "Photo", - "Pitcairn": "Pitcairn Islands", "Please click the button below to verify your email address.": "Please click the button below to verify your email address.", - "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 confirm your password before continuing.": "Please confirm your password before continuing.", - "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 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 enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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 provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.", - "Please provide your name.": "Please provide your name.", - "Poland": "Poland", - "Portugal": "Portugal", - "Press \/ to search": "Press \/ to search", - "Preview": "Preview", - "Previous": "Previous", - "Privacy Policy": "Privacy Policy", - "Profile": "Profile", - "Profile Information": "Profile Information", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Quarter To Date", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Recovery Code", "Regards": "Regards", - "Regenerate Recovery Codes": "Regenerate Recovery Codes", - "Register": "Register", - "Reload": "Reload", - "Remember me": "Remember me", - "Remember Me": "Remember Me", - "Remove": "Remove", - "Remove Photo": "Remove Photo", - "Remove Team Member": "Remove Team Member", - "Resend Verification Email": "Resend Verification Email", - "Reset Filters": "Reset Filters", - "Reset Password": "Reset Password", - "Reset Password Notification": "Reset Password Notification", - "resource": "resource", - "Resources": "Resources", - "resources": "resources", - "Restore": "Restore", - "Restore Resource": "Restore Resource", - "Restore Selected": "Restore Selected", "results": "results", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Réunion", - "Role": "Role", - "Romania": "Romania", - "Run Action": "Run Action", - "Russian Federation": "Russian Federation", - "Rwanda": "Rwanda", - "Réunion": "Réunion", - "Saint Barthelemy": "St. Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "St. Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "St. Kitts and Nevis", - "Saint Lucia": "St. Lucia", - "Saint Martin": "St. Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "St. Pierre and Miquelon", - "Saint Vincent And Grenadines": "St. Vincent and Grenadines", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "São Tomé and Príncipe", - "Saudi Arabia": "Saudi Arabia", - "Save": "Save", - "Saved.": "Saved.", - "Search": "Search", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Select A New Photo", - "Select Action": "Select Action", - "Select All": "Select All", - "Select All Matching": "Select All Matching", - "Send Password Reset Link": "Send Password Reset Link", - "Senegal": "Senegal", - "September": "September", - "Serbia": "Serbia", "Server Error": "Server Error", "Service Unavailable": "Service Unavailable", - "Seychelles": "Seychelles", - "Show All Fields": "Show All Fields", - "Show Content": "Show Content", - "Show Recovery Codes": "Show Recovery Codes", "Showing": "Showing", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapore", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovakia", - "Slovenia": "Slovenia", - "Solomon Islands": "Solomon Islands", - "Somalia": "Somalia", - "Something went wrong.": "Something went wrong.", - "Sorry! You are not authorized to perform this action.": "Sorry! You are not authorized to perform this action.", - "Sorry, your session has expired.": "Sorry, your session has expired.", - "South Africa": "South Africa", - "South Georgia And Sandwich Isl.": "South Georgia and South Sandwich Islands", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "South Sudan", - "Spain": "Spain", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Start Polling", - "State \/ County": "State \/ County", - "Stop Polling": "Stop Polling", - "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.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard and Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Sweden", - "Switch Teams": "Switch Teams", - "Switzerland": "Switzerland", - "Syrian Arab Republic": "Syria", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tajikistan", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Team Details", - "Team Invitation": "Team Invitation", - "Team Members": "Team Members", - "Team Name": "Team Name", - "Team Owner": "Team Owner", - "Team Settings": "Team Settings", - "Terms of Service": "Terms of Service", - "Thailand": "Thailand", - "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.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "The :attribute must be a valid role.", - "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 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 contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "The :resource was created!", - "The :resource was deleted!": "The :resource was deleted!", - "The :resource was restored!": "The :resource was restored!", - "The :resource was updated!": "The :resource was updated!", - "The action ran successfully!": "The action ran successfully!", - "The file was deleted!": "The file was deleted!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "The government won't let us show you what's behind these doors", - "The HasOne relationship has already been filled.": "The HasOne relationship has already been filled.", - "The payment was successful.": "The payment was successful.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "The resource was updated!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "The team's name and owner information.", - "There are no available options for this resource.": "There are no available options for this resource.", - "There was a problem executing the action.": "There was a problem executing the action.", - "There was a problem submitting the form.": "There was a problem submitting the form.", - "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.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "This action is unauthorized.", - "This device": "This device", - "This file field is read-only.": "This file field is read-only.", - "This image": "This image", - "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 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 payment was already successfully confirmed.": "This payment was already successfully confirmed.", - "This payment was cancelled.": "This payment was cancelled.", - "This resource no longer exists": "This resource no longer exists", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "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.", - "Timor-Leste": "Timor-Leste", "to": "to", - "Today": "Today", "Toggle navigation": "Toggle navigation", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Token Name", - "Tonga": "Tonga", "Too Many Attempts.": "Too Many Attempts.", "Too Many Requests": "Too Many Requests", - "total": "total", - "Total:": "Total:", - "Trashed": "Trashed", - "Trinidad And Tobago": "Trinidad and Tobago", - "Tunisia": "Tunisia", - "Turkey": "Turkey", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Turks and Caicos Islands", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Two Factor Authentication", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.", - "Uganda": "Uganda", - "Ukraine": "Ukraine", "Unauthorized": "Unauthorized", - "United Arab Emirates": "United Arab Emirates", - "United Kingdom": "United Kingdom", - "United States": "United States", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "U.S. Outlying Islands", - "Update": "Update", - "Update & Continue Editing": "Update & Continue Editing", - "Update :resource": "Update :resource", - "Update :resource: :title": "Update :resource: :title", - "Update attached :resource: :title": "Update attached :resource: :title", - "Update Password": "Update Password", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Update your account's profile information and email address.", - "Uruguay": "Uruguay", - "Use a recovery code": "Use a recovery code", - "Use an authentication code": "Use an authentication code", - "Uzbekistan": "Uzbekistan", - "Value": "Value", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Verify Email Address", "Verify Your Email Address": "Verify Your Email Address", - "Viet Nam": "Vietnam", - "View": "View", - "Virgin Islands, British": "British Virgin Islands", - "Virgin Islands, U.S.": "U.S. Virgin Islands", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis and Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "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 will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "We won't ask for your password again for a few hours.", - "We're lost in space. The page you were trying to view does not exist.": "We're lost in space. The page you were trying to view does not exist.", - "Welcome Back!": "Welcome Back!", - "Western Sahara": "Western Sahara", - "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.", - "Whoops": "Whoops", - "Whoops!": "Whoops!", - "Whoops! Something went wrong.": "Whoops! Something went wrong.", - "With Trashed": "With Trashed", - "Write": "Write", - "Year To Date": "Year To Date", - "Yearly": "Yearly", - "Yemen": "Yemen", - "Yes": "Yes", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "You are logged in!", - "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 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 may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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 :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Your email address is not verified.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Your email address is not verified." } diff --git a/locales/fil/packages/cashier.json b/locales/fil/packages/cashier.json new file mode 100644 index 00000000000..d815141a0b5 --- /dev/null +++ b/locales/fil/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "All rights reserved.", + "Card": "Card", + "Confirm Payment": "Confirm Payment", + "Confirm your :amount payment": "Confirm your :amount payment", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", + "Full name": "Full name", + "Go back": "Go back", + "Jane Doe": "Jane Doe", + "Pay :amount": "Pay :amount", + "Payment Cancelled": "Payment Cancelled", + "Payment Confirmation": "Payment Confirmation", + "Payment Successful": "Payment Successful", + "Please provide your name.": "Please provide your name.", + "The payment was successful.": "The payment was successful.", + "This payment was already successfully confirmed.": "This payment was already successfully confirmed.", + "This payment was cancelled.": "This payment was cancelled." +} diff --git a/locales/fil/packages/fortify.json b/locales/fil/packages/fortify.json new file mode 100644 index 00000000000..fa4b05c7684 --- /dev/null +++ b/locales/fil/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 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 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." +} diff --git a/locales/fil/packages/jetstream.json b/locales/fil/packages/jetstream.json new file mode 100644 index 00000000000..0f42c7ba1ac --- /dev/null +++ b/locales/fil/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "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.", + "Accept Invitation": "Accept Invitation", + "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 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", + "Added.": "Added.", + "Administrator": "Administrator", + "Administrator users can perform any action.": "Administrator users can perform any action.", + "All of the people that are part of this team.": "All of the people that are part of this team.", + "Already registered?": "Already registered?", + "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.", + "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 delete this API token?": "Are you sure you would like to delete this API token?", + "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?", + "Browser Sessions": "Browser Sessions", + "Cancel": "Cancel", + "Close": "Close", + "Code": "Code", + "Confirm": "Confirm", + "Confirm Password": "Confirm Password", + "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 API Token": "Create API Token", + "Create New Team": "Create New Team", + "Create Team": "Create Team", + "Created.": "Created.", + "Current Password": "Current Password", + "Dashboard": "Dashboard", + "Delete": "Delete", + "Delete Account": "Delete Account", + "Delete API Token": "Delete API Token", + "Delete Team": "Delete Team", + "Disable": "Disable", + "Done.": "Done.", + "Editor": "Editor", + "Editor users have the ability to read, create, and update.": "Editor users have the ability to read, create, and update.", + "Email": "Email", + "Email Password Reset Link": "Email Password Reset Link", + "Enable": "Enable", + "Ensure your account is using a long, random password to stay secure.": "Ensure your account is using a long, random password to stay secure.", + "For your security, please confirm your password to continue.": "For your security, please confirm your password to continue.", + "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.", + "Great! You have accepted the invitation to join the :team team.": "Great! You have accepted the invitation to join the :team team.", + "I agree to the :terms_of_service and :privacy_policy": "I agree to the :terms_of_service and :privacy_policy", + "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 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 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 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:", + "Last active": "Last active", + "Last used": "Last used", + "Leave": "Leave", + "Leave Team": "Leave Team", + "Log in": "Log in", + "Log Out": "Log Out", + "Log Out Other Browser Sessions": "Log Out Other Browser Sessions", + "Manage Account": "Manage Account", + "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 Role": "Manage Role", + "Manage Team": "Manage Team", + "Name": "Name", + "New Password": "New Password", + "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 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.", + "Password": "Password", + "Pending Team Invitations": "Pending Team Invitations", + "Permanently delete this team.": "Permanently delete this team.", + "Permanently delete your account.": "Permanently delete your account.", + "Permissions": "Permissions", + "Photo": "Photo", + "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 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 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.", + "Privacy Policy": "Privacy Policy", + "Profile": "Profile", + "Profile Information": "Profile Information", + "Recovery Code": "Recovery Code", + "Regenerate Recovery Codes": "Regenerate Recovery Codes", + "Register": "Register", + "Remember me": "Remember me", + "Remove": "Remove", + "Remove Photo": "Remove Photo", + "Remove Team Member": "Remove Team Member", + "Resend Verification Email": "Resend Verification Email", + "Reset Password": "Reset Password", + "Role": "Role", + "Save": "Save", + "Saved.": "Saved.", + "Select A New Photo": "Select A New Photo", + "Show Recovery Codes": "Show Recovery Codes", + "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.", + "Switch Teams": "Switch Teams", + "Team Details": "Team Details", + "Team Invitation": "Team Invitation", + "Team Members": "Team Members", + "Team Name": "Team Name", + "Team Owner": "Team Owner", + "Team Settings": "Team Settings", + "Terms of Service": "Terms of Service", + "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 a valid role.": "The :attribute must be a valid role.", + "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 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 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 team's name and owner information.": "The team's name and owner information.", + "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.", + "This device": "This device", + "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 password does not match our records.": "This password does not match our records.", + "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.", + "Token Name": "Token Name", + "Two Factor Authentication": "Two Factor Authentication", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.", + "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", + "Use an authentication code": "Use an authentication code", + "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.", + "Whoops! Something went wrong.": "Whoops! Something went wrong.", + "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 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." +} diff --git a/locales/fil/packages/nova.json b/locales/fil/packages/nova.json new file mode 100644 index 00000000000..4b295ddfca3 --- /dev/null +++ b/locales/fil/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Days", + "60 Days": "60 Days", + "90 Days": "90 Days", + ":amount Total": ":amount Total", + ":resource Details": ":resource Details", + ":resource Details: :title": ":resource Details: :title", + "Action": "Action", + "Action Happened At": "Happened At", + "Action Initiated By": "Initiated By", + "Action Name": "Name", + "Action Status": "Status", + "Action Target": "Target", + "Actions": "Actions", + "Add row": "Add row", + "Afghanistan": "Afghanistan", + "Aland Islands": "Åland Islands", + "Albania": "Albania", + "Algeria": "Algeria", + "All resources loaded.": "All resources loaded.", + "American Samoa": "American Samoa", + "An error occured while uploading the file.": "An error occured while uploading the file.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Another user has updated this resource since this page was loaded. Please refresh the page and try again.", + "Antarctica": "Antarctica", + "Antigua And Barbuda": "Antigua and Barbuda", + "April": "April", + "Are you sure you want to delete the selected resources?": "Are you sure you want to delete the selected resources?", + "Are you sure you want to delete this file?": "Are you sure you want to delete this file?", + "Are you sure you want to delete this resource?": "Are you sure you want to delete this resource?", + "Are you sure you want to detach the selected resources?": "Are you sure you want to detach the selected resources?", + "Are you sure you want to detach this resource?": "Are you sure you want to detach this resource?", + "Are you sure you want to force delete the selected resources?": "Are you sure you want to force delete the selected resources?", + "Are you sure you want to force delete this resource?": "Are you sure you want to force delete this resource?", + "Are you sure you want to restore the selected resources?": "Are you sure you want to restore the selected resources?", + "Are you sure you want to restore this resource?": "Are you sure you want to restore this resource?", + "Are you sure you want to run this action?": "Are you sure you want to run this action?", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Attach": "Attach", + "Attach & Attach Another": "Attach & Attach Another", + "Attach :resource": "Attach :resource", + "August": "August", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgium", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Saba", + "Bosnia And Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brazil", + "British Indian Ocean Territory": "British Indian Ocean Territory", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Cameroon", + "Canada": "Canada", + "Cancel": "Cancel", + "Cape Verde": "Cape Verde", + "Cayman Islands": "Cayman Islands", + "Central African Republic": "Central African Republic", + "Chad": "Chad", + "Changes": "Changes", + "Chile": "Chile", + "China": "China", + "Choose": "Choose", + "Choose :field": "Choose :field", + "Choose :resource": "Choose :resource", + "Choose an option": "Choose an option", + "Choose date": "Choose date", + "Choose File": "Choose File", + "Choose Type": "Choose Type", + "Christmas Island": "Christmas Island", + "Click to choose": "Click to choose", + "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", + "Colombia": "Colombia", + "Comoros": "Comoros", + "Confirm Password": "Confirm Password", + "Congo": "Congo", + "Congo, Democratic Republic": "Congo, Democratic Republic", + "Constant": "Constant", + "Cook Islands": "Cook Islands", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "could not be found.", + "Create": "Create", + "Create & Add Another": "Create & Add Another", + "Create :resource": "Create :resource", + "Croatia": "Croatia", + "Cuba": "Cuba", + "Curaçao": "Curaçao", + "Customize": "Customize", + "Cyprus": "Cyprus", + "Czech Republic": "Czechia", + "Dashboard": "Dashboard", + "December": "December", + "Decrease": "Decrease", + "Delete": "Delete", + "Delete File": "Delete File", + "Delete Resource": "Delete Resource", + "Delete Selected": "Delete Selected", + "Denmark": "Denmark", + "Detach": "Detach", + "Detach Resource": "Detach Resource", + "Detach Selected": "Detach Selected", + "Details": "Details", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Do you really want to leave? You have unsaved changes.", + "Dominica": "Dominica", + "Dominican Republic": "Dominican Republic", + "Download": "Download", + "Ecuador": "Ecuador", + "Edit": "Edit", + "Edit :resource": "Edit :resource", + "Edit Attached": "Edit Attached", + "Egypt": "Egypt", + "El Salvador": "El Salvador", + "Email Address": "Email Address", + "Equatorial Guinea": "Equatorial Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Ethiopia", + "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", + "Faroe Islands": "Faroe Islands", + "February": "February", + "Fiji": "Fiji", + "Finland": "Finland", + "Force Delete": "Force Delete", + "Force Delete Resource": "Force Delete Resource", + "Force Delete Selected": "Force Delete Selected", + "Forgot Your Password?": "Forgot Your Password?", + "Forgot your password?": "Forgot your password?", + "France": "France", + "French Guiana": "French Guiana", + "French Polynesia": "French Polynesia", + "French Southern Territories": "French Southern Territories", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Germany", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "Go Home", + "Greece": "Greece", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Heard Island and McDonald Islands", + "Hide Content": "Hide Content", + "Hold Up!": "Hold Up!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungary", + "Iceland": "Iceland", + "ID": "ID", + "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.", + "Increase": "Increase", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Iraq", + "Ireland": "Ireland", + "Isle Of Man": "Isle of Man", + "Israel": "Israel", + "Italy": "Italy", + "Jamaica": "Jamaica", + "January": "January", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "July": "July", + "June": "June", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Key": "Key", + "Kiribati": "Kiribati", + "Korea": "South Korea", + "Korea, Democratic People's Republic of": "North Korea", + "Kosovo": "Kosovo", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvia", + "Lebanon": "Lebanon", + "Lens": "Lens", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lithuania", + "Load :perPage More": "Load :perPage More", + "Login": "Login", + "Logout": "Logout", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia": "North Macedonia", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Mali", + "Malta": "Malta", + "March": "March", + "Marshall Islands": "Marshall Islands", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "May": "May", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States Of": "Micronesia", + "Moldova": "Moldova", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Month To Date": "Month To Date", + "Montserrat": "Montserrat", + "Morocco": "Morocco", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Netherlands", + "New": "New", + "New :resource": "New :resource", + "New Caledonia": "New Caledonia", + "New Zealand": "New Zealand", + "Next": "Next", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "No", + "No :resource matched the given criteria.": "No :resource matched the given criteria.", + "No additional information...": "No additional information...", + "No Current Data": "No Current Data", + "No Data": "No Data", + "no file selected": "no file selected", + "No Increase": "No Increase", + "No Prior Data": "No Prior Data", + "No Results Found.": "No Results Found.", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Northern Mariana Islands", + "Norway": "Norway", + "Nova User": "Nova User", + "November": "November", + "October": "October", + "of": "of", + "Oman": "Oman", + "Only Trashed": "Only Trashed", + "Original": "Original", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinian Territories", + "Panama": "Panama", + "Papua New Guinea": "Papua New Guinea", + "Paraguay": "Paraguay", + "Password": "Password", + "Per Page": "Per Page", + "Peru": "Peru", + "Philippines": "Philippines", + "Pitcairn": "Pitcairn Islands", + "Poland": "Poland", + "Portugal": "Portugal", + "Press \/ to search": "Press \/ to search", + "Preview": "Preview", + "Previous": "Previous", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Quarter To Date", + "Reload": "Reload", + "Remember Me": "Remember Me", + "Reset Filters": "Reset Filters", + "Reset Password": "Reset Password", + "Reset Password Notification": "Reset Password Notification", + "resource": "resource", + "Resources": "Resources", + "resources": "resources", + "Restore": "Restore", + "Restore Resource": "Restore Resource", + "Restore Selected": "Restore Selected", + "Reunion": "Réunion", + "Romania": "Romania", + "Run Action": "Run Action", + "Russian Federation": "Russian Federation", + "Rwanda": "Rwanda", + "Saint Barthelemy": "St. Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts And Nevis": "St. Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin": "St. Martin", + "Saint Pierre And Miquelon": "St. Pierre and Miquelon", + "Saint Vincent And Grenadines": "St. Vincent and Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "São Tomé and Príncipe", + "Saudi Arabia": "Saudi Arabia", + "Search": "Search", + "Select Action": "Select Action", + "Select All": "Select All", + "Select All Matching": "Select All Matching", + "Send Password Reset Link": "Send Password Reset Link", + "Senegal": "Senegal", + "September": "September", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Show All Fields": "Show All Fields", + "Show Content": "Show Content", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapore", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Solomon Islands", + "Somalia": "Somalia", + "Something went wrong.": "Something went wrong.", + "Sorry! You are not authorized to perform this action.": "Sorry! You are not authorized to perform this action.", + "Sorry, your session has expired.": "Sorry, your session has expired.", + "South Africa": "South Africa", + "South Georgia And Sandwich Isl.": "South Georgia and South Sandwich Islands", + "South Sudan": "South Sudan", + "Spain": "Spain", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Start Polling", + "Stop Polling": "Stop Polling", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sweden", + "Switzerland": "Switzerland", + "Syrian Arab Republic": "Syria", + "Taiwan": "Taiwan", + "Tajikistan": "Tajikistan", + "Tanzania": "Tanzania", + "Thailand": "Thailand", + "The :resource was created!": "The :resource was created!", + "The :resource was deleted!": "The :resource was deleted!", + "The :resource was restored!": "The :resource was restored!", + "The :resource was updated!": "The :resource was updated!", + "The action ran successfully!": "The action ran successfully!", + "The file was deleted!": "The file was deleted!", + "The government won't let us show you what's behind these doors": "The government won't let us show you what's behind these doors", + "The HasOne relationship has already been filled.": "The HasOne relationship has already been filled.", + "The resource was updated!": "The resource was updated!", + "There are no available options for this resource.": "There are no available options for this resource.", + "There was a problem executing the action.": "There was a problem executing the action.", + "There was a problem submitting the form.": "There was a problem submitting the form.", + "This file field is read-only.": "This file field is read-only.", + "This image": "This image", + "This resource no longer exists": "This resource no longer exists", + "Timor-Leste": "Timor-Leste", + "Today": "Today", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "total": "total", + "Trashed": "Trashed", + "Trinidad And Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turkey", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "United Arab Emirates", + "United Kingdom": "United Kingdom", + "United States": "United States", + "United States Outlying Islands": "U.S. Outlying Islands", + "Update": "Update", + "Update & Continue Editing": "Update & Continue Editing", + "Update :resource": "Update :resource", + "Update :resource: :title": "Update :resource: :title", + "Update attached :resource: :title": "Update attached :resource: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Value": "Value", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "View", + "Virgin Islands, British": "British Virgin Islands", + "Virgin Islands, U.S.": "U.S. Virgin Islands", + "Wallis And Futuna": "Wallis and Futuna", + "We're lost in space. The page you were trying to view does not exist.": "We're lost in space. The page you were trying to view does not exist.", + "Welcome Back!": "Welcome Back!", + "Western Sahara": "Western Sahara", + "Whoops": "Whoops", + "Whoops!": "Whoops!", + "With Trashed": "With Trashed", + "Write": "Write", + "Year To Date": "Year To Date", + "Yemen": "Yemen", + "Yes": "Yes", + "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.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/fil/packages/spark-paddle.json b/locales/fil/packages/spark-paddle.json new file mode 100644 index 00000000000..d3b44a5fcae --- /dev/null +++ b/locales/fil/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Terms of Service", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Whoops! Something went wrong.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/fil/packages/spark-stripe.json b/locales/fil/packages/spark-stripe.json new file mode 100644 index 00000000000..69f478bd749 --- /dev/null +++ b/locales/fil/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afghanistan", + "Albania": "Albania", + "Algeria": "Algeria", + "American Samoa": "American Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarctica", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgium", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brazil", + "British Indian Ocean Territory": "British Indian Ocean Territory", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Cameroon", + "Canada": "Canada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Cape Verde", + "Card": "Card", + "Cayman Islands": "Cayman Islands", + "Central African Republic": "Central African Republic", + "Chad": "Chad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Chile", + "China": "China", + "Christmas Island": "Christmas Island", + "City": "City", + "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", + "Colombia": "Colombia", + "Comoros": "Comoros", + "Confirm Payment": "Confirm Payment", + "Confirm your :amount payment": "Confirm your :amount payment", + "Congo": "Congo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Cook Islands", + "Costa Rica": "Costa Rica", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Croatia", + "Cuba": "Cuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Cyprus", + "Czech Republic": "Czechia", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Denmark", + "Djibouti": "Djibouti", + "Dominica": "Dominica", + "Dominican Republic": "Dominican Republic", + "Download Receipt": "Download Receipt", + "Ecuador": "Ecuador", + "Egypt": "Egypt", + "El Salvador": "El Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Equatorial Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Ethiopia", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", + "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", + "Faroe Islands": "Faroe Islands", + "Fiji": "Fiji", + "Finland": "Finland", + "France": "France", + "French Guiana": "French Guiana", + "French Polynesia": "French Polynesia", + "French Southern Territories": "French Southern Territories", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Germany", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Greece", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungary", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Iceland", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Iraq", + "Ireland": "Ireland", + "Isle of Man": "Isle of Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italy", + "Jamaica": "Jamaica", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "North Korea", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvia", + "Lebanon": "Lebanon", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lithuania", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Mali", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marshall Islands", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Morocco", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Netherlands", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "New Caledonia", + "New Zealand": "New Zealand", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Northern Mariana Islands", + "Norway": "Norway", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinian Territories", + "Panama": "Panama", + "Papua New Guinea": "Papua New Guinea", + "Paraguay": "Paraguay", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Philippines", + "Pitcairn": "Pitcairn Islands", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Poland", + "Portugal": "Portugal", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Romania", + "Russian Federation": "Russian Federation", + "Rwanda": "Rwanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saudi Arabia", + "Save": "Save", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapore", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Solomon Islands", + "Somalia": "Somalia", + "South Africa": "South Africa", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Spain", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sweden", + "Switzerland": "Switzerland", + "Syrian Arab Republic": "Syria", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tajikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Terms of Service", + "Thailand": "Thailand", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turkey", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "United Arab Emirates", + "United Kingdom": "United Kingdom", + "United States": "United States", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Update", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "British Virgin Islands", + "Virgin Islands, U.S.": "U.S. Virgin Islands", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Western Sahara", + "Whoops! Something went wrong.": "Whoops! Something went wrong.", + "Yearly": "Yearly", + "Yemen": "Yemen", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/fr/fr.json b/locales/fr/fr.json index ae489f31322..970281d81c5 100644 --- a/locales/fr/fr.json +++ b/locales/fr/fr.json @@ -1,710 +1,48 @@ { - "30 Days": "30 jours", - "60 Days": "60 jours", - "90 Days": "90 jours", - ":amount Total": ":amount Total", - ":days day trial": ":days jours d'essai", - ":resource Details": "Détails :resource", - ":resource Details: :title": " Détails :resource :title :", "A fresh verification link has been sent to your email address.": "Un nouveau lien de vérification a été envoyé à votre adresse email.", - "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 email que vous avez indiquée lors de votre inscription.", - "Accept Invitation": "Acceptez l'invitation", - "Action": "Action", - "Action Happened At": "Arrivé à", - "Action Initiated By": "Initié par", - "Action Name": "Nom", - "Action Status": "Statut", - "Action Target": "Cible", - "Actions": "Actions", - "Add": "Ajouter", - "Add a new team member to your team, allowing them to collaborate with you.": "Ajouter un nouveau membre de l'équipe à votre équipe, permettant de collaborer avec vous.", - "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 row": "Ajouter un rang", - "Add Team Member": "Ajouter un membre d'équipe", - "Add VAT Number": "Ajouter le numéro de TVA", - "Added.": "Ajouté", - "Address": "Adresse", - "Address Line 2": "Adresse ligne 2", - "Administrator": "Administrateur", - "Administrator users can perform any action.": "Les administrateurs peuvent faire n'importe quelle action.", - "Afghanistan": "Afghanistan", - "Aland Islands": "Åland Islands", - "Albania": "Albanie", - "Algeria": "Algérie", - "All of the people that are part of this team.": "Toutes les personnes qui font partie de cette équipe.", - "All resources loaded.": "Tous les données ont été chargées.", - "All rights reserved.": "Tous droits réservés.", - "Already registered?": "Déjà inscrit(e) ?", - "American Samoa": "Samoa américaines", - "An error occured while uploading the file.": "Une erreur est apparue pendant l'upload du file.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "Une erreur non souhaitée est apparue, et nous avons notifié notre équipe support. Veuillez ré-essayer plus tard.", - "Andorra": "Andorre", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Une autre personne a mis à jour cette donnée depuis que la page a été chargée. Veuillez raffraîchir la page et ré-essayer.", - "Antarctica": "Antarctique", - "Antigua and Barbuda": "Antigua-et-Barbuda", - "Antigua And Barbuda": "Antigua-et-Barbuda", - "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.", - "April": "Avril", - "Are you sure you want to delete the selected resources?": "Etes-vous sûr(e) de vouloir supprimer les données sélectionnées ?", - "Are you sure you want to delete this file?": "Etes-vous sûr(e) de vouloir supprimer ce fichier ?", - "Are you sure you want to delete this resource?": "Etes-vous sûr(e) de vouloir supprimer cette donnée ?", - "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 de vouloir supprimer cette équipe ? Lorsqu'une équipe est supprimée, toutes les données associées seront supprimées de manière définitive.", - "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 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 want to detach the selected resources?": "Etes-vous sûr(e) de vouloir détacher les données sélectionnées ?", - "Are you sure you want to detach this resource?": "Etes-vous sûr(e) de vouloir détacher cette donnée ?", - "Are you sure you want to force delete the selected resources?": "Etes-vous sûr(e) de vouloir forcer la suppression des données sélectionnées ?", - "Are you sure you want to force delete this resource?": "Etes-vous sûr(e) de vouloir forcer la suppression de cette donnée ?", - "Are you sure you want to restore the selected resources?": "Etes-vous sûr(e) de vouloir restaurer les données sélectionnées ?", - "Are you sure you want to restore this resource?": "Etes-vous sûr(e) de vouloir restaurer cette donnée ?", - "Are you sure you want to run this action?": "Etes-vous sûr(e) de vouloir lancer cette action ?", - "Are you sure you would like to delete this API token?": "Êtes-vous sûr de vouloir supprimer ce jeton API ?", - "Are you sure you would like to leave this team?": "Êtes-vous sûr de vouloir quitter cette équipe ?", - "Are you sure you would like to remove this person from the team?": "Êtes-vous sûr de vouloir supprimer cette personne de cette équipe ?", - "Argentina": "Argentine", - "Armenia": "Arménie", - "Aruba": "Aruba", - "Attach": "Attacher", - "Attach & Attach Another": "Attacher & Attacher un autre", - "Attach :resource": "Attacher :resource", - "August": "Août", - "Australia": "Australie", - "Austria": "Autriche", - "Azerbaijan": "Azerbaïdjan", - "Bahamas": "Bahamas", - "Bahrain": "Bahreïn", - "Bangladesh": "Bangladesh", - "Barbados": "Barbades", "Before proceeding, please check your email for a verification link.": "Avant de continuer, veuillez vérifier vos emails, vous devriez avoir reçu un lien de vérification.", - "Belarus": "Biélorussie", - "Belgium": "Belgique", - "Belize": "Bélize", - "Benin": "Bénin", - "Bermuda": "Bermudes", - "Bhutan": "Bhoutan", - "Billing Information": "Informations de facturation", - "Billing Management": "Gestion de la facturation", - "Bolivia": "Bolivie", - "Bolivia, Plurinational State of": "Bolivie", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Saint-Eustache et Saba", - "Bosnia And Herzegovina": "Bosnie-Herzégovine", - "Bosnia and Herzegovina": "Bosnie-Herzégovine", - "Botswana": "Botswana", - "Bouvet Island": "Île Bouvet", - "Brazil": "Brésil", - "British Indian Ocean Territory": "Territoire britannique de l'océan indien", - "Browser Sessions": "Sessions de navigateur", - "Brunei Darussalam": "Brunéi Darussalam", - "Bulgaria": "Bulgarie", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Cambodge", - "Cameroon": "Cameroun", - "Canada": "Canada", - "Cancel": "Annuler", - "Cancel Subscription": "Annuler la souscription", - "Cape Verde": "Cap Vert", - "Card": "Carte", - "Cayman Islands": "Îles Caïmans", - "Central African Republic": "République centrafricaine", - "Chad": "Tchad", - "Change Subscription Plan": "Changer le plan de souscription", - "Changes": "Changements", - "Chile": "Chili", - "China": "Chine", - "Choose": "Choisir", - "Choose :field": "Choisir :field", - "Choose :resource": "Choisir :resource", - "Choose an option": "Choisir une option", - "Choose date": "Choisir date", - "Choose File": "Choisir Fichier", - "Choose Type": "Choisir Type", - "Christmas Island": "Île Christmas", - "City": "Ville", "click here to request another": "cliquez ici pour faire une nouvelle demande", - "Click to choose": "Cliquez pour choisir", - "Close": "Fermer", - "Cocos (Keeling) Islands": "Îles Cocos - Keeling", - "Code": "Code", - "Colombia": "Colombie", - "Comoros": "Comores", - "Confirm": "Confirmer", - "Confirm Password": "Confirmez votre mot de passe", - "Confirm Payment": "Choisir Paiement", - "Confirm your :amount payment": "Choisir votre paiement de :amount", - "Congo": "Congo", - "Congo, Democratic Republic": "République démocratique du Congo", - "Congo, the Democratic Republic of the": "République démocratique du Congo", - "Constant": "Toujours", - "Cook Islands": "Îles Cook", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "ne peut être trouvé.", - "Country": "Pays", - "Coupon": "Coupon", - "Create": "Créer", - "Create & Add Another": "Créer & Ajouter un autre", - "Create :resource": "Créer :resource", - "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 Account": "Créez un compte", - "Create API Token": "Créer un jeton API", - "Create New Team": "Créer une nouvelle équipe", - "Create Team": "Créer l'équipe", - "Created.": "Créé(e).", - "Croatia": "Croatie", - "Cuba": "Cuba", - "Curaçao": "Curaçao", - "Current Password": "Mot de passe actuel", - "Current Subscription Plan": "Plan actuel de souscription", - "Currently Subscribed": "Actuellement souscrit", - "Customize": "Personnaliser", - "Cyprus": "Chypre", - "Czech Republic": "République tchèque", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Tableau de bord", - "December": "Décembre", - "Decrease": "Diminuer", - "Delete": "Supprimer", - "Delete Account": "Supprimer le compte", - "Delete API Token": "Supprimer le jeton API", - "Delete File": "Supprimer Fichier", - "Delete Resource": "Supprimer Donnée", - "Delete Selected": "Supprimer Sélectionné", - "Delete Team": "Supprimer l'équipe", - "Denmark": "Danemark", - "Detach": "Détacher", - "Detach Resource": "Détacher Donnée", - "Detach Selected": "Détacher Sélectionné", - "Details": "Détails", - "Disable": "Désactiver", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Voulez-vous vraiment partier ? Vous avez des données non sauvegardées.", - "Dominica": "Dominique", - "Dominican Republic": "République dominicaine", - "Done.": "Terminé.", - "Download": "Télécharger", - "Download Receipt": "Télécharger le reçu", "E-Mail Address": "Adresse email", - "Ecuador": "Equateur", - "Edit": "Editer", - "Edit :resource": "Editer :resource", - "Edit Attached": "Editer Joint", - "Editor": "Editeur", - "Editor users have the ability to read, create, and update.": "Les éditeurs peuvent lire, créer et mettre à jour", - "Egypt": "Egypte", - "El Salvador": "El Salvador", - "Email": "Email", - "Email Address": "Adresse Email", - "Email Addresses": "Adresses Email", - "Email Password Reset Link": "Lien de réinitialisation du mot de passe", - "Enable": "Activer", - "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", - "Equatorial Guinea": "Guinée équatoriale", - "Eritrea": "Érythrée", - "Estonia": "Estonie", - "Ethiopia": "Ethiopie", - "ex VAT": "ex TVA", - "Extra Billing Information": "Plus d'informations sur la facturation", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Une confirmation supplémentaire est nécessaire pour traiter votre paiement. Veuillez confirmer votre paiement en remplissant vos coordonnées de paiement ci-dessous.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Une confirmation supplémentaire est nécessaire pour traiter votre paiement. Veuillez continuer à la page de paiement en cliquant sur le bouton ci-dessous.", - "Falkland Islands (Malvinas)": "Îles Malouines", - "Faroe Islands": "Îles Féroé", - "February": "Février", - "Fiji": "Fidji", - "Finland": "Finlande", - "For your security, please confirm your password to continue.": "Par mesure de sécurité, veuillez confirmer votre mot de passe pour continuer.", "Forbidden": "Interdit", - "Force Delete": "Forcer la Suppression", - "Force Delete Resource": "Forcer la Suppression de la Donnée", - "Force Delete Selected": "Forcer la Suppression du Sélectionné", - "Forgot Your Password?": "Vous avez oublié votre mot de passe ?", - "Forgot your password?": "Vous avez oublié votre mot de 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.": "Mot de passe oublié ? Pas de soucis. Veuillez nous indiquer votre adresse email et nous vous enverrons un lien de réinitialisation du mot de passe.", - "France": "France", - "French Guiana": "Guyane française", - "French Polynesia": "Polynésie française", - "French Southern Territories": "Terres australes françaises", - "Full name": "Nom complet", - "Gabon": "Gabon", - "Gambia": "Gambie", - "Georgia": "Géorgie", - "Germany": "Allemagne", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Revenir en arrière", - "Go Home": "Aller à l'accueil", "Go to page :page": "Aller à la page :page", - "Great! You have accepted the invitation to join the :team team.": "Super ! Vous avez accepté l'invitation à rejoindre l'équipe :team", - "Greece": "Grèce", - "Greenland": "Groenland", - "Grenada": "Grenade", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernesey", - "Guinea": "Guinée", - "Guinea-Bissau": "Guinée-Bissau", - "Guyana": "Guyana", - "Haiti": "Haïti", - "Have a coupon code?": "Avez-vous un code coupon ?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Vous avez des doutes sur l'annulation de votre abonnement ? Vous pouvez réactiver instantanément votre abonnement à tout moment jusqu'à la fin de votre cycle de facturation actuel. Une fois votre cycle de facturation actuel terminé, vous pouvez choisir un tout nouveau plan d'abonnement.", - "Heard Island & Mcdonald Islands": "Îles Heard et MacDonald", - "Heard Island and McDonald Islands": "Îles Heard et MacDonald", "Hello!": "Bonjour !", - "Hide Content": "Cacher le contenu", - "Hold Up!": "Un instant !", - "Holy See (Vatican City State)": "Cité du Vatican", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Hongrie", - "I agree to the :terms_of_service and :privacy_policy": "Je suis d'accord avec :terms_of_service et :privacy_policy", - "Iceland": "Islande", - "ID": "ID", - "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 sessions de navigateur de tous vos appareils. Certaines de vos sessions sont listées plus bas ; pourtant, cette liste peut ne pas être exhaustive. Si vous sentez que votre compte a été compromis, vous pouvez aussi mettre à jour votre mot de passe.", "If necessary, you may logout 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 sessions de navigateur de tous vos appareils. Certaines de vos sessions sont listées plus bas ; pourtant, cette liste peut ne pas être exhaustive. Si vous sentez que votre compte a été compromis, vous pouvez aussi mettre à jour votre mot de passe.", - "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 receive the email": "Si vous n'avez pas reçu l'email", - "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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "Si vous devez ajouter des coordonnées ou des informations fiscales spécifiques à vos reçus, tels que le nom complet de votre entreprise, votre numéro d'identification TVA ou votre adresse d'enregistrement, vous pouvez les ajouter ici.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Si le bouton \":actionText\" ne fonctionne pas, copiez\/collez l'adresse ci-dessous dans votre navigateur :\n", - "Increase": "Augmenter", - "India": "Inde", - "Indonesia": "Indonésie", "Invalid signature.": "Signature invalide", - "Iran, Islamic Republic of": "Iran,", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Irak", - "Ireland": "Irlande", - "Isle of Man": "Île de Man", - "Isle Of Man": "Île de Man", - "Israel": "Israël", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "Il semble que vous n'ayez pas d'abonnement actif. Vous pouvez choisir l'un des plans d'abonnement ci-dessous pour commencer. Les plans d'abonnement peuvent être modifiés ou annulés à votre convenance.", - "Italy": "Italie", - "Jamaica": "Jamaïque", - "January": "Janvier", - "Japan": "Japon", - "Jersey": "Jersey", - "Jordan": "Jordanie", - "July": "Juillet", - "June": "Juin", - "Kazakhstan": "Kazakhstan", - "Kenya": "Kenya", - "Key": "Clé", - "Kiribati": "Kiribati", - "Korea": "Corée du Sud", - "Korea, Democratic People's Republic of": "Corée du Nord", - "Korea, Republic of": "Corée du Sud", - "Kosovo": "Kosovo", - "Kuwait": "Koweït", - "Kyrgyzstan": "Kirghizistan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Dernier actif", - "Last used": "Dernière utilisation", - "Latvia": "Lettonie", - "Leave": "Quitter", - "Leave Team": "Quitter l'équipe", - "Lebanon": "Liban", - "Lens": "Objectif", - "Lesotho": "Lesotho", - "Liberia": "Libéria", - "Libyan Arab Jamahiriya": "Libye", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Lituanie", - "Load :perPage More": "Charger :perPage plus", - "Log in": "Connexion", "Log out": "Déconnexion", - "Log Out": "Déconnexion", - "Log Out Other Browser Sessions": "Déconnecter les sessions ouvertes sur d'autres navigateurs", - "Login": "Connexion", - "Logout": "Déconnexion", "Logout Other Browser Sessions": "Déconnecter les sessions ouvertes sur d'autres navigateurs", - "Luxembourg": "Luxembourg", - "Macao": "Macao", - "Macedonia": "Macédoine", - "Macedonia, the former Yugoslav Republic of": "Macédoine", - "Madagascar": "Madagascar", - "Malawi": "Malawi", - "Malaysia": "Malaisie", - "Maldives": "Maldives", - "Mali": "Mali", - "Malta": "Malte", - "Manage Account": "Gérer le compte", - "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 and logout 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 Role": "Gérer le rôle", - "Manage Team": "Gérer l'équipe", - "Managing billing for :billableName": "Gestion de la facturation pour :billableName", - "March": "Mars", - "Marshall Islands": "Îles Marshall", - "Martinique": "Martinique", - "Mauritania": "Mauritanie", - "Mauritius": "Maurice", - "May": "Mai", - "Mayotte": "Mayotte", - "Mexico": "Mexique", - "Micronesia, Federated States Of": "Micronésie", - "Moldova": "Moldavie", - "Moldova, Republic of": "Moldavie", - "Monaco": "Monaco", - "Mongolia": "Mongolie", - "Montenegro": "Monténégro", - "Month To Date": "Mois du jour", - "Monthly": "Mensuellement", - "monthly": "mensuellement", - "Montserrat": "Montserrat", - "Morocco": "Maroc", - "Mozambique": "Mozambique", - "Myanmar": "Myanmar", - "Name": "Nom", - "Namibia": "Namibie", - "Nauru": "Nauru", - "Nepal": "Népal", - "Netherlands": "Pays-Bas", - "Netherlands Antilles": "Antilles néerlandaises", "Nevermind": "Peu importe", - "Nevermind, I'll keep my old plan": "Peu importe, je vais garder mon ancien plan", - "New": "Nouveau", - "New :resource": "Nouveau :resource", - "New Caledonia": "Nouvelle Calédonie", - "New Password": "Nouveau mot de passe", - "New Zealand": "Nouvelle Zélande", - "Next": "Suivant", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigéria", - "Niue": "Niue", - "No": "Non", - "No :resource matched the given criteria.": "Aucune :resource ne correspond aux critières demandés.", - "No additional information...": "Pas d'information supplémentaire...", - "No Current Data": "Pas de donnée actuelle", - "No Data": "Pas de donnée", - "no file selected": "pas de fichier sélectionné", - "No Increase": "Ne pas augmenter", - "No Prior Data": "Aucune donnée prioritaire", - "No Results Found.": "Aucun résultat trouvé.", - "Norfolk Island": "Île Norfolk", - "Northern Mariana Islands": "Îles Mariannes du Nord", - "Norway": "Norvège", "Not Found": "Non trouvé", - "Nova User": "Utilisateur Nova", - "November": "Novembre", - "October": "Octobre", - "of": "de", "Oh no": "Oh non", - "Oman": "Oman", - "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.": "Une fois qu'une équipe est supprimée, toutes ses données seront supprimées définitivement. Avant de supprimer cette équipe, veuillez télécharger toutes données ou informations de cette équipe.", - "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 Trashed": "Seulement les mis à la corbeille", - "Original": "Original", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Notre portail de gestion de la facturation vous permet de gérer facilement votre abonnement, votre mode de paiement et de télécharger vos factures récentes.", "Page Expired": "Page expirée", "Pagination Navigation": "Pagination", - "Pakistan": "Pakistan", - "Palau": "Palaos", - "Palestinian Territory, Occupied": "Territoire palestinien", - "Panama": "Panama", - "Papua New Guinea": "Papouasie Nouvelle Guinée", - "Paraguay": "Paraguay", - "Password": "Mot de passe", - "Pay :amount": "Payer :amount", - "Payment Cancelled": "Paiement annulé", - "Payment Confirmation": "Confirmation de paiement", - "Payment Information": "Information de paiement", - "Payment Successful": "Paiement effectué", - "Pending Team Invitations": "Invitations d'équipe en attente", - "Per Page": "Par Page", - "Permanently delete this team.": "Supprimer définitivement cette team.", - "Permanently delete your account.": "Supprimer définitivement ce compte.", - "Permissions": "Permissions", - "Peru": "Pérou", - "Philippines": "Philippines", - "Photo": "Image", - "Pitcairn": "Pitcairn Islands", "Please click the button below to verify your email address.": "Veuillez cliquer sur le bouton ci-dessous pour vérifier votre adresse email :", - "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 your password before continuing.": "Veuillez confirmer votre mot de passe avant de continuer", - "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 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 navigateur sur l'ensemble de vos appareils.", "Please enter your password to confirm you would like to logout 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 navigateur sur l'ensemble de vos appareils.", - "Please provide a maximum of three receipt emails addresses.": "Veuillez fournir un maximum de trois adresses e-mail de réception.", - "Please provide the email address of the person you would like to add to this team.": "Veuillez indiquer l'adresse email de la personne que vous souhaitez ajouter à cette équipe.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Veuillez renseigner l'adresse email de la personne que vous voulez ajouter à cette équipe. L'adresse email doit être associée à un compte existant.", - "Please provide your name.": "Veuillez indiquer votre nom.", - "Poland": "Pologne", - "Portugal": "Portugal", - "Press \/ to search": "Presser \/ pour faire une recherche", - "Preview": "Aperçu", - "Previous": "Précédent", - "Privacy Policy": "Politique de confidentialité", - "Profile": "Profil", - "Profile Information": "Information du profil", - "Puerto Rico": "Porto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Trimestre du jour", - "Receipt Email Addresses": "Réception Adresses E-Mail", - "Receipts": "Réceptions", - "Recovery Code": "Code de récupération", "Regards": "Cordialement", - "Regenerate Recovery Codes": "Régénérer les codes de récupération", - "Register": "Inscription", - "Reload": "Recharger", - "Remember me": "Se souvenir de moi", - "Remember Me": "Se souvenir de moi", - "Remove": "Supprimer", - "Remove Photo": "Supprimer l'image", - "Remove Team Member": "Supprimer le membre d'équipe", - "Resend Verification Email": "Renvoyer l'email de vérification", - "Reset Filters": "Réinitialisation des filtres", - "Reset Password": "Réinitialisation du mot de passe", - "Reset Password Notification": "Notification de réinitialisation du mot de passe", - "resource": "donnée", - "Resources": "Données", - "resources": "données", - "Restore": "Restaurer", - "Restore Resource": "Restaurer Donnée", - "Restore Selected": "Restaurer Sélectionné", "results": "résultats", - "Resume Subscription": "Reprendre la souscription", - "Return to :appName": "Retour à :appName", - "Reunion": "Réunion", - "Role": "Rôle", - "Romania": "Roumanie", - "Run Action": "Lancer l'action", - "Russian Federation": "Russie", - "Rwanda": "Rwanda", - "Réunion": "Réunion", - "Saint Barthelemy": "Saint-Barthélémy", - "Saint Barthélemy": "Saint-Barthélemy", - "Saint Helena": "Sainte-Hélène", - "Saint Kitts and Nevis": "Saint-Kitts-et-Nevis", - "Saint Kitts And Nevis": "Saint-Kitts-et-Nevis", - "Saint Lucia": "Sainte-Lucie", - "Saint Martin": "Saint-Martin", - "Saint Martin (French part)": "Saint Martin", - "Saint Pierre and Miquelon": "Saint-Pierre-et-Miquelon", - "Saint Pierre And Miquelon": "Saint-Pierre-et-Miquelon", - "Saint Vincent And Grenadines": "Saint-Vincent-et-les Grenadines", - "Saint Vincent and the Grenadines": "Saint-Vincent-et-les Grenadines", - "Samoa": "Samoa", - "San Marino": "Saint-Marin", - "Sao Tome and Principe": "Sao Tomé-et-Principe", - "Sao Tome And Principe": "Sao Tomé-et-Principe", - "Saudi Arabia": "Arabie Saoudite", - "Save": "Sauvegarder", - "Saved.": "Sauvegardé.", - "Search": "Rechercher", - "Select": "Sélectionner", - "Select a different plan": "Sélectionner un plan différent", - "Select A New Photo": "Sélectionner une nouvelle image", - "Select Action": "Sélectionner Action", - "Select All": "Sélectionner Tous", - "Select All Matching": "Sélectionnez tous les correspondants", - "Send Password Reset Link": "Envoyer le lien de réinitialisation du mot de passe", - "Senegal": "Sénégal", - "September": "Septembre", - "Serbia": "Serbie", "Server Error": "Erreur serveur", "Service Unavailable": "Service indisponible", - "Seychelles": "Seychelles", - "Show All Fields": "Montrer Tous les Champs", - "Show Content": "Montrer Contenu", - "Show Recovery Codes": "Voir les codes de récupération", "Showing": "Montrant", - "Sierra Leone": "Sierra Léone", - "Signed in as": "Signé en tant que", - "Singapore": "Singapour", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovaquie", - "Slovenia": "Slovénie", - "Solomon Islands": "Îles Salomon", - "Somalia": "Somalie", - "Something went wrong.": "Quelque chose s'est mal passé.", - "Sorry! You are not authorized to perform this action.": "Désolé ! Vous n'êtes pas autorisé(e) à effectuer cette action.", - "Sorry, your session has expired.": "Désolé, votre session a expiré.", - "South Africa": "Afrique du Sud", - "South Georgia And Sandwich Isl.": "Géorgie du Sud et les îles Sandwich du Sud", - "South Georgia and the South Sandwich Islands": "Géorgie du Sud et les îles Sandwich du Sud", - "South Sudan": "Sud Soudan", - "Spain": "Espagne", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Démarrer le vote", - "State \/ County": "Etat \/ Région", - "Stop Polling": "Arrêter le vote", - "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.", - "Subscribe": "Souscrire", - "Subscription Information": "Information de souscription", - "Sudan": "Soudan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard et Île Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Suède", - "Switch Teams": "Permuter les équipes", - "Switzerland": "Suisse", - "Syrian Arab Republic": "Syrie", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan", - "Tajikistan": "Tadjikistan", - "Tanzania": "Tanzanie", - "Tanzania, United Republic of": "Tanzanie", - "Team Details": "Détails de l'équipe", - "Team Invitation": "Invitation d'équipe", - "Team Members": "Membres de l'équipe", - "Team Name": "Nom de l'équipe", - "Team Owner": "Propriétaire de l'équipe", - "Team Settings": "Préférences de l'équipe", - "Terms of Service": "Conditions d'utilisation", - "Thailand": "Thaïlande", - "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, veuillez vérifier votre adresse email en cliquant sur le lien que nous venons de vous envoyer. Si vous n'avez pas reçu cet email, nous vous en enverrons un nouveau avec plaisir.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Merci pour votre soutien continu. Nous avons joint une copie de votre facture pour vos dossiers. Veuillez nous faire savoir si vous avez des questions ou des préoccupations.", - "Thanks,": "Merci,", - "The :attribute must be a valid role.": "Le :attribute doit être un rôle valide.", - "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 and one number.": "Le champ :attribute doit avoir au moins :length caractères et contenir au moins un caractère spécial et un nombre.", - "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.", - "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 at least :length characters and contain at least one uppercase character, one number, and one special character.": "Le champ :attribute doit avoir au moins :length caractères, et contenir au moins une majuscule, un chiffre et un caractère spécial.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": "Le champ :attribute doit avoir au moins :length caractères et au moins une majuscule.", - "The :attribute must be at least :length characters.": "Le champ :attribute doit avoir au moins :length caractères.", "The :attribute must contain at least one letter.": "Le champ :attribute doit avoir au moins une lettre.", "The :attribute must contain at least one number.": "Le champ :attribute doit avoir au moins un numéro.", "The :attribute must contain at least one symbol.": "Le champ :attribute doit avoir au moins un symbole.", "The :attribute must contain at least one uppercase and one lowercase letter.": "Le champ :attribute doit avoir au moins une lettre majuscule et une lettre minuscule.", - "The :resource was created!": "La donnée :resource a été créée !", - "The :resource was deleted!": "La donnée :resource a été supprimée !", - "The :resource was restored!": "La donnée :resource a été restaurée !", - "The :resource was updated!": "La donnée :resource a été mise à jour !", - "The action ran successfully!": "L'action s'est déroulée avec succès !", - "The file was deleted!": "Le fichier a été supprimé !", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "La valeur du champ :attribute est apparue dans une fuite de données. Veuillez choisir une valeur différente.", - "The government won't let us show you what's behind these doors": "Le gouvernement ne nous laissera pas vous montrer ce qui se cache derrière ces portes", - "The HasOne relationship has already been filled.": "La relation a déjà été remplie.", - "The payment was successful.": "Le paiement a réussi.", - "The provided coupon code is invalid.": "Le code de coupon fourni n'est pas valide.", - "The provided password does not match your current password.": "Le mot de passe indiqué ne correspond pas à votre mot de passe actuel.", - "The provided password was incorrect.": "Le mot de passé indiqué est incorrect.", - "The provided two factor authentication code was invalid.": "Le code d'authentification double facteur fourni est incorrect.", - "The provided VAT number is invalid.": "Le numéro de TVA fourni n'est pas valide.", - "The receipt emails must be valid email addresses.": "Les emails de réception doivent être des adresses email valides.", - "The resource was updated!": "La donnée a été mise à jour !", - "The selected country is invalid.": "Le pays sélectionné est invalide.", - "The selected plan is invalid.": "Le plan sélectionné est invalide.", - "The team's name and owner information.": "Les informations concernant l'équipe et son propriétaire.", - "There are no available options for this resource.": "Il n'y a pas d'options disponibles pour cette donnée.", - "There was a problem executing the action.": "Il y avait un problème lors de l'exécution de l'action.", - "There was a problem submitting the form.": "Il y avait un problème pour soumettre le formulaire.", - "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é à rejoindre votre équipe et ont été prévenues avec une email d'invitation. Ils peuvent rejoindre l'équipe grâce à l'email d'invitation.", - "This account does not have an active subscription.": "Ce compte n'est pas de souscription active.", "This action is unauthorized.": "Cette action n'est pas autorisée.", - "This device": "Cet appareil", - "This file field is read-only.": "Ce champ de fichier est en lecture seule.", - "This image": "Cette image", - "This is a secure area of the application. Please confirm your password before continuing.": "C'est une zone sécurisée de l'application. Veuillez confirmer votre mot de passe avant de continuer.", - "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 payment was already successfully confirmed.": "Ce paiement a déjà été confirmé avec succès.", - "This payment was cancelled.": "Ce paiement a été annulé.", - "This resource no longer exists": "Cette donnée n'existe plus", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "Cette souscription a expiré et ne peut être reprise. Veuillez en créer une nouvelle.", - "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.", - "Timor-Leste": "Timor oriental", "to": "à", - "Today": "Aujourd'hui", "Toggle navigation": "Basculer la navigation", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Nom du jeton", - "Tonga": "Tonga", "Too Many Attempts.": "Trop de tentatives.", "Too Many Requests": "Trop de requêtes", - "total": "total", - "Total:": "Total:", - "Trashed": "Mettre à la corbeille", - "Trinidad And Tobago": "Trinidad et Tobago", - "Tunisia": "Tunisie", - "Turkey": "Turquie", - "Turkmenistan": "Turkménistan", - "Turks and Caicos Islands": "Îles Turks et Caïques", - "Turks And Caicos Islands": "Îles Turks et Caïques", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Double authentification", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "L'authentification à deux facteurs est maintenant activée. Enregistrez ce QR code dans votre application d'authentification.", - "Uganda": "Ouganda", - "Ukraine": "Ukraine", "Unauthorized": "Non autorisé", - "United Arab Emirates": "Emirats Arabes Unis", - "United Kingdom": "Royaume-Uni", - "United States": "Etats-Unis", - "United States Minor Outlying Islands": "Îles Mineures Éloignées des États-Unis", - "United States Outlying Islands": "Îles Mineures Éloignées des États-Unis", - "Update": "Mettre à jour", - "Update & Continue Editing": "Mettre à jour & Continuer à éditer", - "Update :resource": "Mettre à jour :resource", - "Update :resource: :title": "Mettre à jour :resource : :title", - "Update attached :resource: :title": "Mettre à jour :resource attaché : :title", - "Update Password": "Mettre à jour le mot de passe", - "Update Payment Information": "Mettre à jour les informations de paiement", - "Update your account's profile information and email address.": "Modifier le profil associé à votre compte ainsi que votre adresse email.", - "Uruguay": "Uruguay", - "Use a recovery code": "Utilisez un code de récupération", - "Use an authentication code": "Utilisez un code d'authentification", - "Uzbekistan": "Ouzbékistan", - "Value": "Valeur", - "Vanuatu": "Vanuatu", - "VAT Number": "Numéro de TVA", - "Venezuela": "Vénézuela", - "Venezuela, Bolivarian Republic of": "Vénézuela", "Verify Email Address": "Vérification de l'adresse email", "Verify Your Email Address": "Vérifiez votre adresse email", - "Viet Nam": "Vietnam", - "View": "Vue", - "Virgin Islands, British": "Îles Vierges britanniques", - "Virgin Islands, U.S.": "Îles Vierges des États-Unis", - "Wallis and Futuna": "Wallis et Futuna", - "Wallis And Futuna": "Wallis et Futuna", - "We are unable to process your payment. Please contact customer support.": "Nous ne sommes pas en mesure de traiter votre paiement. Veuillez contacter le support client.", - "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 will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "Nous enverrons un lien de téléchargement de reçu aux adresses e-mail que vous spécifiez ci-dessous. Vous pouvez séparer plusieurs adresses e-mail à l'aide de virgules.", "We won't ask for your password again for a few hours.": "Nous ne vous demanderons plus votre mot de passe pour quelques heures", - "We're lost in space. The page you were trying to view does not exist.": "Nous sommes perdus dans l'espce. La page que vous essayez de voir n'existe pas.", - "Welcome Back!": "Bienvenue !", - "Western Sahara": "Sahara occidental", - "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.", - "Whoops": "Oups", - "Whoops!": "Oups !", - "Whoops! Something went wrong.": "Oups ! Un problème est survenu.", - "With Trashed": "Avec ceux mis à la corbeille", - "Write": "Ecrire", - "Year To Date": "Année du Jour", - "Yearly": "Annuellement", - "Yemen": "Yémen", - "Yes": "Oui", - "You are currently within your free trial period. Your trial will expire on :date.": "Vous êtes actuellement dans votre période d'essai gratuit. Votre essai expirera le: date.", "You are logged in!": "Vous êtes connecté !", - "You are receiving this email because we received a password reset request for your account.": "Vous recevez cet email car nous avons reçu une demande de réinitialisation de mot de passe pour votre compte.", - "You have been invited to join the :team team!": "Vous avez été invité à rejoindre l'équipe :team !", - "You have enabled two factor authentication.": "Vous avez activé la double authentification.", - "You have not enabled two factor authentication.": "Vous n'avez pas activé la double authentification.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "Vous pouvez résilier votre abonnement à tout moment. Une fois votre abonnement annulé, vous aurez la possibilité de le reprendre jusqu'à la fin de votre cycle de facturation actuel.", - "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.", - "Your :invoiceName invoice is now available!": "Votre facture :invoiceName est maintenant disponible !", - "Your card was declined. Please contact your card issuer for more information.": "Votre carte a été refusée. Veuillez contacter l'émetteur de votre carte pour plus d'informations.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Votre mode de paiement actuel est une carte de crédit se terminant par :lastFour qui expire le :expiration.", - "Your email address is not verified.": "Votre adresse email n'a pas été vérifiée.", - "Your registered VAT Number is :vatNumber.": "Votre numéro de TVA enregistré est :vatNumber.", - "Zambia": "Zambie", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Code postal" + "Your email address is not verified.": "Votre adresse email n'a pas été vérifiée." } diff --git a/locales/fr/packages/cashier.json b/locales/fr/packages/cashier.json new file mode 100644 index 00000000000..dbe58e19873 --- /dev/null +++ b/locales/fr/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Tous droits réservés.", + "Card": "Carte", + "Confirm Payment": "Choisir Paiement", + "Confirm your :amount payment": "Choisir votre paiement de :amount", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Une confirmation supplémentaire est nécessaire pour traiter votre paiement. Veuillez confirmer votre paiement en remplissant vos coordonnées de paiement ci-dessous.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Une confirmation supplémentaire est nécessaire pour traiter votre paiement. Veuillez continuer à la page de paiement en cliquant sur le bouton ci-dessous.", + "Full name": "Nom complet", + "Go back": "Revenir en arrière", + "Jane Doe": "Jane Doe", + "Pay :amount": "Payer :amount", + "Payment Cancelled": "Paiement annulé", + "Payment Confirmation": "Confirmation de paiement", + "Payment Successful": "Paiement effectué", + "Please provide your name.": "Veuillez indiquer votre nom.", + "The payment was successful.": "Le paiement a réussi.", + "This payment was already successfully confirmed.": "Ce paiement a déjà été confirmé avec succès.", + "This payment was cancelled.": "Ce paiement a été annulé." +} diff --git a/locales/fr/packages/fortify.json b/locales/fr/packages/fortify.json new file mode 100644 index 00000000000..b9cd3c31174 --- /dev/null +++ b/locales/fr/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and one number.": "Le champ :attribute doit avoir au moins :length caractères et contenir au moins un caractère spécial et un nombre.", + "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.", + "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 at least :length characters and contain at least one uppercase character, one number, and one special character.": "Le champ :attribute doit avoir au moins :length caractères, et contenir au moins une majuscule, un chiffre et un caractère spécial.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Le champ :attribute doit avoir au moins :length caractères et au moins une majuscule.", + "The :attribute must be at least :length characters.": "Le champ :attribute doit avoir au moins :length caractères.", + "The provided password does not match your current password.": "Le mot de passe indiqué ne correspond pas à votre mot de passe actuel.", + "The provided password was incorrect.": "Le mot de passé indiqué est incorrect.", + "The provided two factor authentication code was invalid.": "Le code d'authentification double facteur fourni est incorrect." +} diff --git a/locales/fr/packages/jetstream.json b/locales/fr/packages/jetstream.json new file mode 100644 index 00000000000..f54ea432191 --- /dev/null +++ b/locales/fr/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "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 email que vous avez indiquée lors de votre inscription.", + "Accept Invitation": "Acceptez l'invitation", + "Add": "Ajouter", + "Add a new team member to your team, allowing them to collaborate with you.": "Ajouter un nouveau membre de l'équipe à votre équipe, permettant de collaborer avec vous.", + "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 Team Member": "Ajouter un membre d'équipe", + "Added.": "Ajouté", + "Administrator": "Administrateur", + "Administrator users can perform any action.": "Les administrateurs peuvent faire n'importe quelle action.", + "All of the people that are part of this team.": "Toutes les personnes qui font partie de cette équipe.", + "Already registered?": "Déjà inscrit(e) ?", + "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.", + "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 de vouloir supprimer cette équipe ? Lorsqu'une équipe est supprimée, toutes les données associées seront supprimées de manière définitive.", + "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 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 delete this API token?": "Êtes-vous sûr de vouloir supprimer ce jeton API ?", + "Are you sure you would like to leave this team?": "Êtes-vous sûr de vouloir quitter cette équipe ?", + "Are you sure you would like to remove this person from the team?": "Êtes-vous sûr de vouloir supprimer cette personne de cette équipe ?", + "Browser Sessions": "Sessions de navigateur", + "Cancel": "Annuler", + "Close": "Fermer", + "Code": "Code", + "Confirm": "Confirmer", + "Confirm Password": "Confirmez votre mot de passe", + "Create": "Créer", + "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 Account": "Créez un compte", + "Create API Token": "Créer un jeton API", + "Create New Team": "Créer une nouvelle équipe", + "Create Team": "Créer l'équipe", + "Created.": "Créé(e).", + "Current Password": "Mot de passe actuel", + "Dashboard": "Tableau de bord", + "Delete": "Supprimer", + "Delete Account": "Supprimer le compte", + "Delete API Token": "Supprimer le jeton API", + "Delete Team": "Supprimer l'équipe", + "Disable": "Désactiver", + "Done.": "Terminé.", + "Editor": "Editeur", + "Editor users have the ability to read, create, and update.": "Les éditeurs peuvent lire, créer et mettre à jour", + "Email": "Email", + "Email Password Reset Link": "Lien de réinitialisation du mot de passe", + "Enable": "Activer", + "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", + "For your security, please confirm your password to continue.": "Par mesure de sécurité, veuillez confirmer votre mot de passe pour continuer.", + "Forgot your password?": "Vous avez oublié votre mot de 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.": "Mot de passe oublié ? Pas de soucis. Veuillez nous indiquer votre adresse email et nous vous enverrons un lien de réinitialisation du mot de passe.", + "Great! You have accepted the invitation to join the :team team.": "Super ! Vous avez accepté l'invitation à rejoindre l'équipe :team", + "I agree to the :terms_of_service and :privacy_policy": "Je suis d'accord avec :terms_of_service et :privacy_policy", + "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 sessions de navigateur de tous vos appareils. Certaines de vos sessions sont listées plus bas ; pourtant, cette liste peut ne pas être exhaustive. Si vous sentez que votre compte a été compromis, vous pouvez aussi mettre à jour votre mot de passe.", + "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 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 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 :", + "Last active": "Dernier actif", + "Last used": "Dernière utilisation", + "Leave": "Quitter", + "Leave Team": "Quitter l'équipe", + "Log in": "Connexion", + "Log Out": "Déconnexion", + "Log Out Other Browser Sessions": "Déconnecter les sessions ouvertes sur d'autres navigateurs", + "Manage Account": "Gérer le compte", + "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 Role": "Gérer le rôle", + "Manage Team": "Gérer l'équipe", + "Name": "Nom", + "New Password": "Nouveau mot de passe", + "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.": "Une fois qu'une équipe est supprimée, toutes ses données seront supprimées définitivement. Avant de supprimer cette équipe, veuillez télécharger toutes données ou informations de cette équipe.", + "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.", + "Password": "Mot de passe", + "Pending Team Invitations": "Invitations d'équipe en attente", + "Permanently delete this team.": "Supprimer définitivement cette team.", + "Permanently delete your account.": "Supprimer définitivement ce compte.", + "Permissions": "Permissions", + "Photo": "Image", + "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 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 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 navigateur sur l'ensemble de vos appareils.", + "Please provide the email address of the person you would like to add to this team.": "Veuillez indiquer l'adresse email de la personne que vous souhaitez ajouter à cette équipe.", + "Privacy Policy": "Politique de confidentialité", + "Profile": "Profil", + "Profile Information": "Information du profil", + "Recovery Code": "Code de récupération", + "Regenerate Recovery Codes": "Régénérer les codes de récupération", + "Register": "Inscription", + "Remember me": "Se souvenir de moi", + "Remove": "Supprimer", + "Remove Photo": "Supprimer l'image", + "Remove Team Member": "Supprimer le membre d'équipe", + "Resend Verification Email": "Renvoyer l'email de vérification", + "Reset Password": "Réinitialisation du mot de passe", + "Role": "Rôle", + "Save": "Sauvegarder", + "Saved.": "Sauvegardé.", + "Select A New Photo": "Sélectionner une nouvelle image", + "Show Recovery Codes": "Voir les codes de récupération", + "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.", + "Switch Teams": "Permuter les équipes", + "Team Details": "Détails de l'équipe", + "Team Invitation": "Invitation d'équipe", + "Team Members": "Membres de l'équipe", + "Team Name": "Nom de l'équipe", + "Team Owner": "Propriétaire de l'équipe", + "Team Settings": "Préférences de l'équipe", + "Terms of Service": "Conditions d'utilisation", + "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, veuillez vérifier votre adresse email en cliquant sur le lien que nous venons de vous envoyer. Si vous n'avez pas reçu cet email, nous vous en enverrons un nouveau avec plaisir.", + "The :attribute must be a valid role.": "Le :attribute doit être un rôle valide.", + "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 and one number.": "Le champ :attribute doit avoir au moins :length caractères et contenir au moins un caractère spécial et un nombre.", + "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.", + "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 at least :length characters and contain at least one uppercase character, one number, and one special character.": "Le champ :attribute doit avoir au moins :length caractères, et contenir au moins une majuscule, un chiffre et un caractère spécial.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Le champ :attribute doit avoir au moins :length caractères et au moins une majuscule.", + "The :attribute must be at least :length characters.": "Le champ :attribute doit avoir au moins :length caractères.", + "The provided password does not match your current password.": "Le mot de passe indiqué ne correspond pas à votre mot de passe actuel.", + "The provided password was incorrect.": "Le mot de passé indiqué est incorrect.", + "The provided two factor authentication code was invalid.": "Le code d'authentification double facteur fourni est incorrect.", + "The team's name and owner information.": "Les informations concernant l'équipe et son propriétaire.", + "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é à rejoindre votre équipe et ont été prévenues avec une email d'invitation. Ils peuvent rejoindre l'équipe grâce à l'email d'invitation.", + "This device": "Cet appareil", + "This is a secure area of the application. Please confirm your password before continuing.": "C'est une zone sécurisée de l'application. Veuillez confirmer votre mot de passe avant de continuer.", + "This password does not match our records.": "Ce mot de passe ne correspond pas à nos enregistrements.", + "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.", + "Token Name": "Nom du jeton", + "Two Factor Authentication": "Double authentification", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "L'authentification à deux facteurs est maintenant activée. Enregistrez ce QR code dans votre application d'authentification.", + "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 email.", + "Use a recovery code": "Utilisez un code de récupération", + "Use an authentication code": "Utilisez un code d'authentification", + "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.", + "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.", + "Whoops! Something went wrong.": "Oups ! Un problème est survenu.", + "You have been invited to join the :team team!": "Vous avez été invité à rejoindre l'équipe :team !", + "You have enabled two factor authentication.": "Vous avez activé la double authentification.", + "You have not enabled two factor authentication.": "Vous n'avez pas activé la double authentification.", + "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.": "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." +} diff --git a/locales/fr/packages/nova.json b/locales/fr/packages/nova.json new file mode 100644 index 00000000000..89f818264c7 --- /dev/null +++ b/locales/fr/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 jours", + "60 Days": "60 jours", + "90 Days": "90 jours", + ":amount Total": ":amount Total", + ":resource Details": "Détails :resource", + ":resource Details: :title": " Détails :resource :title :", + "Action": "Action", + "Action Happened At": "Arrivé à", + "Action Initiated By": "Initié par", + "Action Name": "Nom", + "Action Status": "Statut", + "Action Target": "Cible", + "Actions": "Actions", + "Add row": "Ajouter un rang", + "Afghanistan": "Afghanistan", + "Aland Islands": "Åland Islands", + "Albania": "Albanie", + "Algeria": "Algérie", + "All resources loaded.": "Tous les données ont été chargées.", + "American Samoa": "Samoa américaines", + "An error occured while uploading the file.": "Une erreur est apparue pendant l'upload du file.", + "Andorra": "Andorre", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Une autre personne a mis à jour cette donnée depuis que la page a été chargée. Veuillez raffraîchir la page et ré-essayer.", + "Antarctica": "Antarctique", + "Antigua And Barbuda": "Antigua-et-Barbuda", + "April": "Avril", + "Are you sure you want to delete the selected resources?": "Etes-vous sûr(e) de vouloir supprimer les données sélectionnées ?", + "Are you sure you want to delete this file?": "Etes-vous sûr(e) de vouloir supprimer ce fichier ?", + "Are you sure you want to delete this resource?": "Etes-vous sûr(e) de vouloir supprimer cette donnée ?", + "Are you sure you want to detach the selected resources?": "Etes-vous sûr(e) de vouloir détacher les données sélectionnées ?", + "Are you sure you want to detach this resource?": "Etes-vous sûr(e) de vouloir détacher cette donnée ?", + "Are you sure you want to force delete the selected resources?": "Etes-vous sûr(e) de vouloir forcer la suppression des données sélectionnées ?", + "Are you sure you want to force delete this resource?": "Etes-vous sûr(e) de vouloir forcer la suppression de cette donnée ?", + "Are you sure you want to restore the selected resources?": "Etes-vous sûr(e) de vouloir restaurer les données sélectionnées ?", + "Are you sure you want to restore this resource?": "Etes-vous sûr(e) de vouloir restaurer cette donnée ?", + "Are you sure you want to run this action?": "Etes-vous sûr(e) de vouloir lancer cette action ?", + "Argentina": "Argentine", + "Armenia": "Arménie", + "Aruba": "Aruba", + "Attach": "Attacher", + "Attach & Attach Another": "Attacher & Attacher un autre", + "Attach :resource": "Attacher :resource", + "August": "Août", + "Australia": "Australie", + "Austria": "Autriche", + "Azerbaijan": "Azerbaïdjan", + "Bahamas": "Bahamas", + "Bahrain": "Bahreïn", + "Bangladesh": "Bangladesh", + "Barbados": "Barbades", + "Belarus": "Biélorussie", + "Belgium": "Belgique", + "Belize": "Bélize", + "Benin": "Bénin", + "Bermuda": "Bermudes", + "Bhutan": "Bhoutan", + "Bolivia": "Bolivie", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Saint-Eustache et Saba", + "Bosnia And Herzegovina": "Bosnie-Herzégovine", + "Botswana": "Botswana", + "Bouvet Island": "Île Bouvet", + "Brazil": "Brésil", + "British Indian Ocean Territory": "Territoire britannique de l'océan indien", + "Brunei Darussalam": "Brunéi Darussalam", + "Bulgaria": "Bulgarie", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodge", + "Cameroon": "Cameroun", + "Canada": "Canada", + "Cancel": "Annuler", + "Cape Verde": "Cap Vert", + "Cayman Islands": "Îles Caïmans", + "Central African Republic": "République centrafricaine", + "Chad": "Tchad", + "Changes": "Changements", + "Chile": "Chili", + "China": "Chine", + "Choose": "Choisir", + "Choose :field": "Choisir :field", + "Choose :resource": "Choisir :resource", + "Choose an option": "Choisir une option", + "Choose date": "Choisir date", + "Choose File": "Choisir Fichier", + "Choose Type": "Choisir Type", + "Christmas Island": "Île Christmas", + "Click to choose": "Cliquez pour choisir", + "Cocos (Keeling) Islands": "Îles Cocos - Keeling", + "Colombia": "Colombie", + "Comoros": "Comores", + "Confirm Password": "Confirmez votre mot de passe", + "Congo": "Congo", + "Congo, Democratic Republic": "République démocratique du Congo", + "Constant": "Toujours", + "Cook Islands": "Îles Cook", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "ne peut être trouvé.", + "Create": "Créer", + "Create & Add Another": "Créer & Ajouter un autre", + "Create :resource": "Créer :resource", + "Croatia": "Croatie", + "Cuba": "Cuba", + "Curaçao": "Curaçao", + "Customize": "Personnaliser", + "Cyprus": "Chypre", + "Czech Republic": "République tchèque", + "Dashboard": "Tableau de bord", + "December": "Décembre", + "Decrease": "Diminuer", + "Delete": "Supprimer", + "Delete File": "Supprimer Fichier", + "Delete Resource": "Supprimer Donnée", + "Delete Selected": "Supprimer Sélectionné", + "Denmark": "Danemark", + "Detach": "Détacher", + "Detach Resource": "Détacher Donnée", + "Detach Selected": "Détacher Sélectionné", + "Details": "Détails", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Voulez-vous vraiment partier ? Vous avez des données non sauvegardées.", + "Dominica": "Dominique", + "Dominican Republic": "République dominicaine", + "Download": "Télécharger", + "Ecuador": "Equateur", + "Edit": "Editer", + "Edit :resource": "Editer :resource", + "Edit Attached": "Editer Joint", + "Egypt": "Egypte", + "El Salvador": "El Salvador", + "Email Address": "Adresse Email", + "Equatorial Guinea": "Guinée équatoriale", + "Eritrea": "Érythrée", + "Estonia": "Estonie", + "Ethiopia": "Ethiopie", + "Falkland Islands (Malvinas)": "Îles Malouines", + "Faroe Islands": "Îles Féroé", + "February": "Février", + "Fiji": "Fidji", + "Finland": "Finlande", + "Force Delete": "Forcer la Suppression", + "Force Delete Resource": "Forcer la Suppression de la Donnée", + "Force Delete Selected": "Forcer la Suppression du Sélectionné", + "Forgot Your Password?": "Vous avez oublié votre mot de passe ?", + "Forgot your password?": "Vous avez oublié votre mot de passe ?", + "France": "France", + "French Guiana": "Guyane française", + "French Polynesia": "Polynésie française", + "French Southern Territories": "Terres australes françaises", + "Gabon": "Gabon", + "Gambia": "Gambie", + "Georgia": "Géorgie", + "Germany": "Allemagne", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "Aller à l'accueil", + "Greece": "Grèce", + "Greenland": "Groenland", + "Grenada": "Grenade", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernesey", + "Guinea": "Guinée", + "Guinea-Bissau": "Guinée-Bissau", + "Guyana": "Guyana", + "Haiti": "Haïti", + "Heard Island & Mcdonald Islands": "Îles Heard et MacDonald", + "Hide Content": "Cacher le contenu", + "Hold Up!": "Un instant !", + "Holy See (Vatican City State)": "Cité du Vatican", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hongrie", + "Iceland": "Islande", + "ID": "ID", + "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.", + "Increase": "Augmenter", + "India": "Inde", + "Indonesia": "Indonésie", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Irak", + "Ireland": "Irlande", + "Isle Of Man": "Île de Man", + "Israel": "Israël", + "Italy": "Italie", + "Jamaica": "Jamaïque", + "January": "Janvier", + "Japan": "Japon", + "Jersey": "Jersey", + "Jordan": "Jordanie", + "July": "Juillet", + "June": "Juin", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Key": "Clé", + "Kiribati": "Kiribati", + "Korea": "Corée du Sud", + "Korea, Democratic People's Republic of": "Corée du Nord", + "Kosovo": "Kosovo", + "Kuwait": "Koweït", + "Kyrgyzstan": "Kirghizistan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Lettonie", + "Lebanon": "Liban", + "Lens": "Objectif", + "Lesotho": "Lesotho", + "Liberia": "Libéria", + "Libyan Arab Jamahiriya": "Libye", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lituanie", + "Load :perPage More": "Charger :perPage plus", + "Login": "Connexion", + "Logout": "Déconnexion", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia": "Macédoine", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaisie", + "Maldives": "Maldives", + "Mali": "Mali", + "Malta": "Malte", + "March": "Mars", + "Marshall Islands": "Îles Marshall", + "Martinique": "Martinique", + "Mauritania": "Mauritanie", + "Mauritius": "Maurice", + "May": "Mai", + "Mayotte": "Mayotte", + "Mexico": "Mexique", + "Micronesia, Federated States Of": "Micronésie", + "Moldova": "Moldavie", + "Monaco": "Monaco", + "Mongolia": "Mongolie", + "Montenegro": "Monténégro", + "Month To Date": "Mois du jour", + "Montserrat": "Montserrat", + "Morocco": "Maroc", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibie", + "Nauru": "Nauru", + "Nepal": "Népal", + "Netherlands": "Pays-Bas", + "New": "Nouveau", + "New :resource": "Nouveau :resource", + "New Caledonia": "Nouvelle Calédonie", + "New Zealand": "Nouvelle Zélande", + "Next": "Suivant", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigéria", + "Niue": "Niue", + "No": "Non", + "No :resource matched the given criteria.": "Aucune :resource ne correspond aux critières demandés.", + "No additional information...": "Pas d'information supplémentaire...", + "No Current Data": "Pas de donnée actuelle", + "No Data": "Pas de donnée", + "no file selected": "pas de fichier sélectionné", + "No Increase": "Ne pas augmenter", + "No Prior Data": "Aucune donnée prioritaire", + "No Results Found.": "Aucun résultat trouvé.", + "Norfolk Island": "Île Norfolk", + "Northern Mariana Islands": "Îles Mariannes du Nord", + "Norway": "Norvège", + "Nova User": "Utilisateur Nova", + "November": "Novembre", + "October": "Octobre", + "of": "de", + "Oman": "Oman", + "Only Trashed": "Seulement les mis à la corbeille", + "Original": "Original", + "Pakistan": "Pakistan", + "Palau": "Palaos", + "Palestinian Territory, Occupied": "Territoire palestinien", + "Panama": "Panama", + "Papua New Guinea": "Papouasie Nouvelle Guinée", + "Paraguay": "Paraguay", + "Password": "Mot de passe", + "Per Page": "Par Page", + "Peru": "Pérou", + "Philippines": "Philippines", + "Pitcairn": "Pitcairn Islands", + "Poland": "Pologne", + "Portugal": "Portugal", + "Press \/ to search": "Presser \/ pour faire une recherche", + "Preview": "Aperçu", + "Previous": "Précédent", + "Puerto Rico": "Porto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Trimestre du jour", + "Reload": "Recharger", + "Remember Me": "Se souvenir de moi", + "Reset Filters": "Réinitialisation des filtres", + "Reset Password": "Réinitialisation du mot de passe", + "Reset Password Notification": "Notification de réinitialisation du mot de passe", + "resource": "donnée", + "Resources": "Données", + "resources": "données", + "Restore": "Restaurer", + "Restore Resource": "Restaurer Donnée", + "Restore Selected": "Restaurer Sélectionné", + "Reunion": "Réunion", + "Romania": "Roumanie", + "Run Action": "Lancer l'action", + "Russian Federation": "Russie", + "Rwanda": "Rwanda", + "Saint Barthelemy": "Saint-Barthélémy", + "Saint Helena": "Sainte-Hélène", + "Saint Kitts And Nevis": "Saint-Kitts-et-Nevis", + "Saint Lucia": "Sainte-Lucie", + "Saint Martin": "Saint-Martin", + "Saint Pierre And Miquelon": "Saint-Pierre-et-Miquelon", + "Saint Vincent And Grenadines": "Saint-Vincent-et-les Grenadines", + "Samoa": "Samoa", + "San Marino": "Saint-Marin", + "Sao Tome And Principe": "Sao Tomé-et-Principe", + "Saudi Arabia": "Arabie Saoudite", + "Search": "Rechercher", + "Select Action": "Sélectionner Action", + "Select All": "Sélectionner Tous", + "Select All Matching": "Sélectionnez tous les correspondants", + "Send Password Reset Link": "Envoyer le lien de réinitialisation du mot de passe", + "Senegal": "Sénégal", + "September": "Septembre", + "Serbia": "Serbie", + "Seychelles": "Seychelles", + "Show All Fields": "Montrer Tous les Champs", + "Show Content": "Montrer Contenu", + "Sierra Leone": "Sierra Léone", + "Singapore": "Singapour", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovaquie", + "Slovenia": "Slovénie", + "Solomon Islands": "Îles Salomon", + "Somalia": "Somalie", + "Something went wrong.": "Quelque chose s'est mal passé.", + "Sorry! You are not authorized to perform this action.": "Désolé ! Vous n'êtes pas autorisé(e) à effectuer cette action.", + "Sorry, your session has expired.": "Désolé, votre session a expiré.", + "South Africa": "Afrique du Sud", + "South Georgia And Sandwich Isl.": "Géorgie du Sud et les îles Sandwich du Sud", + "South Sudan": "Sud Soudan", + "Spain": "Espagne", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Démarrer le vote", + "Stop Polling": "Arrêter le vote", + "Sudan": "Soudan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard et Île Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Suède", + "Switzerland": "Suisse", + "Syrian Arab Republic": "Syrie", + "Taiwan": "Taiwan", + "Tajikistan": "Tadjikistan", + "Tanzania": "Tanzanie", + "Thailand": "Thaïlande", + "The :resource was created!": "La donnée :resource a été créée !", + "The :resource was deleted!": "La donnée :resource a été supprimée !", + "The :resource was restored!": "La donnée :resource a été restaurée !", + "The :resource was updated!": "La donnée :resource a été mise à jour !", + "The action ran successfully!": "L'action s'est déroulée avec succès !", + "The file was deleted!": "Le fichier a été supprimé !", + "The government won't let us show you what's behind these doors": "Le gouvernement ne nous laissera pas vous montrer ce qui se cache derrière ces portes", + "The HasOne relationship has already been filled.": "La relation a déjà été remplie.", + "The resource was updated!": "La donnée a été mise à jour !", + "There are no available options for this resource.": "Il n'y a pas d'options disponibles pour cette donnée.", + "There was a problem executing the action.": "Il y avait un problème lors de l'exécution de l'action.", + "There was a problem submitting the form.": "Il y avait un problème pour soumettre le formulaire.", + "This file field is read-only.": "Ce champ de fichier est en lecture seule.", + "This image": "Cette image", + "This resource no longer exists": "Cette donnée n'existe plus", + "Timor-Leste": "Timor oriental", + "Today": "Aujourd'hui", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "total": "total", + "Trashed": "Mettre à la corbeille", + "Trinidad And Tobago": "Trinidad et Tobago", + "Tunisia": "Tunisie", + "Turkey": "Turquie", + "Turkmenistan": "Turkménistan", + "Turks And Caicos Islands": "Îles Turks et Caïques", + "Tuvalu": "Tuvalu", + "Uganda": "Ouganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "Emirats Arabes Unis", + "United Kingdom": "Royaume-Uni", + "United States": "Etats-Unis", + "United States Outlying Islands": "Îles Mineures Éloignées des États-Unis", + "Update": "Mettre à jour", + "Update & Continue Editing": "Mettre à jour & Continuer à éditer", + "Update :resource": "Mettre à jour :resource", + "Update :resource: :title": "Mettre à jour :resource : :title", + "Update attached :resource: :title": "Mettre à jour :resource attaché : :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Ouzbékistan", + "Value": "Valeur", + "Vanuatu": "Vanuatu", + "Venezuela": "Vénézuela", + "Viet Nam": "Vietnam", + "View": "Vue", + "Virgin Islands, British": "Îles Vierges britanniques", + "Virgin Islands, U.S.": "Îles Vierges des États-Unis", + "Wallis And Futuna": "Wallis et Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Nous sommes perdus dans l'espce. La page que vous essayez de voir n'existe pas.", + "Welcome Back!": "Bienvenue !", + "Western Sahara": "Sahara occidental", + "Whoops": "Oups", + "Whoops!": "Oups !", + "With Trashed": "Avec ceux mis à la corbeille", + "Write": "Ecrire", + "Year To Date": "Année du Jour", + "Yemen": "Yémen", + "Yes": "Oui", + "You are receiving this email because we received a password reset request for your account.": "Vous recevez cet email car nous avons reçu une demande de réinitialisation de mot de passe pour votre compte.", + "Zambia": "Zambie", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/fr/packages/spark-paddle.json b/locales/fr/packages/spark-paddle.json new file mode 100644 index 00000000000..9f83add31d1 --- /dev/null +++ b/locales/fr/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "Une erreur non souhaitée est apparue, et nous avons notifié notre équipe support. Veuillez ré-essayer plus tard.", + "Billing Management": "Gestion de la facturation", + "Cancel Subscription": "Annuler la souscription", + "Change Subscription Plan": "Changer le plan de souscription", + "Current Subscription Plan": "Plan actuel de souscription", + "Currently Subscribed": "Actuellement souscrit", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Vous avez des doutes sur l'annulation de votre abonnement ? Vous pouvez réactiver instantanément votre abonnement à tout moment jusqu'à la fin de votre cycle de facturation actuel. Une fois votre cycle de facturation actuel terminé, vous pouvez choisir un tout nouveau plan d'abonnement.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "Il semble que vous n'ayez pas d'abonnement actif. Vous pouvez choisir l'un des plans d'abonnement ci-dessous pour commencer. Les plans d'abonnement peuvent être modifiés ou annulés à votre convenance.", + "Managing billing for :billableName": "Gestion de la facturation pour :billableName", + "Monthly": "Mensuellement", + "Nevermind, I'll keep my old plan": "Peu importe, je vais garder mon ancien plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Notre portail de gestion de la facturation vous permet de gérer facilement votre abonnement, votre mode de paiement et de télécharger vos factures récentes.", + "Payment Method": "Payment Method", + "Receipts": "Réceptions", + "Resume Subscription": "Reprendre la souscription", + "Return to :appName": "Retour à :appName", + "Signed in as": "Signé en tant que", + "Subscribe": "Souscrire", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Conditions d'utilisation", + "The selected plan is invalid.": "Le plan sélectionné est invalide.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "Ce compte n'est pas de souscription active.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Oups ! Un problème est survenu.", + "Yearly": "Annuellement", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "Vous pouvez résilier votre abonnement à tout moment. Une fois votre abonnement annulé, vous aurez la possibilité de le reprendre jusqu'à la fin de votre cycle de facturation actuel.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Votre mode de paiement actuel est une carte de crédit se terminant par :lastFour qui expire le :expiration." +} diff --git a/locales/fr/packages/spark-stripe.json b/locales/fr/packages/spark-stripe.json new file mode 100644 index 00000000000..4783f668a66 --- /dev/null +++ b/locales/fr/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days jours d'essai", + "Add VAT Number": "Ajouter le numéro de TVA", + "Address": "Adresse", + "Address Line 2": "Adresse ligne 2", + "Afghanistan": "Afghanistan", + "Albania": "Albanie", + "Algeria": "Algérie", + "American Samoa": "Samoa américaines", + "An unexpected error occurred and we have notified our support team. Please try again later.": "Une erreur non souhaitée est apparue, et nous avons notifié notre équipe support. Veuillez ré-essayer plus tard.", + "Andorra": "Andorre", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarctique", + "Antigua and Barbuda": "Antigua-et-Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentine", + "Armenia": "Arménie", + "Aruba": "Aruba", + "Australia": "Australie", + "Austria": "Autriche", + "Azerbaijan": "Azerbaïdjan", + "Bahamas": "Bahamas", + "Bahrain": "Bahreïn", + "Bangladesh": "Bangladesh", + "Barbados": "Barbades", + "Belarus": "Biélorussie", + "Belgium": "Belgique", + "Belize": "Bélize", + "Benin": "Bénin", + "Bermuda": "Bermudes", + "Bhutan": "Bhoutan", + "Billing Information": "Informations de facturation", + "Billing Management": "Gestion de la facturation", + "Bolivia, Plurinational State of": "Bolivie", + "Bosnia and Herzegovina": "Bosnie-Herzégovine", + "Botswana": "Botswana", + "Bouvet Island": "Île Bouvet", + "Brazil": "Brésil", + "British Indian Ocean Territory": "Territoire britannique de l'océan indien", + "Brunei Darussalam": "Brunéi Darussalam", + "Bulgaria": "Bulgarie", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodge", + "Cameroon": "Cameroun", + "Canada": "Canada", + "Cancel Subscription": "Annuler la souscription", + "Cape Verde": "Cap Vert", + "Card": "Carte", + "Cayman Islands": "Îles Caïmans", + "Central African Republic": "République centrafricaine", + "Chad": "Tchad", + "Change Subscription Plan": "Changer le plan de souscription", + "Chile": "Chili", + "China": "Chine", + "Christmas Island": "Île Christmas", + "City": "Ville", + "Cocos (Keeling) Islands": "Îles Cocos - Keeling", + "Colombia": "Colombie", + "Comoros": "Comores", + "Confirm Payment": "Choisir Paiement", + "Confirm your :amount payment": "Choisir votre paiement de :amount", + "Congo": "Congo", + "Congo, the Democratic Republic of the": "République démocratique du Congo", + "Cook Islands": "Îles Cook", + "Costa Rica": "Costa Rica", + "Country": "Pays", + "Coupon": "Coupon", + "Croatia": "Croatie", + "Cuba": "Cuba", + "Current Subscription Plan": "Plan actuel de souscription", + "Currently Subscribed": "Actuellement souscrit", + "Cyprus": "Chypre", + "Czech Republic": "République tchèque", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Danemark", + "Djibouti": "Djibouti", + "Dominica": "Dominique", + "Dominican Republic": "République dominicaine", + "Download Receipt": "Télécharger le reçu", + "Ecuador": "Equateur", + "Egypt": "Egypte", + "El Salvador": "El Salvador", + "Email Addresses": "Adresses Email", + "Equatorial Guinea": "Guinée équatoriale", + "Eritrea": "Érythrée", + "Estonia": "Estonie", + "Ethiopia": "Ethiopie", + "ex VAT": "ex TVA", + "Extra Billing Information": "Plus d'informations sur la facturation", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Une confirmation supplémentaire est nécessaire pour traiter votre paiement. Veuillez continuer à la page de paiement en cliquant sur le bouton ci-dessous.", + "Falkland Islands (Malvinas)": "Îles Malouines", + "Faroe Islands": "Îles Féroé", + "Fiji": "Fidji", + "Finland": "Finlande", + "France": "France", + "French Guiana": "Guyane française", + "French Polynesia": "Polynésie française", + "French Southern Territories": "Terres australes françaises", + "Gabon": "Gabon", + "Gambia": "Gambie", + "Georgia": "Géorgie", + "Germany": "Allemagne", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Grèce", + "Greenland": "Groenland", + "Grenada": "Grenade", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernesey", + "Guinea": "Guinée", + "Guinea-Bissau": "Guinée-Bissau", + "Guyana": "Guyana", + "Haiti": "Haïti", + "Have a coupon code?": "Avez-vous un code coupon ?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Vous avez des doutes sur l'annulation de votre abonnement ? Vous pouvez réactiver instantanément votre abonnement à tout moment jusqu'à la fin de votre cycle de facturation actuel. Une fois votre cycle de facturation actuel terminé, vous pouvez choisir un tout nouveau plan d'abonnement.", + "Heard Island and McDonald Islands": "Îles Heard et MacDonald", + "Holy See (Vatican City State)": "Cité du Vatican", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hongrie", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Islande", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "Si vous devez ajouter des coordonnées ou des informations fiscales spécifiques à vos reçus, tels que le nom complet de votre entreprise, votre numéro d'identification TVA ou votre adresse d'enregistrement, vous pouvez les ajouter ici.", + "India": "Inde", + "Indonesia": "Indonésie", + "Iran, Islamic Republic of": "Iran,", + "Iraq": "Irak", + "Ireland": "Irlande", + "Isle of Man": "Île de Man", + "Israel": "Israël", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "Il semble que vous n'ayez pas d'abonnement actif. Vous pouvez choisir l'un des plans d'abonnement ci-dessous pour commencer. Les plans d'abonnement peuvent être modifiés ou annulés à votre convenance.", + "Italy": "Italie", + "Jamaica": "Jamaïque", + "Japan": "Japon", + "Jersey": "Jersey", + "Jordan": "Jordanie", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Corée du Nord", + "Korea, Republic of": "Corée du Sud", + "Kuwait": "Koweït", + "Kyrgyzstan": "Kirghizistan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Lettonie", + "Lebanon": "Liban", + "Lesotho": "Lesotho", + "Liberia": "Libéria", + "Libyan Arab Jamahiriya": "Libye", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lituanie", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macédoine", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaisie", + "Maldives": "Maldives", + "Mali": "Mali", + "Malta": "Malte", + "Managing billing for :billableName": "Gestion de la facturation pour :billableName", + "Marshall Islands": "Îles Marshall", + "Martinique": "Martinique", + "Mauritania": "Mauritanie", + "Mauritius": "Maurice", + "Mayotte": "Mayotte", + "Mexico": "Mexique", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldavie", + "Monaco": "Monaco", + "Mongolia": "Mongolie", + "Montenegro": "Monténégro", + "Monthly": "Mensuellement", + "monthly": "mensuellement", + "Montserrat": "Montserrat", + "Morocco": "Maroc", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibie", + "Nauru": "Nauru", + "Nepal": "Népal", + "Netherlands": "Pays-Bas", + "Netherlands Antilles": "Antilles néerlandaises", + "Nevermind, I'll keep my old plan": "Peu importe, je vais garder mon ancien plan", + "New Caledonia": "Nouvelle Calédonie", + "New Zealand": "Nouvelle Zélande", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigéria", + "Niue": "Niue", + "Norfolk Island": "Île Norfolk", + "Northern Mariana Islands": "Îles Mariannes du Nord", + "Norway": "Norvège", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Notre portail de gestion de la facturation vous permet de gérer facilement votre abonnement, votre mode de paiement et de télécharger vos factures récentes.", + "Pakistan": "Pakistan", + "Palau": "Palaos", + "Palestinian Territory, Occupied": "Territoire palestinien", + "Panama": "Panama", + "Papua New Guinea": "Papouasie Nouvelle Guinée", + "Paraguay": "Paraguay", + "Payment Information": "Information de paiement", + "Peru": "Pérou", + "Philippines": "Philippines", + "Pitcairn": "Pitcairn Islands", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Veuillez fournir un maximum de trois adresses e-mail de réception.", + "Poland": "Pologne", + "Portugal": "Portugal", + "Puerto Rico": "Porto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Réception Adresses E-Mail", + "Receipts": "Réceptions", + "Resume Subscription": "Reprendre la souscription", + "Return to :appName": "Retour à :appName", + "Romania": "Roumanie", + "Russian Federation": "Russie", + "Rwanda": "Rwanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint-Barthélemy", + "Saint Helena": "Sainte-Hélène", + "Saint Kitts and Nevis": "Saint-Kitts-et-Nevis", + "Saint Lucia": "Sainte-Lucie", + "Saint Martin (French part)": "Saint Martin", + "Saint Pierre and Miquelon": "Saint-Pierre-et-Miquelon", + "Saint Vincent and the Grenadines": "Saint-Vincent-et-les Grenadines", + "Samoa": "Samoa", + "San Marino": "Saint-Marin", + "Sao Tome and Principe": "Sao Tomé-et-Principe", + "Saudi Arabia": "Arabie Saoudite", + "Save": "Sauvegarder", + "Select": "Sélectionner", + "Select a different plan": "Sélectionner un plan différent", + "Senegal": "Sénégal", + "Serbia": "Serbie", + "Seychelles": "Seychelles", + "Sierra Leone": "Sierra Léone", + "Signed in as": "Signé en tant que", + "Singapore": "Singapour", + "Slovakia": "Slovaquie", + "Slovenia": "Slovénie", + "Solomon Islands": "Îles Salomon", + "Somalia": "Somalie", + "South Africa": "Afrique du Sud", + "South Georgia and the South Sandwich Islands": "Géorgie du Sud et les îles Sandwich du Sud", + "Spain": "Espagne", + "Sri Lanka": "Sri Lanka", + "State \/ County": "Etat \/ Région", + "Subscribe": "Souscrire", + "Subscription Information": "Information de souscription", + "Sudan": "Soudan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Suède", + "Switzerland": "Suisse", + "Syrian Arab Republic": "Syrie", + "Taiwan, Province of China": "Taiwan", + "Tajikistan": "Tadjikistan", + "Tanzania, United Republic of": "Tanzanie", + "Terms of Service": "Conditions d'utilisation", + "Thailand": "Thaïlande", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Merci pour votre soutien continu. Nous avons joint une copie de votre facture pour vos dossiers. Veuillez nous faire savoir si vous avez des questions ou des préoccupations.", + "Thanks,": "Merci,", + "The provided coupon code is invalid.": "Le code de coupon fourni n'est pas valide.", + "The provided VAT number is invalid.": "Le numéro de TVA fourni n'est pas valide.", + "The receipt emails must be valid email addresses.": "Les emails de réception doivent être des adresses email valides.", + "The selected country is invalid.": "Le pays sélectionné est invalide.", + "The selected plan is invalid.": "Le plan sélectionné est invalide.", + "This account does not have an active subscription.": "Ce compte n'est pas de souscription active.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "Cette souscription a expiré et ne peut être reprise. Veuillez en créer une nouvelle.", + "Timor-Leste": "Timor oriental", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisie", + "Turkey": "Turquie", + "Turkmenistan": "Turkménistan", + "Turks and Caicos Islands": "Îles Turks et Caïques", + "Tuvalu": "Tuvalu", + "Uganda": "Ouganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "Emirats Arabes Unis", + "United Kingdom": "Royaume-Uni", + "United States": "Etats-Unis", + "United States Minor Outlying Islands": "Îles Mineures Éloignées des États-Unis", + "Update": "Mettre à jour", + "Update Payment Information": "Mettre à jour les informations de paiement", + "Uruguay": "Uruguay", + "Uzbekistan": "Ouzbékistan", + "Vanuatu": "Vanuatu", + "VAT Number": "Numéro de TVA", + "Venezuela, Bolivarian Republic of": "Vénézuela", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Îles Vierges britanniques", + "Virgin Islands, U.S.": "Îles Vierges des États-Unis", + "Wallis and Futuna": "Wallis et Futuna", + "We are unable to process your payment. Please contact customer support.": "Nous ne sommes pas en mesure de traiter votre paiement. Veuillez contacter le support client.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "Nous enverrons un lien de téléchargement de reçu aux adresses e-mail que vous spécifiez ci-dessous. Vous pouvez séparer plusieurs adresses e-mail à l'aide de virgules.", + "Western Sahara": "Sahara occidental", + "Whoops! Something went wrong.": "Oups ! Un problème est survenu.", + "Yearly": "Annuellement", + "Yemen": "Yémen", + "You are currently within your free trial period. Your trial will expire on :date.": "Vous êtes actuellement dans votre période d'essai gratuit. Votre essai expirera le: date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "Vous pouvez résilier votre abonnement à tout moment. Une fois votre abonnement annulé, vous aurez la possibilité de le reprendre jusqu'à la fin de votre cycle de facturation actuel.", + "Your :invoiceName invoice is now available!": "Votre facture :invoiceName est maintenant disponible !", + "Your card was declined. Please contact your card issuer for more information.": "Votre carte a été refusée. Veuillez contacter l'émetteur de votre carte pour plus d'informations.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Votre mode de paiement actuel est une carte de crédit se terminant par :lastFour qui expire le :expiration.", + "Your registered VAT Number is :vatNumber.": "Votre numéro de TVA enregistré est :vatNumber.", + "Zambia": "Zambie", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Code postal", + "Åland Islands": "Åland Islands" +} diff --git a/locales/gl/gl.json b/locales/gl/gl.json index a0a25153722..460b4eb02e9 100644 --- a/locales/gl/gl.json +++ b/locales/gl/gl.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Días", - "60 Days": "De 60 Días", - "90 Days": "90 Días", - ":amount Total": ":amount Total", - ":days day trial": ":days day trial", - ":resource Details": ":resource Detalles", - ":resource Details: :title": ":resource Detalles: :title", "A fresh verification link has been sent to your email address.": "Enviámosche un novo enlace de verificación ao teu correo electrónico.", - "A new verification link has been sent to the email address you provided during registration.": "Unha nova verificación enlace foi enviado ao enderezo de correo electrónico que proporcionou durante o rexistro.", - "Accept Invitation": "Aceptar A Invitación", - "Action": "Acción", - "Action Happened At": "Aconteceu Na", - "Action Initiated By": "Iniciado Por", - "Action Name": "Nome", - "Action Status": "Estado", - "Action Target": "De destino", - "Actions": "Accións", - "Add": "Engadir", - "Add a new team member to your team, allowing them to collaborate with you.": "Engadir un novo membro do equipo para o seu equipo, o que lles permite colaborar con vostede.", - "Add additional security to your account using two factor authentication.": "Engadir adicional de seguridade para a súa conta usando dous factor de autenticación.", - "Add row": "Engadir liña", - "Add Team Member": "Engadir Membro Do Equipo", - "Add VAT Number": "Add VAT Number", - "Added.": "Engadiu.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administrador", - "Administrator users can perform any action.": "Administrador os usuarios poden realizar calquera acción.", - "Afghanistan": "Afganistán", - "Aland Islands": "Illas Åland", - "Albania": "Albania", - "Algeria": "Alxeria", - "All of the people that are part of this team.": "Todas as persoas que forman parte de este equipo.", - "All resources loaded.": "Todos os recursos cargados.", - "All rights reserved.": "Todos os dereitos reservados.", - "Already registered?": "Xa rexistrado?", - "American Samoa": "Samoa Americana", - "An error occured while uploading the file.": "Un erro ocorrida mentres carga o ficheiro.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Anguila", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Outro usuario ten actualizado este recurso dende esta páxina foi cargado. Por favor, actualice a páxina e ténteo de novo.", - "Antarctica": "Antártida", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua e Barbuda", - "API Token": "API Token", - "API Token Permissions": "API Token Permisos", - "API Tokens": "API de Mostras", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API de mostras permiten servizos de terceiros para acceder coa nosa solicitude no seu nome.", - "April": "Abril", - "Are you sure you want to delete the selected resources?": "Está seguro de que quere eliminar o billete de recursos?", - "Are you sure you want to delete this file?": "Estás seguro de querer borrar este ficheiro?", - "Are you sure you want to delete this resource?": "Está seguro de que quere eliminar este recurso?", - "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 de que quere eliminar este equipo? Unha vez que un equipo é eliminado, os seus recursos e datos serán definitivamente excluídos.", - "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 de que desexa eliminar a súa conta? Unha vez que a súa conta está excluído, todos os seus recursos e datos serán definitivamente excluídos. Por favor, introduza o seu contrasinal para confirmar que desexa eliminar permanentemente a súa conta.", - "Are you sure you want to detach the selected resources?": "Está seguro de que quere separar o billete de recursos?", - "Are you sure you want to detach this resource?": "Está seguro de que quere separar este recurso?", - "Are you sure you want to force delete the selected resources?": "Está seguro de que quere forza eliminar o billete de recursos?", - "Are you sure you want to force delete this resource?": "Está seguro de que quere forza eliminar este recurso?", - "Are you sure you want to restore the selected resources?": "Está seguro de que quere restaurar o billete de recursos?", - "Are you sure you want to restore this resource?": "Está seguro de que quere restaurar este recurso?", - "Are you sure you want to run this action?": "Está seguro de que quere executar esta acción?", - "Are you sure you would like to delete this API token?": "Está seguro de que desexa borrar esta API token?", - "Are you sure you would like to leave this team?": "Está seguro de que quere deixar este equipo?", - "Are you sure you would like to remove this person from the team?": "Está seguro de que desexa eliminar esta persoa do equipo?", - "Argentina": "Arxentina", - "Armenia": "Armenia", - "Aruba": "Aruba", - "Attach": "Achegar", - "Attach & Attach Another": "Achegar & Achegar Outro", - "Attach :resource": "Achegar :resource", - "August": "Agosto", - "Australia": "Australia", - "Austria": "Austria", - "Azerbaijan": "Acerbaixán", - "Bahamas": "Bahamas", - "Bahrain": "Bahrein", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Antes de continuar, por favor, comproba o teu correo electrónico para encontrar un enlace de verificación.", - "Belarus": "Bielorrusia", - "Belgium": "Bélxica", - "Belize": "Belice", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bután", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius e Sábado", - "Bosnia And Herzegovina": "Bosnia e Hercegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvet Island", - "Brazil": "Brasil", - "British Indian Ocean Territory": "Territorio Británico Do Océano Índico", - "Browser Sessions": "Navegador Sesións", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgaria", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Cambodia", - "Cameroon": "Camerún", - "Canada": "Canadá", - "Cancel": "Cancelar", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Cabo Verde", - "Card": "Tarxeta", - "Cayman Islands": "Illas Caimán", - "Central African Republic": "Central Africano República", - "Chad": "Chad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Cambios", - "Chile": "Chile", - "China": "China", - "Choose": "Escoller", - "Choose :field": "Escolla :field", - "Choose :resource": "Escolla :resource", - "Choose an option": "Seleccione unha opción", - "Choose date": "Elixir data", - "Choose File": "Escolla O Ficheiro", - "Choose Type": "Escolla O Tipo De", - "Christmas Island": "Illa De Nadal", - "City": "City", "click here to request another": "fai clic aquí para solicitar outro", - "Click to choose": "Prema para escoller", - "Close": "Preto", - "Cocos (Keeling) Islands": "Traído Desde \"\"", - "Code": "Código", - "Colombia": "Colombia", - "Comoros": "Comores", - "Confirm": "Confirmar", - "Confirm Password": "Confirmar o contrasinal", - "Confirm Payment": "Confirmar O Pagamento", - "Confirm your :amount payment": "Confirmar a súa :amount pago", - "Congo": "Congo", - "Congo, Democratic Republic": "Congo, República Democrática", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Constante", - "Cook Islands": "Das Illas Cook", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "non podería ser atopado.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Crear", - "Create & Add Another": "Crear E Engadir Outra", - "Create :resource": "Crear :resource", - "Create a new team to collaborate with others on projects.": "Crear un novo equipo para colaborar con outros proxectos.", - "Create Account": "Crear Unha Conta", - "Create API Token": "Crear API Token", - "Create New Team": "Crear Novo Equipo", - "Create Team": "Crear Equipo", - "Created.": "Creado.", - "Croatia": "Croacia", - "Cuba": "Cuba", - "Curaçao": "Curacao", - "Current Password": "Contrasinal Actual", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Personalizar", - "Cyprus": "Chipre", - "Czech Republic": "República checa", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Panel de control", - "December": "Decembro", - "Decrease": "Diminución", - "Delete": "Eliminar", - "Delete Account": "Eliminar Conta", - "Delete API Token": "Eliminar API Token", - "Delete File": "Eliminar O Ficheiro", - "Delete Resource": "Eliminar Recurso", - "Delete Selected": "Eliminar Seleccionados", - "Delete Team": "Eliminar Equipo", - "Denmark": "Dinamarca", - "Detach": "Destacar", - "Detach Resource": "Destacar Recurso", - "Detach Selected": "Destacar Seleccionados", - "Details": "Detalles", - "Disable": "Desactivar", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Realmente quere saír? Ten perdidos cambios.", - "Dominica": "Domingo", - "Dominican Republic": "República Dominicana", - "Done.": "Feito.", - "Download": "Descargar", - "Download Receipt": "Download Receipt", "E-Mail Address": "Correo electrónico", - "Ecuador": "Ecuador", - "Edit": "Editar \/ editar a fonte", - "Edit :resource": "Editar \/ editar a fonte :resource", - "Edit Attached": "Editar \/ Editar A Fonte Adxunto", - "Editor": "Editor", - "Editor users have the ability to read, create, and update.": "Editor usuarios teñen a capacidade de ler, a crear e actualizar.", - "Egypt": "Exipto", - "El Salvador": "Salvador", - "Email": "Correo electrónico", - "Email Address": "Enderezo De Correo Electrónico", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Correo-E Redefinición De Contrasinal Ligazón", - "Enable": "Activar", - "Ensure your account is using a long, random password to stay secure.": "Garantir que a súa conta está a usar un longo, contrasinal aleatorio para estar seguro.", - "Equatorial Guinea": "Guinea Ecuatorial", - "Eritrea": "Eritrea", - "Estonia": "Estonia", - "Ethiopia": "Etiopía", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Extra confirmación é necesario para procesar o seu pagamento. Por favor, confirme o seu pagamento por cubrir o seu pago detalles a continuación.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmación é necesario para procesar o seu pagamento. Por favor, continuar ao pago páxina, premendo no botón de abaixo.", - "Falkland Islands (Malvinas)": "Libra Illas Malvinas)", - "Faroe Islands": "Illas Feroe", - "February": "Febreiro", - "Fiji": "Fidxi", - "Finland": "Finlandia", - "For your security, please confirm your password to continue.": "Para a súa seguridade, por favor, confirme o seu contrasinal para continuar.", "Forbidden": "Prohibido", - "Force Delete": "Forza Eliminar", - "Force Delete Resource": "Forza Eliminar Recurso", - "Force Delete Selected": "Forza Eliminar Seleccionados", - "Forgot Your Password?": "Olvidaches o teu contrasinal?", - "Forgot your password?": "Se esqueceu o seu contrasinal?", - "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.": "Se esqueceu o seu contrasinal? Non hai ningún problema. Só deixe-nos saber o seu enderezo de correo electrónico e nós enviarémosche unha redefinición de contrasinal ligazón que permitirá que escoller un novo.", - "France": "Francia", - "French Guiana": "Güiana Francesa", - "French Polynesia": "Polinesia Francesa", - "French Southern Territories": "Francés Territorios Do Sur", - "Full name": "Nome completo", - "Gabon": "Gabón", - "Gambia": "Gambia", - "Georgia": "Xeorxia", - "Germany": "Alemaña", - "Ghana": "Cedi", - "Gibraltar": "Xibraltar", - "Go back": "Volver", - "Go Home": "Ir ao inicio", "Go to page :page": "Ir á páxina :page", - "Great! You have accepted the invitation to join the :team team.": "Gran! Aceptou a invitación para unirse a :team equipo.", - "Greece": "Grecia", - "Greenland": "Groenlandia", - "Grenada": "Granada", - "Guadeloupe": "Guadalupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bissau", - "Guyana": "Güiana", - "Haiti": "Haití", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Oín Illa e McDonald Illas", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Ola!", - "Hide Content": "Ocultar Contido", - "Hold Up!": "Manteña-Se!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Hungría", - "I agree to the :terms_of_service and :privacy_policy": "Eu estou de acordo que o :terms_of_service e :privacy_policy", - "Iceland": "Islandia", - "ID": "ID", - "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 é necesario, pode saír de todos os seus outro navegador sesións en todos os seus dispositivos. Algunhas das súas últimas sesións están listados abaixo; con todo, esta lista non pode ser exhaustiva. Se pensas que a súa conta foi comprometida, tamén debe actualizar o seu contrasinal.", "If necessary, you may logout 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 é necesario, pode saír de todos os seus outro navegador sesións en todos os seus dispositivos. Algunhas das súas últimas sesións están listados abaixo; con todo, esta lista non pode ser exhaustiva. Se pensas que a súa conta foi comprometida, tamén debe actualizar o seu contrasinal.", - "If you already have an account, you may accept this invitation by clicking the button below:": "Se xa ten unha conta, pode aceptar esta invitación premendo o botón de embaixo:", "If you did not create an account, no further action is required.": "Se no creaches unha cuenta, non tes que realizar ningunha acción adicional.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Se non esperar a recibir unha invitación para este equipo, que pode descartar este correo.", "If you did not receive the email": "Se non recibiches o correo electrónico", - "If you did not request a password reset, no further action is required.": "Se non solicitaches o restablecemento do contrasinal, non tes que realizar ningunha acción adicional.", - "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 ten unha conta, vostede pode crear unha premendo no botón de abaixo. Despois de crear unha conta, pode facer clic a invitación a aceptación botón neste correo electrónico para aceptar o equipo de invitación:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Se estás tendo problemas para facer clic no botón \":actionText\", copia e pega a seguinte URL \nno teu navegador web:", - "Increase": "Aumentar", - "India": "India", - "Indonesia": "Indonesia", "Invalid signature.": "Válido sinatura.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Irán", - "Iraq": "Iraq", - "Ireland": "Irlanda", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Illa de Man", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italia", - "Jamaica": "Xamaica", - "January": "Xaneiro", - "Japan": "Xapón", - "Jersey": "Jersey", - "Jordan": "Jordan", - "July": "Xullo", - "June": "Xuño", - "Kazakhstan": "Casaquistán", - "Kenya": "Quenia", - "Key": "Clave", - "Kiribati": "Kiribati", - "Korea": "Corea Do Sur", - "Korea, Democratic People's Republic of": "Corea Do Norte", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuwait", - "Kyrgyzstan": "Quirguicistán", - "Lao People's Democratic Republic": "Laos", - "Last active": "O pasado activo", - "Last used": "Usado por última vez", - "Latvia": "Letonia", - "Leave": "Deixar", - "Leave Team": "Deixe O Equipo", - "Lebanon": "Líbano", - "Lens": "Lente", - "Lesotho": "Lesoto", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libia", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Lituania", - "Load :perPage More": "Carga :perPage Máis", - "Log in": "Entrar en", "Log out": "Saír", - "Log Out": "Saír", - "Log Out Other Browser Sessions": "Saír Outro Navegador Sesións", - "Login": "Iniciar sesión", - "Logout": "Pechar sesión", "Logout Other Browser Sessions": "Saír Outro Navegador Sesións", - "Luxembourg": "Luxemburgo", - "Macao": "Macau", - "Macedonia": "Norte De Macedonia", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagascar", - "Malawi": "Malawi", - "Malaysia": "Malaisia", - "Maldives": "Maldivas", - "Mali": "Pequeno", - "Malta": "Malta", - "Manage Account": "Xestionar Conta", - "Manage and log out your active sessions on other browsers and devices.": "Xestionar e saír do seu activo sesións sobre outros navegadores e dispositivos.", "Manage and logout your active sessions on other browsers and devices.": "Xestionar e saír do seu activo sesións sobre outros navegadores e dispositivos.", - "Manage API Tokens": "Xestionar API Fichas", - "Manage Role": "Xestionar Papel", - "Manage Team": "Xestionar O Equipo", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Marzo", - "Marshall Islands": "Marshall Islands", - "Martinique": "Martinica", - "Mauritania": "Mauritania", - "Mauritius": "Mauricio", - "May": "Pode", - "Mayotte": "Mayotte", - "Mexico": "México", - "Micronesia, Federated States Of": "Micronesia", - "Moldova": "Moldavia", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Mónaco", - "Mongolia": "Mongolia", - "Montenegro": "Montenegro", - "Month To Date": "Mes Á Data", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Marrocos", - "Mozambique": "Mozambique", - "Myanmar": "Birmania", - "Name": "Nome", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Holanda", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Nevermind", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Nova", - "New :resource": "Nova :resource", - "New Caledonia": "Nova Caledonia", - "New Password": "Novo Contrasinal", - "New Zealand": "Nova Celandia", - "Next": "Seguinte", - "Nicaragua": "Nicaragua", - "Niger": "Níxer", - "Nigeria": "Nixeria", - "Niue": "Niue", - "No": "Non", - "No :resource matched the given criteria.": "Non :resource combinados dado criterios.", - "No additional information...": "Non hai información adicional...", - "No Current Data": "Ningunha Corrente De Datos", - "No Data": "Non Hai Datos", - "no file selected": "ningún ficheiro seleccionado", - "No Increase": "Non Aumentar", - "No Prior Data": "Non Antes De Datos", - "No Results Found.": "Non Se Atoparon Resultados.", - "Norfolk Island": "Illa Norfolk", - "Northern Mariana Islands": "Northern Mariana Islands", - "Norway": "Noruega", "Not Found": "Non Se Atopou", - "Nova User": "Nova Usuario", - "November": "Novembro", - "October": "Outubro", - "of": "de", "Oh no": "Oh, non", - "Oman": "Omán", - "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.": "Unha vez que un equipo é eliminado, os seus recursos e datos serán definitivamente excluídos. Antes de eliminar este equipo, por favor descargar calquera dato ou información sobre este equipo que quere manter.", - "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.": "Unha vez que a súa conta está excluído, todos os seus recursos e datos serán definitivamente excluídos. Antes de eliminar a súa conta, por favor, descarga de calquera dos datos ou a información que quere manter.", - "Only Trashed": "Só Lixo", - "Original": "Orixinal", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Páxina expirada", "Pagination Navigation": "Paxinación Navegación", - "Pakistan": "Paquistán", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Territorios Palestinos", - "Panama": "Panamá", - "Papua New Guinea": "Papúa Nova Guinea", - "Paraguay": "Paraguay", - "Password": "Contrasinal", - "Pay :amount": "Pagar :amount", - "Payment Cancelled": "Pagamento Cancelado", - "Payment Confirmation": "Confirmación Do Pago", - "Payment Information": "Payment Information", - "Payment Successful": "Pagamento De Éxito", - "Pending Team Invitations": "Pendente Equipo De Invitacións", - "Per Page": "Por Páxina", - "Permanently delete this team.": "Eliminar permanentemente este equipo.", - "Permanently delete your account.": "Eliminar permanentemente a súa conta.", - "Permissions": "Permisos", - "Peru": "Perú", - "Philippines": "Filipinas", - "Photo": "Foto", - "Pitcairn": "Pitcairn Illas", "Please click the button below to verify your email address.": "Por favor, fai clic no seguinte botón para verificar a túa dirección de correo electrónico.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Por favor, confirmar o acceso á súa conta, escribindo un dos seus emerxencia recuperación códigos.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Por favor, confirmar o acceso á súa conta, escribindo o código de autenticación proporcionada polo seu authenticator aplicación.", "Please confirm your password before continuing.": "Por favor, confirme o seu contrasinal antes de continuar.", - "Please copy your new API token. For your security, it won't be shown again.": "Por favor copie o seu novo API token. Para a súa seguridade, non vai ser mostrado de novo.", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Por favor, introduza o seu contrasinal para confirmar que quere saír do seu outro navegador sesións en todos os seus dispositivos.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Por favor, introduza o seu contrasinal para confirmar que quere saír do seu outro navegador sesións en todos os seus dispositivos.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "Please provide the email address of the person you would like to add to this team.": "Por favor, forneza o enderezo de correo electrónico da persoa que desexa engadir a este equipo.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Por favor, forneza o enderezo de correo electrónico da persoa que desexa engadir a este equipo. O enderezo de correo electrónico debe ser asociado a unha conta existente.", - "Please provide your name.": "Por favor, proporcionar o seu nome.", - "Poland": "Polonia", - "Portugal": "Portugal", - "Press \/ to search": "Prensa \/ para buscar", - "Preview": "Vista previa", - "Previous": "Anterior", - "Privacy Policy": "Política De Privacidade", - "Profile": "Perfil", - "Profile Information": "Información De Perfil", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Trimestre A Data", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Recuperación Código", "Regards": "Saúdos", - "Regenerate Recovery Codes": "Rexenerar A Recuperación Códigos", - "Register": "Rexistrar", - "Reload": "Reload", - "Remember me": "Lembre-se de min", - "Remember Me": "Recórdame", - "Remove": "Eliminar", - "Remove Photo": "Eliminar Foto", - "Remove Team Member": "Eliminar O Membro Do Equipo", - "Resend Verification Email": "Reenviar Correo Electrónico De Verificación", - "Reset Filters": "Redefinición De Filtros", - "Reset Password": "Restablecer contrasinal", - "Reset Password Notification": "Notificación de restablecemento de contrasinal", - "resource": "recurso", - "Resources": "Recursos", - "resources": "recursos", - "Restore": "Restaurar", - "Restore Resource": "Restaurar Recurso", - "Restore Selected": "Restaurar Seleccionados", "results": "resultados", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Reunión", - "Role": "Papel", - "Romania": "Romanía", - "Run Action": "Executar A Acción", - "Russian Federation": "Federación Rusa", - "Rwanda": "Ruanda", - "Réunion": "Réunion", - "Saint Barthelemy": "Saint Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "St. Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "St Kitts e Nevis", - "Saint Lucia": "St Lucia", - "Saint Martin": "St. Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "San Pedro e Miguelón", - "Saint Vincent And Grenadines": "San Vicente e Granadinas", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "São Tomé e Príncipe", - "Saudi Arabia": "Arabia Saudita", - "Save": "Gardar", - "Saved.": "Salvo.", - "Search": "Busca", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Seleccione Unha Nova Imaxe", - "Select Action": "Seleccione A Acción", - "Select All": "Seleccionar Todos", - "Select All Matching": "Seleccionar Todo Correspondentes", - "Send Password Reset Link": "Enviar enlace de restablecemento de contrasinal", - "Senegal": "Senegal", - "September": "Setembro", - "Serbia": "Serbia", "Server Error": "Erro De Servidor", "Service Unavailable": "Servizo non dispoñible", - "Seychelles": "Seychelles", - "Show All Fields": "Amosar Todos Os Campos", - "Show Content": "Amosar Contido", - "Show Recovery Codes": "Concerto De Recuperación De Códigos", "Showing": "Mostrando", - "Sierra Leone": "Sierra Leona", - "Signed in as": "Signed in as", - "Singapore": "Singapur", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Eslovaquia", - "Slovenia": "Eslovenia", - "Solomon Islands": "Dólar Das Illas", - "Somalia": "Somalia", - "Something went wrong.": "Algo deu mal.", - "Sorry! You are not authorized to perform this action.": "Sentímolo! Vostede non está autorizado para realizar esta acción.", - "Sorry, your session has expired.": "Sentímolo, a súa sesión caducou.", - "South Africa": "África Do Sur", - "South Georgia And Sandwich Isl.": "Sur de Xeorxia do Sur e Sandwich Illas", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Sudán Do Sur", - "Spain": "España", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Comezar A Votación", - "State \/ County": "State \/ County", - "Stop Polling": "Deixar De Votación", - "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.": "Tenda estes recuperación códigos en un contrasinal seguro xestor. Eles poden ser usados para recuperar o acceso á túa conta se os seus dous factor de autenticación dispositivo sexa perdido.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudán", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard e Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Suecia", - "Switch Teams": "Interruptor De Equipos", - "Switzerland": "Suíza", - "Syrian Arab Republic": "Siria", - "Taiwan": "Taiwán", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Taxiquistán", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "O Equipo Detalles", - "Team Invitation": "Equipo De Invitación", - "Team Members": "Os Membros Do Equipo", - "Team Name": "Nome Do Equipo", - "Team Owner": "O Propietario Do Equipo", - "Team Settings": "Equipo De Configuración", - "Terms of Service": "Termos de Servizo", - "Thailand": "Tailandia", - "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.": "Grazas por rexistrarte! Antes de comezar, pode comprobar o seu enderezo de correo electrónico, premendo no enlace que só enviado a vostede? Se non recibir o correo electrónico, que terán pracer en enviarlle outra.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "O :attribute debe ser válida papel.", - "The :attribute must be at least :length characters and contain at least one number.": "O :attribute debe ser de polo menos :length personaxes e conter, polo menos, un número.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": "O :attribute debe ser de polo menos :length personaxes e conter, polo menos, un carácter especial e un número.", - "The :attribute must be at least :length characters and contain at least one special character.": "O :attribute debe ser de polo menos :length personaxes e conter, polo menos, un carácter especial.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "O :attribute debe ser de polo menos :length personaxes e conter, polo menos, un carácter en maiúscula e un número.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "O :attribute debe ser de polo menos :length personaxes e conter, polo menos, un carácter en maiúscula e un carácter especial.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "O :attribute debe ser de polo menos :length personaxes e conter, polo menos, un carácter en maiúscula, un número, e un carácter especial.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": "O :attribute debe ser de polo menos :length personaxes e conter, polo menos, un carácter en maiúscula.", - "The :attribute must be at least :length characters.": "O :attribute debe ser de polo menos :length personaxes.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "O :resource foi creado!", - "The :resource was deleted!": "O :resource foi eliminado!", - "The :resource was restored!": "O :resource foi restaurado!", - "The :resource was updated!": "O :resource foi actualizado!", - "The action ran successfully!": "A acción foi con éxito!", - "The file was deleted!": "O arquivo foi borrado!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "O goberno non imos amosar-lle o que está detrás destas portas", - "The HasOne relationship has already been filled.": "O HasOne relación xa foi cuberto.", - "The payment was successful.": "O pago foi un éxito.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Sempre que o contrasinal non coincide o seu contrasinal actual.", - "The provided password was incorrect.": "Sempre que o contrasinal incorrecto.", - "The provided two factor authentication code was invalid.": "O previsto dous factor de autenticación código era válido.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "O recurso foi actualizado!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "O nome do equipo e propietario de información.", - "There are no available options for this resource.": "Non hai opcións dispoñibles para este recurso.", - "There was a problem executing the action.": "Houbo un problema executar a acción.", - "There was a problem submitting the form.": "Houbo un problema enviar o formulario.", - "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 persoas foron convidados para o seu equipo e foi enviado unha invitación de correo electrónico. Poden unirse ao equipo, aceptando a invitación de correo.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Esta acción é non autorizado.", - "This device": "Este dispositivo", - "This file field is read-only.": "Este ficheiro campo é de só lectura.", - "This image": "Esta imaxe", - "This is a secure area of the application. Please confirm your password before continuing.": "Esta é unha área de seguridade da aplicación. Por favor, confirme o seu contrasinal antes de continuar.", - "This password does not match our records.": "Este contrasinal non coincide nosos rexistros.", "This password reset link will expire in :count minutes.": "Este enlace de restablecemento de contrasinal caducará en :count minutos.", - "This payment was already successfully confirmed.": "Este pago xa foi con éxito confirmado.", - "This payment was cancelled.": "Este pagamento foi cancelado.", - "This resource no longer exists": "Este recurso non existe", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Este usuario xa pertence ao equipo.", - "This user has already been invited to the team.": "Este usuario xa foi convidado para o equipo.", - "Timor-Leste": "Timor-Leste", "to": "para", - "Today": "Hoxe", "Toggle navigation": "Conmutar a navegación", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Token Nome", - "Tonga": "Veñen", "Too Many Attempts.": "Moitos Intentos.", "Too Many Requests": "Demasiadas peticións", - "total": "total", - "Total:": "Total:", - "Trashed": "Lixo", - "Trinidad And Tobago": "Dólar de trindade e Tobago", - "Tunisia": "Tunisia", - "Turkey": "Turquía", - "Turkmenistan": "Turkmenistán", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Illas Turks e Caicos", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Dous Factor De Autenticación", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Dous factor de autenticación agora está activado. Dixitalizar o seguinte código QR mediante o seu teléfono authenticator aplicación.", - "Uganda": "Uganda", - "Ukraine": "Ucraína", "Unauthorized": "Non autorizado", - "United Arab Emirates": "Emiratos Árabes Unidos", - "United Kingdom": "Reino Unido", - "United States": "Estados Unidos", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "Estados UNIDOS Illas Periféricas", - "Update": "Actualización", - "Update & Continue Editing": "Actualización & Continuar Edición", - "Update :resource": "Actualización :resource", - "Update :resource: :title": "Actualización :resource: :title", - "Update attached :resource: :title": "Actualización anexo :resource: :title", - "Update Password": "Contrasinal De Actualización", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Actualizar a súa conta a información do perfil e enderezo de correo electrónico.", - "Uruguay": "Uruguay", - "Use a recovery code": "Usar unha recuperación código", - "Use an authentication code": "Usar un código de autenticación", - "Uzbekistan": "Sum", - "Value": "Valor", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Verifica a dirección de correo electrónico", "Verify Your Email Address": "Verifica a túa dirección de correo electrónico", - "Viet Nam": "Vietnam", - "View": "Vista", - "Virgin Islands, British": "Illas Virxes Británicas", - "Virgin Islands, U.S.": "U. s. Illas Virxes", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis e Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Non fomos capaces de atopar un usuario rexistrado con este enderezo de correo-e.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Non imos pedir para o seu contrasinal outra vez por unhas horas.", - "We're lost in space. The page you were trying to view does not exist.": "Estamos perdidos no espazo. A páxina que estaba tentando ver non existe.", - "Welcome Back!": "Benvido De Volta!", - "Western Sahara": "Sahara Occidental", - "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.": "Cando dous factor de autenticación está activado, será solicitada por un seguro, aleatoria token durante autenticación. Pode recuperar este token a partir do seu teléfono de Google Authenticator aplicación.", - "Whoops": "Berros", - "Whoops!": "¡Vaia!", - "Whoops! Something went wrong.": "Berros! Algo deu mal.", - "With Trashed": "Con Lixo", - "Write": "Escribir", - "Year To Date": "Ano Ata A Data", - "Yearly": "Yearly", - "Yemen": "Rial", - "Yes": "Si", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Vostede está rexistrado!", - "You are receiving this email because we received a password reset request for your account.": "Estás recibindo este correo electrónico porque recibimos unha solicitude de restablecemento do contrasinal para a túa conta.", - "You have been invited to join the :team team!": "Vostede foi convidado a participar no :team equipo!", - "You have enabled two factor authentication.": "Ten habilitado dous factor de autenticación.", - "You have not enabled two factor authentication.": "Non ten habilitado dous factor de autenticación.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "Pode eliminar calquera dos seus existentes fichas, se eles non son máis necesarios.", - "You may not delete your personal team.": "Vostede non pode eliminar o seu equipo persoal.", - "You may not leave a team that you created.": "Vostede non pode deixar un equipo que creou.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "O seu enderezo de correo electrónico non está comprobado.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Cimbabue", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "O seu enderezo de correo electrónico non está comprobado." } diff --git a/locales/gl/packages/cashier.json b/locales/gl/packages/cashier.json new file mode 100644 index 00000000000..ab589556d73 --- /dev/null +++ b/locales/gl/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Todos os dereitos reservados.", + "Card": "Tarxeta", + "Confirm Payment": "Confirmar O Pagamento", + "Confirm your :amount payment": "Confirmar a súa :amount pago", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Extra confirmación é necesario para procesar o seu pagamento. Por favor, confirme o seu pagamento por cubrir o seu pago detalles a continuación.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmación é necesario para procesar o seu pagamento. Por favor, continuar ao pago páxina, premendo no botón de abaixo.", + "Full name": "Nome completo", + "Go back": "Volver", + "Jane Doe": "Jane Doe", + "Pay :amount": "Pagar :amount", + "Payment Cancelled": "Pagamento Cancelado", + "Payment Confirmation": "Confirmación Do Pago", + "Payment Successful": "Pagamento De Éxito", + "Please provide your name.": "Por favor, proporcionar o seu nome.", + "The payment was successful.": "O pago foi un éxito.", + "This payment was already successfully confirmed.": "Este pago xa foi con éxito confirmado.", + "This payment was cancelled.": "Este pagamento foi cancelado." +} diff --git a/locales/gl/packages/fortify.json b/locales/gl/packages/fortify.json new file mode 100644 index 00000000000..fdb6e6d5bce --- /dev/null +++ b/locales/gl/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": "O :attribute debe ser de polo menos :length personaxes e conter, polo menos, un número.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "O :attribute debe ser de polo menos :length personaxes e conter, polo menos, un carácter especial e un número.", + "The :attribute must be at least :length characters and contain at least one special character.": "O :attribute debe ser de polo menos :length personaxes e conter, polo menos, un carácter especial.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "O :attribute debe ser de polo menos :length personaxes e conter, polo menos, un carácter en maiúscula e un número.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "O :attribute debe ser de polo menos :length personaxes e conter, polo menos, un carácter en maiúscula e un carácter especial.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "O :attribute debe ser de polo menos :length personaxes e conter, polo menos, un carácter en maiúscula, un número, e un carácter especial.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "O :attribute debe ser de polo menos :length personaxes e conter, polo menos, un carácter en maiúscula.", + "The :attribute must be at least :length characters.": "O :attribute debe ser de polo menos :length personaxes.", + "The provided password does not match your current password.": "Sempre que o contrasinal non coincide o seu contrasinal actual.", + "The provided password was incorrect.": "Sempre que o contrasinal incorrecto.", + "The provided two factor authentication code was invalid.": "O previsto dous factor de autenticación código era válido." +} diff --git a/locales/gl/packages/jetstream.json b/locales/gl/packages/jetstream.json new file mode 100644 index 00000000000..f82567dca9c --- /dev/null +++ b/locales/gl/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Unha nova verificación enlace foi enviado ao enderezo de correo electrónico que proporcionou durante o rexistro.", + "Accept Invitation": "Aceptar A Invitación", + "Add": "Engadir", + "Add a new team member to your team, allowing them to collaborate with you.": "Engadir un novo membro do equipo para o seu equipo, o que lles permite colaborar con vostede.", + "Add additional security to your account using two factor authentication.": "Engadir adicional de seguridade para a súa conta usando dous factor de autenticación.", + "Add Team Member": "Engadir Membro Do Equipo", + "Added.": "Engadiu.", + "Administrator": "Administrador", + "Administrator users can perform any action.": "Administrador os usuarios poden realizar calquera acción.", + "All of the people that are part of this team.": "Todas as persoas que forman parte de este equipo.", + "Already registered?": "Xa rexistrado?", + "API Token": "API Token", + "API Token Permissions": "API Token Permisos", + "API Tokens": "API de Mostras", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API de mostras permiten servizos de terceiros para acceder coa nosa solicitude no seu nome.", + "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 de que quere eliminar este equipo? Unha vez que un equipo é eliminado, os seus recursos e datos serán definitivamente excluídos.", + "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 de que desexa eliminar a súa conta? Unha vez que a súa conta está excluído, todos os seus recursos e datos serán definitivamente excluídos. Por favor, introduza o seu contrasinal para confirmar que desexa eliminar permanentemente a súa conta.", + "Are you sure you would like to delete this API token?": "Está seguro de que desexa borrar esta API token?", + "Are you sure you would like to leave this team?": "Está seguro de que quere deixar este equipo?", + "Are you sure you would like to remove this person from the team?": "Está seguro de que desexa eliminar esta persoa do equipo?", + "Browser Sessions": "Navegador Sesións", + "Cancel": "Cancelar", + "Close": "Preto", + "Code": "Código", + "Confirm": "Confirmar", + "Confirm Password": "Confirmar o contrasinal", + "Create": "Crear", + "Create a new team to collaborate with others on projects.": "Crear un novo equipo para colaborar con outros proxectos.", + "Create Account": "Crear Unha Conta", + "Create API Token": "Crear API Token", + "Create New Team": "Crear Novo Equipo", + "Create Team": "Crear Equipo", + "Created.": "Creado.", + "Current Password": "Contrasinal Actual", + "Dashboard": "Panel de control", + "Delete": "Eliminar", + "Delete Account": "Eliminar Conta", + "Delete API Token": "Eliminar API Token", + "Delete Team": "Eliminar Equipo", + "Disable": "Desactivar", + "Done.": "Feito.", + "Editor": "Editor", + "Editor users have the ability to read, create, and update.": "Editor usuarios teñen a capacidade de ler, a crear e actualizar.", + "Email": "Correo electrónico", + "Email Password Reset Link": "Correo-E Redefinición De Contrasinal Ligazón", + "Enable": "Activar", + "Ensure your account is using a long, random password to stay secure.": "Garantir que a súa conta está a usar un longo, contrasinal aleatorio para estar seguro.", + "For your security, please confirm your password to continue.": "Para a súa seguridade, por favor, confirme o seu contrasinal para continuar.", + "Forgot your password?": "Se esqueceu o seu contrasinal?", + "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.": "Se esqueceu o seu contrasinal? Non hai ningún problema. Só deixe-nos saber o seu enderezo de correo electrónico e nós enviarémosche unha redefinición de contrasinal ligazón que permitirá que escoller un novo.", + "Great! You have accepted the invitation to join the :team team.": "Gran! Aceptou a invitación para unirse a :team equipo.", + "I agree to the :terms_of_service and :privacy_policy": "Eu estou de acordo que o :terms_of_service e :privacy_policy", + "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 é necesario, pode saír de todos os seus outro navegador sesións en todos os seus dispositivos. Algunhas das súas últimas sesións están listados abaixo; con todo, esta lista non pode ser exhaustiva. Se pensas que a súa conta foi comprometida, tamén debe actualizar o seu contrasinal.", + "If you already have an account, you may accept this invitation by clicking the button below:": "Se xa ten unha conta, pode aceptar esta invitación premendo o botón de embaixo:", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Se non esperar a recibir unha invitación para este equipo, que pode descartar este correo.", + "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 ten unha conta, vostede pode crear unha premendo no botón de abaixo. Despois de crear unha conta, pode facer clic a invitación a aceptación botón neste correo electrónico para aceptar o equipo de invitación:", + "Last active": "O pasado activo", + "Last used": "Usado por última vez", + "Leave": "Deixar", + "Leave Team": "Deixe O Equipo", + "Log in": "Entrar en", + "Log Out": "Saír", + "Log Out Other Browser Sessions": "Saír Outro Navegador Sesións", + "Manage Account": "Xestionar Conta", + "Manage and log out your active sessions on other browsers and devices.": "Xestionar e saír do seu activo sesións sobre outros navegadores e dispositivos.", + "Manage API Tokens": "Xestionar API Fichas", + "Manage Role": "Xestionar Papel", + "Manage Team": "Xestionar O Equipo", + "Name": "Nome", + "New Password": "Novo Contrasinal", + "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.": "Unha vez que un equipo é eliminado, os seus recursos e datos serán definitivamente excluídos. Antes de eliminar este equipo, por favor descargar calquera dato ou información sobre este equipo que quere manter.", + "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.": "Unha vez que a súa conta está excluído, todos os seus recursos e datos serán definitivamente excluídos. Antes de eliminar a súa conta, por favor, descarga de calquera dos datos ou a información que quere manter.", + "Password": "Contrasinal", + "Pending Team Invitations": "Pendente Equipo De Invitacións", + "Permanently delete this team.": "Eliminar permanentemente este equipo.", + "Permanently delete your account.": "Eliminar permanentemente a súa conta.", + "Permissions": "Permisos", + "Photo": "Foto", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Por favor, confirmar o acceso á súa conta, escribindo un dos seus emerxencia recuperación códigos.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Por favor, confirmar o acceso á súa conta, escribindo o código de autenticación proporcionada polo seu authenticator aplicación.", + "Please copy your new API token. For your security, it won't be shown again.": "Por favor copie o seu novo API token. Para a súa seguridade, non vai ser mostrado de novo.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Por favor, introduza o seu contrasinal para confirmar que quere saír do seu outro navegador sesións en todos os seus dispositivos.", + "Please provide the email address of the person you would like to add to this team.": "Por favor, forneza o enderezo de correo electrónico da persoa que desexa engadir a este equipo.", + "Privacy Policy": "Política De Privacidade", + "Profile": "Perfil", + "Profile Information": "Información De Perfil", + "Recovery Code": "Recuperación Código", + "Regenerate Recovery Codes": "Rexenerar A Recuperación Códigos", + "Register": "Rexistrar", + "Remember me": "Lembre-se de min", + "Remove": "Eliminar", + "Remove Photo": "Eliminar Foto", + "Remove Team Member": "Eliminar O Membro Do Equipo", + "Resend Verification Email": "Reenviar Correo Electrónico De Verificación", + "Reset Password": "Restablecer contrasinal", + "Role": "Papel", + "Save": "Gardar", + "Saved.": "Salvo.", + "Select A New Photo": "Seleccione Unha Nova Imaxe", + "Show Recovery Codes": "Concerto De Recuperación De Códigos", + "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.": "Tenda estes recuperación códigos en un contrasinal seguro xestor. Eles poden ser usados para recuperar o acceso á túa conta se os seus dous factor de autenticación dispositivo sexa perdido.", + "Switch Teams": "Interruptor De Equipos", + "Team Details": "O Equipo Detalles", + "Team Invitation": "Equipo De Invitación", + "Team Members": "Os Membros Do Equipo", + "Team Name": "Nome Do Equipo", + "Team Owner": "O Propietario Do Equipo", + "Team Settings": "Equipo De Configuración", + "Terms of Service": "Termos de Servizo", + "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.": "Grazas por rexistrarte! Antes de comezar, pode comprobar o seu enderezo de correo electrónico, premendo no enlace que só enviado a vostede? Se non recibir o correo electrónico, que terán pracer en enviarlle outra.", + "The :attribute must be a valid role.": "O :attribute debe ser válida papel.", + "The :attribute must be at least :length characters and contain at least one number.": "O :attribute debe ser de polo menos :length personaxes e conter, polo menos, un número.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "O :attribute debe ser de polo menos :length personaxes e conter, polo menos, un carácter especial e un número.", + "The :attribute must be at least :length characters and contain at least one special character.": "O :attribute debe ser de polo menos :length personaxes e conter, polo menos, un carácter especial.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "O :attribute debe ser de polo menos :length personaxes e conter, polo menos, un carácter en maiúscula e un número.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "O :attribute debe ser de polo menos :length personaxes e conter, polo menos, un carácter en maiúscula e un carácter especial.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "O :attribute debe ser de polo menos :length personaxes e conter, polo menos, un carácter en maiúscula, un número, e un carácter especial.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "O :attribute debe ser de polo menos :length personaxes e conter, polo menos, un carácter en maiúscula.", + "The :attribute must be at least :length characters.": "O :attribute debe ser de polo menos :length personaxes.", + "The provided password does not match your current password.": "Sempre que o contrasinal non coincide o seu contrasinal actual.", + "The provided password was incorrect.": "Sempre que o contrasinal incorrecto.", + "The provided two factor authentication code was invalid.": "O previsto dous factor de autenticación código era válido.", + "The team's name and owner information.": "O nome do equipo e propietario de información.", + "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 persoas foron convidados para o seu equipo e foi enviado unha invitación de correo electrónico. Poden unirse ao equipo, aceptando a invitación de correo.", + "This device": "Este dispositivo", + "This is a secure area of the application. Please confirm your password before continuing.": "Esta é unha área de seguridade da aplicación. Por favor, confirme o seu contrasinal antes de continuar.", + "This password does not match our records.": "Este contrasinal non coincide nosos rexistros.", + "This user already belongs to the team.": "Este usuario xa pertence ao equipo.", + "This user has already been invited to the team.": "Este usuario xa foi convidado para o equipo.", + "Token Name": "Token Nome", + "Two Factor Authentication": "Dous Factor De Autenticación", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Dous factor de autenticación agora está activado. Dixitalizar o seguinte código QR mediante o seu teléfono authenticator aplicación.", + "Update Password": "Contrasinal De Actualización", + "Update your account's profile information and email address.": "Actualizar a súa conta a información do perfil e enderezo de correo electrónico.", + "Use a recovery code": "Usar unha recuperación código", + "Use an authentication code": "Usar un código de autenticación", + "We were unable to find a registered user with this email address.": "Non fomos capaces de atopar un usuario rexistrado con este enderezo de correo-e.", + "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.": "Cando dous factor de autenticación está activado, será solicitada por un seguro, aleatoria token durante autenticación. Pode recuperar este token a partir do seu teléfono de Google Authenticator aplicación.", + "Whoops! Something went wrong.": "Berros! Algo deu mal.", + "You have been invited to join the :team team!": "Vostede foi convidado a participar no :team equipo!", + "You have enabled two factor authentication.": "Ten habilitado dous factor de autenticación.", + "You have not enabled two factor authentication.": "Non ten habilitado dous factor de autenticación.", + "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.": "Pode eliminar calquera dos seus existentes fichas, se eles non son máis necesarios.", + "You may not delete your personal team.": "Vostede non pode eliminar o seu equipo persoal.", + "You may not leave a team that you created.": "Vostede non pode deixar un equipo que creou." +} diff --git a/locales/gl/packages/nova.json b/locales/gl/packages/nova.json new file mode 100644 index 00000000000..e684fea21e0 --- /dev/null +++ b/locales/gl/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Días", + "60 Days": "De 60 Días", + "90 Days": "90 Días", + ":amount Total": ":amount Total", + ":resource Details": ":resource Detalles", + ":resource Details: :title": ":resource Detalles: :title", + "Action": "Acción", + "Action Happened At": "Aconteceu Na", + "Action Initiated By": "Iniciado Por", + "Action Name": "Nome", + "Action Status": "Estado", + "Action Target": "De destino", + "Actions": "Accións", + "Add row": "Engadir liña", + "Afghanistan": "Afganistán", + "Aland Islands": "Illas Åland", + "Albania": "Albania", + "Algeria": "Alxeria", + "All resources loaded.": "Todos os recursos cargados.", + "American Samoa": "Samoa Americana", + "An error occured while uploading the file.": "Un erro ocorrida mentres carga o ficheiro.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguila", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Outro usuario ten actualizado este recurso dende esta páxina foi cargado. Por favor, actualice a páxina e ténteo de novo.", + "Antarctica": "Antártida", + "Antigua And Barbuda": "Antigua e Barbuda", + "April": "Abril", + "Are you sure you want to delete the selected resources?": "Está seguro de que quere eliminar o billete de recursos?", + "Are you sure you want to delete this file?": "Estás seguro de querer borrar este ficheiro?", + "Are you sure you want to delete this resource?": "Está seguro de que quere eliminar este recurso?", + "Are you sure you want to detach the selected resources?": "Está seguro de que quere separar o billete de recursos?", + "Are you sure you want to detach this resource?": "Está seguro de que quere separar este recurso?", + "Are you sure you want to force delete the selected resources?": "Está seguro de que quere forza eliminar o billete de recursos?", + "Are you sure you want to force delete this resource?": "Está seguro de que quere forza eliminar este recurso?", + "Are you sure you want to restore the selected resources?": "Está seguro de que quere restaurar o billete de recursos?", + "Are you sure you want to restore this resource?": "Está seguro de que quere restaurar este recurso?", + "Are you sure you want to run this action?": "Está seguro de que quere executar esta acción?", + "Argentina": "Arxentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Attach": "Achegar", + "Attach & Attach Another": "Achegar & Achegar Outro", + "Attach :resource": "Achegar :resource", + "August": "Agosto", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Acerbaixán", + "Bahamas": "Bahamas", + "Bahrain": "Bahrein", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Bielorrusia", + "Belgium": "Bélxica", + "Belize": "Belice", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bután", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius e Sábado", + "Bosnia And Herzegovina": "Bosnia e Hercegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brasil", + "British Indian Ocean Territory": "Territorio Británico Do Océano Índico", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Camerún", + "Canada": "Canadá", + "Cancel": "Cancelar", + "Cape Verde": "Cabo Verde", + "Cayman Islands": "Illas Caimán", + "Central African Republic": "Central Africano República", + "Chad": "Chad", + "Changes": "Cambios", + "Chile": "Chile", + "China": "China", + "Choose": "Escoller", + "Choose :field": "Escolla :field", + "Choose :resource": "Escolla :resource", + "Choose an option": "Seleccione unha opción", + "Choose date": "Elixir data", + "Choose File": "Escolla O Ficheiro", + "Choose Type": "Escolla O Tipo De", + "Christmas Island": "Illa De Nadal", + "Click to choose": "Prema para escoller", + "Cocos (Keeling) Islands": "Traído Desde \"\"", + "Colombia": "Colombia", + "Comoros": "Comores", + "Confirm Password": "Confirmar o contrasinal", + "Congo": "Congo", + "Congo, Democratic Republic": "Congo, República Democrática", + "Constant": "Constante", + "Cook Islands": "Das Illas Cook", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "non podería ser atopado.", + "Create": "Crear", + "Create & Add Another": "Crear E Engadir Outra", + "Create :resource": "Crear :resource", + "Croatia": "Croacia", + "Cuba": "Cuba", + "Curaçao": "Curacao", + "Customize": "Personalizar", + "Cyprus": "Chipre", + "Czech Republic": "República checa", + "Dashboard": "Panel de control", + "December": "Decembro", + "Decrease": "Diminución", + "Delete": "Eliminar", + "Delete File": "Eliminar O Ficheiro", + "Delete Resource": "Eliminar Recurso", + "Delete Selected": "Eliminar Seleccionados", + "Denmark": "Dinamarca", + "Detach": "Destacar", + "Detach Resource": "Destacar Recurso", + "Detach Selected": "Destacar Seleccionados", + "Details": "Detalles", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Realmente quere saír? Ten perdidos cambios.", + "Dominica": "Domingo", + "Dominican Republic": "República Dominicana", + "Download": "Descargar", + "Ecuador": "Ecuador", + "Edit": "Editar \/ editar a fonte", + "Edit :resource": "Editar \/ editar a fonte :resource", + "Edit Attached": "Editar \/ Editar A Fonte Adxunto", + "Egypt": "Exipto", + "El Salvador": "Salvador", + "Email Address": "Enderezo De Correo Electrónico", + "Equatorial Guinea": "Guinea Ecuatorial", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Etiopía", + "Falkland Islands (Malvinas)": "Libra Illas Malvinas)", + "Faroe Islands": "Illas Feroe", + "February": "Febreiro", + "Fiji": "Fidxi", + "Finland": "Finlandia", + "Force Delete": "Forza Eliminar", + "Force Delete Resource": "Forza Eliminar Recurso", + "Force Delete Selected": "Forza Eliminar Seleccionados", + "Forgot Your Password?": "Olvidaches o teu contrasinal?", + "Forgot your password?": "Se esqueceu o seu contrasinal?", + "France": "Francia", + "French Guiana": "Güiana Francesa", + "French Polynesia": "Polinesia Francesa", + "French Southern Territories": "Francés Territorios Do Sur", + "Gabon": "Gabón", + "Gambia": "Gambia", + "Georgia": "Xeorxia", + "Germany": "Alemaña", + "Ghana": "Cedi", + "Gibraltar": "Xibraltar", + "Go Home": "Ir ao inicio", + "Greece": "Grecia", + "Greenland": "Groenlandia", + "Grenada": "Granada", + "Guadeloupe": "Guadalupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Güiana", + "Haiti": "Haití", + "Heard Island & Mcdonald Islands": "Oín Illa e McDonald Illas", + "Hide Content": "Ocultar Contido", + "Hold Up!": "Manteña-Se!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungría", + "Iceland": "Islandia", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "Se non solicitaches o restablecemento do contrasinal, non tes que realizar ningunha acción adicional.", + "Increase": "Aumentar", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic Of": "Irán", + "Iraq": "Iraq", + "Ireland": "Irlanda", + "Isle Of Man": "Illa de Man", + "Israel": "Israel", + "Italy": "Italia", + "Jamaica": "Xamaica", + "January": "Xaneiro", + "Japan": "Xapón", + "Jersey": "Jersey", + "Jordan": "Jordan", + "July": "Xullo", + "June": "Xuño", + "Kazakhstan": "Casaquistán", + "Kenya": "Quenia", + "Key": "Clave", + "Kiribati": "Kiribati", + "Korea": "Corea Do Sur", + "Korea, Democratic People's Republic of": "Corea Do Norte", + "Kosovo": "Kosovo", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Quirguicistán", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Letonia", + "Lebanon": "Líbano", + "Lens": "Lente", + "Lesotho": "Lesoto", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libia", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lituania", + "Load :perPage More": "Carga :perPage Máis", + "Login": "Iniciar sesión", + "Logout": "Pechar sesión", + "Luxembourg": "Luxemburgo", + "Macao": "Macau", + "Macedonia": "Norte De Macedonia", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaisia", + "Maldives": "Maldivas", + "Mali": "Pequeno", + "Malta": "Malta", + "March": "Marzo", + "Marshall Islands": "Marshall Islands", + "Martinique": "Martinica", + "Mauritania": "Mauritania", + "Mauritius": "Mauricio", + "May": "Pode", + "Mayotte": "Mayotte", + "Mexico": "México", + "Micronesia, Federated States Of": "Micronesia", + "Moldova": "Moldavia", + "Monaco": "Mónaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Month To Date": "Mes Á Data", + "Montserrat": "Montserrat", + "Morocco": "Marrocos", + "Mozambique": "Mozambique", + "Myanmar": "Birmania", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Holanda", + "New": "Nova", + "New :resource": "Nova :resource", + "New Caledonia": "Nova Caledonia", + "New Zealand": "Nova Celandia", + "Next": "Seguinte", + "Nicaragua": "Nicaragua", + "Niger": "Níxer", + "Nigeria": "Nixeria", + "Niue": "Niue", + "No": "Non", + "No :resource matched the given criteria.": "Non :resource combinados dado criterios.", + "No additional information...": "Non hai información adicional...", + "No Current Data": "Ningunha Corrente De Datos", + "No Data": "Non Hai Datos", + "no file selected": "ningún ficheiro seleccionado", + "No Increase": "Non Aumentar", + "No Prior Data": "Non Antes De Datos", + "No Results Found.": "Non Se Atoparon Resultados.", + "Norfolk Island": "Illa Norfolk", + "Northern Mariana Islands": "Northern Mariana Islands", + "Norway": "Noruega", + "Nova User": "Nova Usuario", + "November": "Novembro", + "October": "Outubro", + "of": "de", + "Oman": "Omán", + "Only Trashed": "Só Lixo", + "Original": "Orixinal", + "Pakistan": "Paquistán", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Territorios Palestinos", + "Panama": "Panamá", + "Papua New Guinea": "Papúa Nova Guinea", + "Paraguay": "Paraguay", + "Password": "Contrasinal", + "Per Page": "Por Páxina", + "Peru": "Perú", + "Philippines": "Filipinas", + "Pitcairn": "Pitcairn Illas", + "Poland": "Polonia", + "Portugal": "Portugal", + "Press \/ to search": "Prensa \/ para buscar", + "Preview": "Vista previa", + "Previous": "Anterior", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Trimestre A Data", + "Reload": "Reload", + "Remember Me": "Recórdame", + "Reset Filters": "Redefinición De Filtros", + "Reset Password": "Restablecer contrasinal", + "Reset Password Notification": "Notificación de restablecemento de contrasinal", + "resource": "recurso", + "Resources": "Recursos", + "resources": "recursos", + "Restore": "Restaurar", + "Restore Resource": "Restaurar Recurso", + "Restore Selected": "Restaurar Seleccionados", + "Reunion": "Reunión", + "Romania": "Romanía", + "Run Action": "Executar A Acción", + "Russian Federation": "Federación Rusa", + "Rwanda": "Ruanda", + "Saint Barthelemy": "Saint Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts And Nevis": "St Kitts e Nevis", + "Saint Lucia": "St Lucia", + "Saint Martin": "St. Martin", + "Saint Pierre And Miquelon": "San Pedro e Miguelón", + "Saint Vincent And Grenadines": "San Vicente e Granadinas", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "São Tomé e Príncipe", + "Saudi Arabia": "Arabia Saudita", + "Search": "Busca", + "Select Action": "Seleccione A Acción", + "Select All": "Seleccionar Todos", + "Select All Matching": "Seleccionar Todo Correspondentes", + "Send Password Reset Link": "Enviar enlace de restablecemento de contrasinal", + "Senegal": "Senegal", + "September": "Setembro", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Show All Fields": "Amosar Todos Os Campos", + "Show Content": "Amosar Contido", + "Sierra Leone": "Sierra Leona", + "Singapore": "Singapur", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Eslovaquia", + "Slovenia": "Eslovenia", + "Solomon Islands": "Dólar Das Illas", + "Somalia": "Somalia", + "Something went wrong.": "Algo deu mal.", + "Sorry! You are not authorized to perform this action.": "Sentímolo! Vostede non está autorizado para realizar esta acción.", + "Sorry, your session has expired.": "Sentímolo, a súa sesión caducou.", + "South Africa": "África Do Sur", + "South Georgia And Sandwich Isl.": "Sur de Xeorxia do Sur e Sandwich Illas", + "South Sudan": "Sudán Do Sur", + "Spain": "España", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Comezar A Votación", + "Stop Polling": "Deixar De Votación", + "Sudan": "Sudán", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard e Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Suecia", + "Switzerland": "Suíza", + "Syrian Arab Republic": "Siria", + "Taiwan": "Taiwán", + "Tajikistan": "Taxiquistán", + "Tanzania": "Tanzania", + "Thailand": "Tailandia", + "The :resource was created!": "O :resource foi creado!", + "The :resource was deleted!": "O :resource foi eliminado!", + "The :resource was restored!": "O :resource foi restaurado!", + "The :resource was updated!": "O :resource foi actualizado!", + "The action ran successfully!": "A acción foi con éxito!", + "The file was deleted!": "O arquivo foi borrado!", + "The government won't let us show you what's behind these doors": "O goberno non imos amosar-lle o que está detrás destas portas", + "The HasOne relationship has already been filled.": "O HasOne relación xa foi cuberto.", + "The resource was updated!": "O recurso foi actualizado!", + "There are no available options for this resource.": "Non hai opcións dispoñibles para este recurso.", + "There was a problem executing the action.": "Houbo un problema executar a acción.", + "There was a problem submitting the form.": "Houbo un problema enviar o formulario.", + "This file field is read-only.": "Este ficheiro campo é de só lectura.", + "This image": "Esta imaxe", + "This resource no longer exists": "Este recurso non existe", + "Timor-Leste": "Timor-Leste", + "Today": "Hoxe", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Veñen", + "total": "total", + "Trashed": "Lixo", + "Trinidad And Tobago": "Dólar de trindade e Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turquía", + "Turkmenistan": "Turkmenistán", + "Turks And Caicos Islands": "Illas Turks e Caicos", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ucraína", + "United Arab Emirates": "Emiratos Árabes Unidos", + "United Kingdom": "Reino Unido", + "United States": "Estados Unidos", + "United States Outlying Islands": "Estados UNIDOS Illas Periféricas", + "Update": "Actualización", + "Update & Continue Editing": "Actualización & Continuar Edición", + "Update :resource": "Actualización :resource", + "Update :resource: :title": "Actualización :resource: :title", + "Update attached :resource: :title": "Actualización anexo :resource: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Sum", + "Value": "Valor", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Vista", + "Virgin Islands, British": "Illas Virxes Británicas", + "Virgin Islands, U.S.": "U. s. Illas Virxes", + "Wallis And Futuna": "Wallis e Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Estamos perdidos no espazo. A páxina que estaba tentando ver non existe.", + "Welcome Back!": "Benvido De Volta!", + "Western Sahara": "Sahara Occidental", + "Whoops": "Berros", + "Whoops!": "¡Vaia!", + "With Trashed": "Con Lixo", + "Write": "Escribir", + "Year To Date": "Ano Ata A Data", + "Yemen": "Rial", + "Yes": "Si", + "You are receiving this email because we received a password reset request for your account.": "Estás recibindo este correo electrónico porque recibimos unha solicitude de restablecemento do contrasinal para a túa conta.", + "Zambia": "Zambia", + "Zimbabwe": "Cimbabue" +} diff --git a/locales/gl/packages/spark-paddle.json b/locales/gl/packages/spark-paddle.json new file mode 100644 index 00000000000..c8c5061d6d0 --- /dev/null +++ b/locales/gl/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Termos de Servizo", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Berros! Algo deu mal.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/gl/packages/spark-stripe.json b/locales/gl/packages/spark-stripe.json new file mode 100644 index 00000000000..1454e262f35 --- /dev/null +++ b/locales/gl/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afganistán", + "Albania": "Albania", + "Algeria": "Alxeria", + "American Samoa": "Samoa Americana", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguila", + "Antarctica": "Antártida", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Arxentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Acerbaixán", + "Bahamas": "Bahamas", + "Bahrain": "Bahrein", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Bielorrusia", + "Belgium": "Bélxica", + "Belize": "Belice", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bután", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brasil", + "British Indian Ocean Territory": "Territorio Británico Do Océano Índico", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Camerún", + "Canada": "Canadá", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Cabo Verde", + "Card": "Tarxeta", + "Cayman Islands": "Illas Caimán", + "Central African Republic": "Central Africano República", + "Chad": "Chad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Chile", + "China": "China", + "Christmas Island": "Illa De Nadal", + "City": "City", + "Cocos (Keeling) Islands": "Traído Desde \"\"", + "Colombia": "Colombia", + "Comoros": "Comores", + "Confirm Payment": "Confirmar O Pagamento", + "Confirm your :amount payment": "Confirmar a súa :amount pago", + "Congo": "Congo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Das Illas Cook", + "Costa Rica": "Costa Rica", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Croacia", + "Cuba": "Cuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Chipre", + "Czech Republic": "República checa", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Dinamarca", + "Djibouti": "Djibouti", + "Dominica": "Domingo", + "Dominican Republic": "República Dominicana", + "Download Receipt": "Download Receipt", + "Ecuador": "Ecuador", + "Egypt": "Exipto", + "El Salvador": "Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Guinea Ecuatorial", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Etiopía", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmación é necesario para procesar o seu pagamento. Por favor, continuar ao pago páxina, premendo no botón de abaixo.", + "Falkland Islands (Malvinas)": "Libra Illas Malvinas)", + "Faroe Islands": "Illas Feroe", + "Fiji": "Fidxi", + "Finland": "Finlandia", + "France": "Francia", + "French Guiana": "Güiana Francesa", + "French Polynesia": "Polinesia Francesa", + "French Southern Territories": "Francés Territorios Do Sur", + "Gabon": "Gabón", + "Gambia": "Gambia", + "Georgia": "Xeorxia", + "Germany": "Alemaña", + "Ghana": "Cedi", + "Gibraltar": "Xibraltar", + "Greece": "Grecia", + "Greenland": "Groenlandia", + "Grenada": "Granada", + "Guadeloupe": "Guadalupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Güiana", + "Haiti": "Haití", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungría", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Islandia", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Iraq", + "Ireland": "Irlanda", + "Isle of Man": "Isle of Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italia", + "Jamaica": "Xamaica", + "Japan": "Xapón", + "Jersey": "Jersey", + "Jordan": "Jordan", + "Kazakhstan": "Casaquistán", + "Kenya": "Quenia", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Corea Do Norte", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Quirguicistán", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Letonia", + "Lebanon": "Líbano", + "Lesotho": "Lesoto", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libia", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lituania", + "Luxembourg": "Luxemburgo", + "Macao": "Macau", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaisia", + "Maldives": "Maldivas", + "Mali": "Pequeno", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marshall Islands", + "Martinique": "Martinica", + "Mauritania": "Mauritania", + "Mauritius": "Mauricio", + "Mayotte": "Mayotte", + "Mexico": "México", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Mónaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Marrocos", + "Mozambique": "Mozambique", + "Myanmar": "Birmania", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Holanda", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Nova Caledonia", + "New Zealand": "Nova Celandia", + "Nicaragua": "Nicaragua", + "Niger": "Níxer", + "Nigeria": "Nixeria", + "Niue": "Niue", + "Norfolk Island": "Illa Norfolk", + "Northern Mariana Islands": "Northern Mariana Islands", + "Norway": "Noruega", + "Oman": "Omán", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Paquistán", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Territorios Palestinos", + "Panama": "Panamá", + "Papua New Guinea": "Papúa Nova Guinea", + "Paraguay": "Paraguay", + "Payment Information": "Payment Information", + "Peru": "Perú", + "Philippines": "Filipinas", + "Pitcairn": "Pitcairn Illas", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Polonia", + "Portugal": "Portugal", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Romanía", + "Russian Federation": "Federación Rusa", + "Rwanda": "Ruanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "St Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Arabia Saudita", + "Save": "Gardar", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Sierra Leone": "Sierra Leona", + "Signed in as": "Signed in as", + "Singapore": "Singapur", + "Slovakia": "Eslovaquia", + "Slovenia": "Eslovenia", + "Solomon Islands": "Dólar Das Illas", + "Somalia": "Somalia", + "South Africa": "África Do Sur", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "España", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudán", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Suecia", + "Switzerland": "Suíza", + "Syrian Arab Republic": "Siria", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Taxiquistán", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Termos de Servizo", + "Thailand": "Tailandia", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Veñen", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turquía", + "Turkmenistan": "Turkmenistán", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ucraína", + "United Arab Emirates": "Emiratos Árabes Unidos", + "United Kingdom": "Reino Unido", + "United States": "Estados Unidos", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Actualización", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Sum", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Illas Virxes Británicas", + "Virgin Islands, U.S.": "U. s. Illas Virxes", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Sahara Occidental", + "Whoops! Something went wrong.": "Berros! Algo deu mal.", + "Yearly": "Yearly", + "Yemen": "Rial", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Cimbabue", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/he/he.json b/locales/he/he.json index 24a2c6767d3..865ea34c780 100644 --- a/locales/he/he.json +++ b/locales/he/he.json @@ -1,710 +1,48 @@ { - "30 Days": "30 ימים", - "60 Days": "60 ימים", - "90 Days": "90 ימים", - ":amount Total": ":amount סה \" כ", - ":days day trial": ":days day trial", - ":resource Details": ":resource פרטים", - ":resource Details: :title": ":resource פרטים: :title", "A fresh verification link has been sent to your email address.": "קישור חדש לאימות נשלח לדואר האלקטרוני שלך.", - "A new verification link has been sent to the email address you provided during registration.": "קישור אימות חדש נשלח לכתובת הדוא \" ל שסיפקת במהלך ההרשמה.", - "Accept Invitation": "קבל הזמנה", - "Action": "פעולה", - "Action Happened At": "קרה ב", - "Action Initiated By": "ביוזמת", - "Action Name": "שם", - "Action Status": "מצב", - "Action Target": "מטרה", - "Actions": "פעולות", - "Add": "הוסף", - "Add a new team member to your team, allowing them to collaborate with you.": "הוסף חבר צוות חדש לצוות שלך, המאפשר להם לשתף איתך פעולה.", - "Add additional security to your account using two factor authentication.": "הוסף אבטחה נוספת לחשבון שלך באמצעות אימות שני גורמים.", - "Add row": "הוסף שורה", - "Add Team Member": "הוסף איש צוות", - "Add VAT Number": "Add VAT Number", - "Added.": "הוסיף.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "מנהל", - "Administrator users can perform any action.": "משתמשי מנהל המערכת יכולים לבצע כל פעולה.", - "Afghanistan": "אפגניסטן", - "Aland Islands": "איי אלנד", - "Albania": "אלבניה", - "Algeria": "אלג ' יריה", - "All of the people that are part of this team.": "כל האנשים שהם חלק מהצוות הזה.", - "All resources loaded.": "כל המשאבים טעונים.", - "All rights reserved.": "כל הזכויות שמורות", - "Already registered?": "כבר רשום?", - "American Samoa": "סמואה האמריקאית", - "An error occured while uploading the file.": "אירעה שגיאה בעת העלאת הקובץ.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "אנדורה", - "Angola": "אנגולה", - "Anguilla": "אנגווילה", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "משתמש אחר עדכן משאב זה מאז טעינת דף זה. אנא רענן את הדף ונסה שוב.", - "Antarctica": "אנטארקטיקה", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "אנטיגואה וברבודה", - "API Token": "אסימון API", - "API Token Permissions": "הרשאות Token API", - "API Tokens": "אסימוני API", - "API tokens allow third-party services to authenticate with our application on your behalf.": "אסימוני API מאפשרים לשירותי צד שלישי לאמת עם היישום שלנו בשמך.", - "April": "אפריל", - "Are you sure you want to delete the selected resources?": "האם אתה בטוח שברצונך למחוק את המשאבים שנבחרו?", - "Are you sure you want to delete this file?": "האם אתה בטוח שברצונך למחוק קובץ זה?", - "Are you sure you want to delete this resource?": "האם אתה בטוח שברצונך למחוק משאב זה?", - "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 detach the selected resources?": "האם אתה בטוח שאתה רוצה לנתק את המשאבים שנבחרו?", - "Are you sure you want to detach this resource?": "אתה בטוח שאתה רוצה לנתק את המשאב הזה?", - "Are you sure you want to force delete the selected resources?": "האם אתה בטוח שאתה רוצה לכפות למחוק את המשאבים שנבחרו?", - "Are you sure you want to force delete this resource?": "האם אתה בטוח שאתה רוצה לכפות למחוק משאב זה?", - "Are you sure you want to restore the selected resources?": "האם אתה בטוח שברצונך לשחזר את המשאבים שנבחרו?", - "Are you sure you want to restore this resource?": "האם אתה בטוח שאתה רוצה לשחזר משאב זה?", - "Are you sure you want to run this action?": "האם אתה בטוח שאתה רוצה להפעיל פעולה זו?", - "Are you sure you would like to delete this API token?": "האם אתה בטוח שאתה רוצה למחוק אסימון API זה?", - "Are you sure you would like to leave this team?": "האם אתה בטוח שאתה רוצה לעזוב את הקבוצה הזאת?", - "Are you sure you would like to remove this person from the team?": "האם אתה בטוח שאתה רוצה להסיר את האדם הזה מהצוות?", - "Argentina": "ארגנטינה", - "Armenia": "ארמניה", - "Aruba": "ארובה", - "Attach": "צרף", - "Attach & Attach Another": "צרף & צרף אחר", - "Attach :resource": "צרף :resource", - "August": "אוגוסט", - "Australia": "אוסטרליה", - "Austria": "אוסטריה", - "Azerbaijan": "אזרבייג ' ן", - "Bahamas": "איי בהאמה", - "Bahrain": "בחריין", - "Bangladesh": "בנגלדש", - "Barbados": "ברבדוס", "Before proceeding, please check your email for a verification link.": "לפני שתמשיכו, אנא בדקו בדואר הלאקטרוני שלכם אחר קישור האימות.", - "Belarus": "בלארוס", - "Belgium": "בלגיה", - "Belize": "בליז", - "Benin": "בנין", - "Bermuda": "ברמודה", - "Bhutan": "בהוטן", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "בוליביה", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius And Sábado", - "Bosnia And Herzegovina": "בוסניה והרצגובינה", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "בוטסואנה", - "Bouvet Island": "Bouvet איילנד", - "Brazil": "ברזיל", - "British Indian Ocean Territory": "הטריטוריה הבריטית באוקיינוס ההודי", - "Browser Sessions": "הפעלות בדפדפן", - "Brunei Darussalam": "Brunei", - "Bulgaria": "בולגריה", - "Burkina Faso": "בורקינה פאסו", - "Burundi": "בורונדי", - "Cambodia": "קמבודיה", - "Cameroon": "קמרון", - "Canada": "קנדה", - "Cancel": "ביטול", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "כף ורדה", - "Card": "כרטיס", - "Cayman Islands": "איי קיימן", - "Central African Republic": "הרפובליקה המרכז אפריקאית", - "Chad": "צ ' אד", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "שינויים", - "Chile": "צ ' ילה", - "China": "סין", - "Choose": "בחר", - "Choose :field": "בחר :field", - "Choose :resource": "בחר :resource", - "Choose an option": "בחר אפשרות", - "Choose date": "בחר תאריך", - "Choose File": "בחר קובץ", - "Choose Type": "בחר סוג", - "Christmas Island": "אי חג המולד", - "City": "City", "click here to request another": "הקליקו כאן לבקשת אחד חדש", - "Click to choose": "לחץ כדי לבחור", - "Close": "סגור", - "Cocos (Keeling) Islands": "איי קוקוס (קילינג) ", - "Code": "קוד", - "Colombia": "קולומביה", - "Comoros": "קומורו", - "Confirm": "אישור", - "Confirm Password": "אימות סיסמה", - "Confirm Payment": "אשר תשלום", - "Confirm your :amount payment": "אשר את תשלום :amount שלך", - "Congo": "קונגו", - "Congo, Democratic Republic": "קונגו, הרפובליקה הדמוקרטית", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "קבוע", - "Cook Islands": "איי קוק", - "Costa Rica": "קוסטה ריקה", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "לא ניתן למצוא.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "צור", - "Create & Add Another": "צור & הוסף עוד", - "Create :resource": "צור :resource", - "Create a new team to collaborate with others on projects.": "צור צוות חדש לשיתוף פעולה עם אחרים בפרויקטים.", - "Create Account": "צור חשבון", - "Create API Token": "צור אסימון API", - "Create New Team": "צור צוות חדש", - "Create Team": "צור צוות", - "Created.": "נוצר.", - "Croatia": "קרואטיה", - "Cuba": "קובה", - "Curaçao": "קורסאו", - "Current Password": "ססמה נוכחית", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "התאמה אישית", - "Cyprus": "קפריסין", - "Czech Republic": "צ ' כיה", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "לוח מחוונים", - "December": "דצמבר", - "Decrease": "הקטן", - "Delete": "מחק", - "Delete Account": "מחק חשבון", - "Delete API Token": "מחק אסימון API", - "Delete File": "מחק קובץ", - "Delete Resource": "מחק משאב", - "Delete Selected": "מחק בחירה", - "Delete Team": "מחק צוות", - "Denmark": "דנמרק", - "Detach": "נתק", - "Detach Resource": "נתק משאב", - "Detach Selected": "ניתוק נבחר", - "Details": "פרטים", - "Disable": "בטל", - "Djibouti": "ג ' יבוטי", - "Do you really want to leave? You have unsaved changes.": "אתה באמת רוצה לעזוב? יש לך שינויים שלא נשמרו.", - "Dominica": "יום ראשון", - "Dominican Republic": "הרפובליקה הדומיניקנית", - "Done.": "בוצע.", - "Download": "הורד", - "Download Receipt": "Download Receipt", "E-Mail Address": "דואר אלקטרוני", - "Ecuador": "אקוודור", - "Edit": "עריכה", - "Edit :resource": "עריכה :resource", - "Edit Attached": "ערוך מצורף", - "Editor": "עורך", - "Editor users have the ability to read, create, and update.": "למשתמשי העורך יש את היכולת לקרוא, ליצור ולעדכן.", - "Egypt": "מצרים", - "El Salvador": "אל סלבדור", - "Email": "דוא \" ל", - "Email Address": "כתובת דוא \" ל", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "איפוס סיסמה", - "Enable": "אפשר", - "Ensure your account is using a long, random password to stay secure.": "ודא שהחשבון שלך משתמש בסיסמה ארוכה ואקראית כדי להישאר מאובטח.", - "Equatorial Guinea": "גינאה המשוונית", - "Eritrea": "אריתריאה", - "Estonia": "אסטוניה", - "Ethiopia": "אתיופיה", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "יש צורך באישור נוסף כדי לעבד את התשלום שלך. אנא אשר את התשלום שלך על ידי מילוי פרטי התשלום שלך להלן.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "יש צורך באישור נוסף כדי לעבד את התשלום שלך. אנא המשך לדף התשלום על ידי לחיצה על הכפתור למטה.", - "Falkland Islands (Malvinas)": "איי פוקלנד (Malvinas)", - "Faroe Islands": "איי פארו", - "February": "פברואר", - "Fiji": "פיג ' י", - "Finland": "פינלנד", - "For your security, please confirm your password to continue.": "למען ביטחונכם, אנא אשרו את סיסמתכם להמשך.", "Forbidden": "אסור", - "Force Delete": "כפה מחיקה", - "Force Delete Resource": "כפה משאב מחיקה", - "Force Delete Selected": "& מחק בחירה", - "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.": "שכחת את הסיסמה שלך? אין בעיה. רק תודיע לנו את כתובת הדוא \" ל שלך ואנו נשלח לך קישור איפוס סיסמה שיאפשר לך לבחור אחד חדש.", - "France": "צרפת", - "French Guiana": "גיאנה הצרפתית", - "French Polynesia": "פולינזיה הצרפתית", - "French Southern Territories": "הטריטוריות הדרומיות של צרפת", - "Full name": "שם מלא", - "Gabon": "גבון", - "Gambia": "גמביה", - "Georgia": "גאורגיה", - "Germany": "גרמניה", - "Ghana": "גאנה", - "Gibraltar": "גיברלטר", - "Go back": "חזור", - "Go Home": "חזרה לדף הבית", "Go to page :page": "עבור לעמוד :page", - "Great! You have accepted the invitation to join the :team team.": "נהדר! קיבלת את ההזמנה להצטרף לצוות :team.", - "Greece": "יוון", - "Greenland": "גרינלנד", - "Grenada": "גרנדה", - "Guadeloupe": "גוואדלופ", - "Guam": "גואם", - "Guatemala": "גואטמלה", - "Guernsey": "גרנזי", - "Guinea": "גינאה", - "Guinea-Bissau": "גינאה ביסאו", - "Guyana": "גיאנה", - "Haiti": "האיטי", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "איי הרד ואיי מקדונלד", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "שלום!", - "Hide Content": "הסתר תוכן", - "Hold Up!": "חכה רגע!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "הונדורס", - "Hong Kong": "הונג קונג", - "Hungary": "הונגריה", - "I agree to the :terms_of_service and :privacy_policy": "אני מסכים :terms_of_service ו :privacy_policy", - "Iceland": "איסלנד", - "ID": "זהות", - "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 logout 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 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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": " אם אתם נתקלים בבעיה ללחוץ על \":actionText\", אנא העתיקו את הקישור המופיע מטה לתוך שורת הכתובות", - "Increase": "הגדל", - "India": "הודו", - "Indonesia": "אינדונזיה", "Invalid signature.": "חתימה אינה תקינה.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "אירן", - "Iraq": "עיראק", - "Ireland": "אירלנד", - "Isle of Man": "Isle of Man", - "Isle Of Man": "האי מאן", - "Israel": "ישראל", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "איטליה", - "Jamaica": "ג ' מייקה", - "January": "ינואר", - "Japan": "יפן", - "Jersey": "ג ' רזי", - "Jordan": "ירדן", - "July": "יולי", - "June": "יוני", - "Kazakhstan": "קזחסטן", - "Kenya": "קניה", - "Key": "מפתח", - "Kiribati": "קיריבטי", - "Korea": "דרום קוריאה", - "Korea, Democratic People's Republic of": "צפון קוריאה", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "קוסובו", - "Kuwait": "כווית", - "Kyrgyzstan": "קירגיזסטן", - "Lao People's Democratic Republic": "לאוס", - "Last active": "פעיל אחרון", - "Last used": "שימוש אחרון", - "Latvia": "לטביה", - "Leave": "השאר", - "Leave Team": "השאר צוות", - "Lebanon": "לבנון", - "Lens": "עדשה", - "Lesotho": "לסוטו", - "Liberia": "ליבריה", - "Libyan Arab Jamahiriya": "לוב", - "Liechtenstein": "ליכטנשטיין", - "Lithuania": "ליטא", - "Load :perPage More": "טען :perPage יותר", - "Log in": "התחבר", "Log out": "התנתק", - "Log Out": "התנתק", - "Log Out Other Browser Sessions": "להתנתק הפעלות דפדפן אחרות", - "Login": "התחברות", - "Logout": "התנתקות", "Logout Other Browser Sessions": "התנתקות מפעילויות דפדפן אחרות", - "Luxembourg": "לוקסמבורג", - "Macao": "מקאו", - "Macedonia": "מקדוניה הצפונית", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "מדגסקר", - "Malawi": "מלאווי", - "Malaysia": "מלזיה", - "Maldives": "האיים המלדיביים", - "Mali": "קטן", - "Malta": "מלטה", - "Manage Account": "ניהול חשבון", - "Manage and log out your active sessions on other browsers and devices.": "נהל והתחבר להפעלות הפעילות שלך בדפדפנים ובמכשירים אחרים.", "Manage and logout your active sessions on other browsers and devices.": "ניהול וניתוק הפעלות הפעילות שלך בדפדפנים ובמכשירים אחרים.", - "Manage API Tokens": "ניהול אסימוני API", - "Manage Role": "ניהול תפקיד", - "Manage Team": "ניהול צוות", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "מרץ", - "Marshall Islands": "איי מרשל", - "Martinique": "מרטיניק", - "Mauritania": "מאוריטניה", - "Mauritius": "מאוריציוס", - "May": "מאי", - "Mayotte": "מיוט", - "Mexico": "מקסיקו", - "Micronesia, Federated States Of": "מיקרונזיה", - "Moldova": "מולדובה", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "מונקו", - "Mongolia": "מונגוליה", - "Montenegro": "מונטנגרו", - "Month To Date": "חודש עד כה", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "מונטסראט", - "Morocco": "מרוקו", - "Mozambique": "מוזמביק", - "Myanmar": "מיאנמר", - "Name": "שם", - "Namibia": "נמיביה", - "Nauru": "נאורו", - "Nepal": "נפאל", - "Netherlands": "הולנד", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "לא משנה", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "חדש", - "New :resource": "חדש :resource", - "New Caledonia": "קלדוניה החדשה", - "New Password": "סיסמה חדשה", - "New Zealand": "ניו זילנד", - "Next": "הבא", - "Nicaragua": "ניקרגואה", - "Niger": "ניז'ר", - "Nigeria": "ניגריה", - "Niue": "ניואה", - "No": "לא", - "No :resource matched the given criteria.": "מספר :resource תאם את הקריטריונים.", - "No additional information...": "אין מידע נוסף...", - "No Current Data": "אין נתונים נוכחיים", - "No Data": "אין נתונים", - "no file selected": "לא נבחר קובץ", - "No Increase": "אין עלייה", - "No Prior Data": "אין נתונים קודמים", - "No Results Found.": "לא נמצאו תוצאות.", - "Norfolk Island": "האי נורפולק", - "Northern Mariana Islands": "איי מריאנה הצפוניים", - "Norway": "נורבגיה", "Not Found": "לא נמצא", - "Nova User": "משתמש נובה", - "November": "נובמבר", - "October": "אוקטובר", - "of": "של", "Oh no": "אוי, לא", - "Oman": "עומאן", - "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 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 Trashed": "רק לאשפה", - "Original": "מקורי", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "תוקף הדף פג", "Pagination Navigation": "ניווט בדפים", - "Pakistan": "פקיסטן", - "Palau": "פלאו", - "Palestinian Territory, Occupied": "השטחים הפלסטיניים", - "Panama": "פנמה", - "Papua New Guinea": "פפואה גינאה החדשה", - "Paraguay": "פרגוואי", - "Password": "סיסמה", - "Pay :amount": "שלם :amount", - "Payment Cancelled": "התשלום בוטל", - "Payment Confirmation": "אישור תשלום", - "Payment Information": "Payment Information", - "Payment Successful": "תשלום מוצלח", - "Pending Team Invitations": "הזמנות תלויות ועומדות לצוות", - "Per Page": "לכל עמוד", - "Permanently delete this team.": "למחוק לצמיתות את הצוות הזה.", - "Permanently delete your account.": "מחק את החשבון שלך לצמיתות.", - "Permissions": "הרשאות", - "Peru": "פרו", - "Philippines": "הפיליפינים", - "Photo": "תמונה", - "Pitcairn": "איי פיטקרן", "Please click the button below to verify your email address.": "אנא לחצו על הכפתור מטה לאימות הדואר האלקטרוני שלכם.", - "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 your password before continuing.": "אנא אשר את הסיסמה שלך לפני שתמשיך.", - "Please copy your new API token. For your security, it won't be shown again.": "אנא העתק את אסימון ה-API החדש שלך. למען ביטחונך, זה לא יוצג שוב.", - "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 logout of your other browser sessions across all of your devices.": "הזן את הסיסמה שלך כדי לוודא שברצונך להתנתק מההפעלות האחרות בדפדפן שלך בכל המכשירים שלך.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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. The email address must be associated with an existing account.": "אנא ספק את כתובת הדוא \" ל של האדם שברצונך להוסיף לצוות זה. כתובת הדוא \" ל חייבת להיות משויכת לחשבון קיים.", - "Please provide your name.": "אנא ספק את שמך.", - "Poland": "פולין", - "Portugal": "פורטוגל", - "Press \/ to search": "לחץ \/ לחיפוש", - "Preview": "תצוגה מקדימה", - "Previous": "הקודם", - "Privacy Policy": "מדיניות פרטיות", - "Profile": "פרופיל", - "Profile Information": "פרטי פרופיל", - "Puerto Rico": "פורטו ריקו", - "Qatar": "קטאר", - "Quarter To Date": "רבע לתאריך", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "קוד שחזור", "Regards": "בברכה", - "Regenerate Recovery Codes": "חידוש קודי שחזור", - "Register": "הרשמה", - "Reload": "טען מחדש", - "Remember me": "זכור אותי", - "Remember Me": "זכור אותי", - "Remove": "הסר", - "Remove Photo": "הסר תמונה", - "Remove Team Member": "הסר חבר צוות", - "Resend Verification Email": "שלח שוב דוא \" ל אימות", - "Reset Filters": "אפס מסננים", - "Reset Password": "איפוס סיסמה", - "Reset Password Notification": "הודעת איפוס סיסמה", - "resource": "משאב", - "Resources": "משאבים", - "resources": "משאבים", - "Restore": "שחזר", - "Restore Resource": "שחזר משאב", - "Restore Selected": "שחזר נבחר", "results": "תוצאות", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "פגישה", - "Role": "תפקיד", - "Romania": "רומניה", - "Run Action": "הפעל פעולה", - "Russian Federation": "הפדרציה הרוסית", - "Rwanda": "רואנדה", - "Réunion": "Réunion", - "Saint Barthelemy": "סנט ברתלמי", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "סנט הלנה", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "סנט קיטס ונוויס", - "Saint Lucia": "סנט לוסיה", - "Saint Martin": "סנט מרטין", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "סנט פייר ומיקלון", - "Saint Vincent And Grenadines": "סנט וינסנט והגרנדינים", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "סמואה", - "San Marino": "סן מרינו", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "סאו טומה ופרינסיפה", - "Saudi Arabia": "ערב הסעודית", - "Save": "שמור", - "Saved.": "ניצלתי.", - "Search": "חיפוש", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "בחר תמונה חדשה", - "Select Action": "בחר פעולה", - "Select All": "בחר הכל", - "Select All Matching": "בחר את כל ההתאמה", - "Send Password Reset Link": "שלח קישור לאיפוס הסיסמה", - "Senegal": "סנגל", - "September": "ספטמבר", - "Serbia": "סרביה", "Server Error": "תקלת שרת", "Service Unavailable": "השירות אינו זמין", - "Seychelles": "סיישל", - "Show All Fields": "הצג את כל השדות", - "Show Content": "הצג תוכן", - "Show Recovery Codes": "הצג קודי שחזור", "Showing": "מציג", - "Sierra Leone": "סיירה לאון", - "Signed in as": "Signed in as", - "Singapore": "סינגפור", - "Sint Maarten (Dutch part)": "סנט מארטן", - "Slovakia": "סלובקיה", - "Slovenia": "סלובניה", - "Solomon Islands": "איי שלמה", - "Somalia": "סומליה", - "Something went wrong.": "משהו השתבש.", - "Sorry! You are not authorized to perform this action.": "מצטער! אינך מורשה לבצע פעולה זו.", - "Sorry, your session has expired.": "סליחה, פג תוקף הפגישה שלך.", - "South Africa": "דרום אפריקה", - "South Georgia And Sandwich Isl.": "איי ג ' ורג 'יה הדרומית ואיי סנדוויץ' הדרומיים", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "דרום סודן", - "Spain": "ספרד", - "Sri Lanka": "סרי לנקה", - "Start Polling": "התחל סקרים", - "State \/ County": "State \/ County", - "Stop Polling": "תפסיק עם הסקרים.", - "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.": "אחסן את קודי השחזור האלה במנהל סיסמאות מאובטח. ניתן להשתמש בהם כדי לשחזר גישה לחשבון שלך אם מכשיר האימות הדו-גורמי שלך אבד.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "סודן", - "Suriname": "סורינאם", - "Svalbard And Jan Mayen": "סוולבארד ויאן מאיין", - "Swaziland": "Eswatini", - "Sweden": "שבדיה", - "Switch Teams": "החלף צוותים", - "Switzerland": "שוויץ", - "Syrian Arab Republic": "סוריה", - "Taiwan": "טאיוואן", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "טג ' יקיסטן", - "Tanzania": "טנזניה", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "פרטי צוות", - "Team Invitation": "הזמנה קבוצתית", - "Team Members": "חברי צוות", - "Team Name": "שם הקבוצה", - "Team Owner": "בעל הקבוצה", - "Team Settings": "הגדרות צוות", - "Terms of Service": "תנאי שימוש", - "Thailand": "תאילנד", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute חייב להיות תפקיד תקף.", - "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 and 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 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 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.": ":attribute חייב להיות לפחות :length תווים.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource נוצר!", - "The :resource was deleted!": ":resource נמחק!", - "The :resource was restored!": "ה-:resource שוחזר!", - "The :resource was updated!": ":resource עודכן!", - "The action ran successfully!": "הפעולה רצה בהצלחה!", - "The file was deleted!": "הקובץ נמחק!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "הממשלה לא מרשה לנו להראות לך מה יש מאחורי הדלתות האלה.", - "The HasOne relationship has already been filled.": "מערכת היחסים של הסונה כבר התמלאה.", - "The payment was successful.": "התשלום היה מוצלח.", - "The provided coupon code is invalid.": "The provided coupon code is 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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "המשאב עודכן!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "שם הקבוצה ומידע הבעלים.", - "There are no available options for this resource.": "אין אפשרויות זמינות עבור משאב זה.", - "There was a problem executing the action.": "הייתה בעיה בביצוע הפעולה.", - "There was a problem submitting the form.": "הייתה בעיה בהגשת הטופס.", - "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.": "אנשים אלה הוזמנו לצוות שלך ונשלחו דוא \" ל הזמנה. הם עשויים להצטרף לצוות על ידי קבלת ההזמנה בדוא \" ל.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "הפעולה הזו אינה מורשית.", - "This device": "התקן זה", - "This file field is read-only.": "שדה קובץ זה הוא לקריאה בלבד.", - "This image": "תמונה זו", - "This is a secure area of the application. Please confirm your password before continuing.": "זהו אזור מאובטח של היישום. אנא אשר את הסיסמה שלך לפני שתמשיך.", - "This password does not match our records.": "סיסמה זו אינה תואמת את הרשומות שלנו.", "This password reset link will expire in :count minutes.": "תוקף הקישור הזה ייגמר בעוד :count דקות.", - "This payment was already successfully confirmed.": "תשלום זה כבר אושר בהצלחה.", - "This payment was cancelled.": "התשלום הזה בוטל.", - "This resource no longer exists": "משאב זה אינו קיים עוד", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "המשתמש הזה כבר שייך לצוות.", - "This user has already been invited to the team.": "משתמש זה כבר הוזמן לצוות.", - "Timor-Leste": "מזרח טימור", "to": "אל", - "Today": "היום", "Toggle navigation": "שינוי מצב ניווט", - "Togo": "טוגו", - "Tokelau": "טוקלאו", - "Token Name": "שם אסימון", - "Tonga": "בוא", "Too Many Attempts.": "יותר מדי נסיונות.", "Too Many Requests": "יותר מדי בקשות.", - "total": "סך הכל", - "Total:": "Total:", - "Trashed": "לאשפה", - "Trinidad And Tobago": "טרינידד וטובגו", - "Tunisia": "תוניסיה", - "Turkey": "טורקיה", - "Turkmenistan": "טורקמניסטן", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "איי טורקס וקאיקוס", - "Tuvalu": "טובאלו", - "Two Factor Authentication": "אימות שני גורמים", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "אימות שני גורמים מופעל כעת. סרוק את קוד ה-QR הבא באמצעות יישום המאמת של הטלפון שלך.", - "Uganda": "אוגנדה", - "Ukraine": "אוקראינה", "Unauthorized": "לא מורשה", - "United Arab Emirates": "איחוד האמירויות הערביות", - "United Kingdom": "בריטניה", - "United States": "ארצות הברית", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "האיים המרוחקים של ארה \" ב", - "Update": "עדכן", - "Update & Continue Editing": "עדכון & המשך עריכה", - "Update :resource": "עדכון :resource", - "Update :resource: :title": "עדכון :resource: :title", - "Update attached :resource: :title": "עדכון מצורף :resource: :title", - "Update Password": "עדכן ססמה", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "עדכן את פרטי הפרופיל וכתובת הדוא \" ל של החשבון שלך.", - "Uruguay": "אורוגוואי", - "Use a recovery code": "השתמש בקוד שחזור", - "Use an authentication code": "השתמש בקוד אימות", - "Uzbekistan": "אוזבקיסטן", - "Value": "ערך", - "Vanuatu": "ונואטו", - "VAT Number": "VAT Number", - "Venezuela": "ונצואלה", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "אימות דואר אלקטרוני", "Verify Your Email Address": "אימות הדואר האלקטורני שלך", - "Viet Nam": "Vietnam", - "View": "תצוגה", - "Virgin Islands, British": "איי הבתולה הבריטיים", - "Virgin Islands, U.S.": "איי הבתולה של ארצות הברית", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "ואליס ופוטונה", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "לא הצלחנו למצוא משתמש רשום עם כתובת דוא \" ל זו.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "לא נבקש את הסיסמה שלך שוב במשך כמה שעות.", - "We're lost in space. The page you were trying to view does not exist.": "אנחנו אבודים בחלל. הדף שניסית להציג אינו קיים.", - "Welcome Back!": "ברוך שובך!", - "Western Sahara": "סהרה המערבית", - "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 של הטלפון שלך.", - "Whoops": "אופס", - "Whoops!": "אוופס!", - "Whoops! Something went wrong.": "אופס! משהו השתבש.", - "With Trashed": "עם לאשפה", - "Write": "כתוב", - "Year To Date": "שנה עד כה", - "Yearly": "Yearly", - "Yemen": "תימני", - "Yes": "כן", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "אתה מחובר!", - "You are receiving this email because we received a password reset request for your account.": "קיבלתם את המייל הזה מכיוון שקיבלנו בקשה לאיפוס הסיסמה עבור החשבון שלכם.", - "You have been invited to join the :team team!": "הוזמנתם להצטרף לצוות :team!", - "You have enabled two factor authentication.": "הפעלת אימות של שני גורמים.", - "You have not enabled two factor authentication.": "לא הפעלת אימות של שני גורמים.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.": "אתה לא יכול לעזוב את צוות שיצרת.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "כתובת הדואר האלקטורני שלכם אינה מאומתת.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "זמביה", - "Zimbabwe": "זימבבואה", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "כתובת הדואר האלקטורני שלכם אינה מאומתת." } diff --git a/locales/he/packages/cashier.json b/locales/he/packages/cashier.json new file mode 100644 index 00000000000..e81fe1d7f24 --- /dev/null +++ b/locales/he/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "כל הזכויות שמורות", + "Card": "כרטיס", + "Confirm Payment": "אשר תשלום", + "Confirm your :amount payment": "אשר את תשלום :amount שלך", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "יש צורך באישור נוסף כדי לעבד את התשלום שלך. אנא אשר את התשלום שלך על ידי מילוי פרטי התשלום שלך להלן.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "יש צורך באישור נוסף כדי לעבד את התשלום שלך. אנא המשך לדף התשלום על ידי לחיצה על הכפתור למטה.", + "Full name": "שם מלא", + "Go back": "חזור", + "Jane Doe": "Jane Doe", + "Pay :amount": "שלם :amount", + "Payment Cancelled": "התשלום בוטל", + "Payment Confirmation": "אישור תשלום", + "Payment Successful": "תשלום מוצלח", + "Please provide your name.": "אנא ספק את שמך.", + "The payment was successful.": "התשלום היה מוצלח.", + "This payment was already successfully confirmed.": "תשלום זה כבר אושר בהצלחה.", + "This payment was cancelled.": "התשלום הזה בוטל." +} diff --git a/locales/he/packages/fortify.json b/locales/he/packages/fortify.json new file mode 100644 index 00000000000..6892c5baab7 --- /dev/null +++ b/locales/he/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 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 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.": ":attribute חייב להיות לפחות :length תווים.", + "The provided password does not match your current password.": "הסיסמה המסופקת אינה תואמת את הסיסמה הנוכחית שלך.", + "The provided password was incorrect.": "הסיסמה שסופקה הייתה שגויה.", + "The provided two factor authentication code was invalid.": "קוד האימות של שני גורמים לא היה תקין." +} diff --git a/locales/he/packages/jetstream.json b/locales/he/packages/jetstream.json new file mode 100644 index 00000000000..b8a1f008223 --- /dev/null +++ b/locales/he/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "קישור אימות חדש נשלח לכתובת הדוא \" ל שסיפקת במהלך ההרשמה.", + "Accept Invitation": "קבל הזמנה", + "Add": "הוסף", + "Add a new team member to your team, allowing them to collaborate with you.": "הוסף חבר צוות חדש לצוות שלך, המאפשר להם לשתף איתך פעולה.", + "Add additional security to your account using two factor authentication.": "הוסף אבטחה נוספת לחשבון שלך באמצעות אימות שני גורמים.", + "Add Team Member": "הוסף איש צוות", + "Added.": "הוסיף.", + "Administrator": "מנהל", + "Administrator users can perform any action.": "משתמשי מנהל המערכת יכולים לבצע כל פעולה.", + "All of the people that are part of this team.": "כל האנשים שהם חלק מהצוות הזה.", + "Already registered?": "כבר רשום?", + "API Token": "אסימון API", + "API Token Permissions": "הרשאות Token API", + "API Tokens": "אסימוני API", + "API tokens allow third-party services to authenticate with our application on your behalf.": "אסימוני API מאפשרים לשירותי צד שלישי לאמת עם היישום שלנו בשמך.", + "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 delete this API token?": "האם אתה בטוח שאתה רוצה למחוק אסימון API זה?", + "Are you sure you would like to leave this team?": "האם אתה בטוח שאתה רוצה לעזוב את הקבוצה הזאת?", + "Are you sure you would like to remove this person from the team?": "האם אתה בטוח שאתה רוצה להסיר את האדם הזה מהצוות?", + "Browser Sessions": "הפעלות בדפדפן", + "Cancel": "ביטול", + "Close": "סגור", + "Code": "קוד", + "Confirm": "אישור", + "Confirm Password": "אימות סיסמה", + "Create": "צור", + "Create a new team to collaborate with others on projects.": "צור צוות חדש לשיתוף פעולה עם אחרים בפרויקטים.", + "Create Account": "צור חשבון", + "Create API Token": "צור אסימון API", + "Create New Team": "צור צוות חדש", + "Create Team": "צור צוות", + "Created.": "נוצר.", + "Current Password": "ססמה נוכחית", + "Dashboard": "לוח מחוונים", + "Delete": "מחק", + "Delete Account": "מחק חשבון", + "Delete API Token": "מחק אסימון API", + "Delete Team": "מחק צוות", + "Disable": "בטל", + "Done.": "בוצע.", + "Editor": "עורך", + "Editor users have the ability to read, create, and update.": "למשתמשי העורך יש את היכולת לקרוא, ליצור ולעדכן.", + "Email": "דוא \" ל", + "Email Password Reset Link": "איפוס סיסמה", + "Enable": "אפשר", + "Ensure your account is using a long, random password to stay secure.": "ודא שהחשבון שלך משתמש בסיסמה ארוכה ואקראית כדי להישאר מאובטח.", + "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.": "שכחת את הסיסמה שלך? אין בעיה. רק תודיע לנו את כתובת הדוא \" ל שלך ואנו נשלח לך קישור איפוס סיסמה שיאפשר לך לבחור אחד חדש.", + "Great! You have accepted the invitation to join the :team team.": "נהדר! קיבלת את ההזמנה להצטרף לצוות :team.", + "I agree to the :terms_of_service and :privacy_policy": "אני מסכים :terms_of_service ו :privacy_policy", + "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 you already have an account, you may accept this invitation by clicking the button below:": "אם כבר יש לך חשבון, תוכל לקבל הזמנה זו על ידי לחיצה על הכפתור למטה:", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "אם אין לך חשבון, תוכל ליצור חשבון על ידי לחיצה על הכפתור למטה. לאחר יצירת חשבון, תוכל ללחוץ על כפתור קבלת ההזמנה בדוא \" ל זה כדי לקבל את הזמנת הצוות:", + "Last active": "פעיל אחרון", + "Last used": "שימוש אחרון", + "Leave": "השאר", + "Leave Team": "השאר צוות", + "Log in": "התחבר", + "Log Out": "התנתק", + "Log Out Other Browser Sessions": "להתנתק הפעלות דפדפן אחרות", + "Manage Account": "ניהול חשבון", + "Manage and log out your active sessions on other browsers and devices.": "נהל והתחבר להפעלות הפעילות שלך בדפדפנים ובמכשירים אחרים.", + "Manage API Tokens": "ניהול אסימוני API", + "Manage Role": "ניהול תפקיד", + "Manage Team": "ניהול צוות", + "Name": "שם", + "New Password": "סיסמה חדשה", + "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 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.": "לאחר מחיקת חשבונך, כל המשאבים והנתונים שלו יימחקו לצמיתות. לפני מחיקת החשבון שלך, אנא הורד נתונים או מידע שברצונך לשמור.", + "Password": "סיסמה", + "Pending Team Invitations": "הזמנות תלויות ועומדות לצוות", + "Permanently delete this team.": "למחוק לצמיתות את הצוות הזה.", + "Permanently delete your account.": "מחק את החשבון שלך לצמיתות.", + "Permissions": "הרשאות", + "Photo": "תמונה", + "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 copy your new API token. For your security, it won't be shown again.": "אנא העתק את אסימון ה-API החדש שלך. למען ביטחונך, זה לא יוצג שוב.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "הזן את הסיסמה שלך כדי לוודא שברצונך להתנתק מההפעלות האחרות בדפדפן שלך בכל המכשירים שלך.", + "Please provide the email address of the person you would like to add to this team.": "אנא ספק את כתובת הדוא \" ל של האדם שברצונך להוסיף לצוות זה.", + "Privacy Policy": "מדיניות פרטיות", + "Profile": "פרופיל", + "Profile Information": "פרטי פרופיל", + "Recovery Code": "קוד שחזור", + "Regenerate Recovery Codes": "חידוש קודי שחזור", + "Register": "הרשמה", + "Remember me": "זכור אותי", + "Remove": "הסר", + "Remove Photo": "הסר תמונה", + "Remove Team Member": "הסר חבר צוות", + "Resend Verification Email": "שלח שוב דוא \" ל אימות", + "Reset Password": "איפוס סיסמה", + "Role": "תפקיד", + "Save": "שמור", + "Saved.": "ניצלתי.", + "Select A New Photo": "בחר תמונה חדשה", + "Show Recovery Codes": "הצג קודי שחזור", + "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.": "אחסן את קודי השחזור האלה במנהל סיסמאות מאובטח. ניתן להשתמש בהם כדי לשחזר גישה לחשבון שלך אם מכשיר האימות הדו-גורמי שלך אבד.", + "Switch Teams": "החלף צוותים", + "Team Details": "פרטי צוות", + "Team Invitation": "הזמנה קבוצתית", + "Team Members": "חברי צוות", + "Team Name": "שם הקבוצה", + "Team Owner": "בעל הקבוצה", + "Team Settings": "הגדרות צוות", + "Terms of Service": "תנאי שימוש", + "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 a valid role.": ":attribute חייב להיות תפקיד תקף.", + "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 and 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 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 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.": ":attribute חייב להיות לפחות :length תווים.", + "The provided password does not match your current password.": "הסיסמה המסופקת אינה תואמת את הסיסמה הנוכחית שלך.", + "The provided password was incorrect.": "הסיסמה שסופקה הייתה שגויה.", + "The provided two factor authentication code was invalid.": "קוד האימות של שני גורמים לא היה תקין.", + "The team's name and owner information.": "שם הקבוצה ומידע הבעלים.", + "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.": "אנשים אלה הוזמנו לצוות שלך ונשלחו דוא \" ל הזמנה. הם עשויים להצטרף לצוות על ידי קבלת ההזמנה בדוא \" ל.", + "This device": "התקן זה", + "This is a secure area of the application. Please confirm your password before continuing.": "זהו אזור מאובטח של היישום. אנא אשר את הסיסמה שלך לפני שתמשיך.", + "This password does not match our records.": "סיסמה זו אינה תואמת את הרשומות שלנו.", + "This user already belongs to the team.": "המשתמש הזה כבר שייך לצוות.", + "This user has already been invited to the team.": "משתמש זה כבר הוזמן לצוות.", + "Token Name": "שם אסימון", + "Two Factor Authentication": "אימות שני גורמים", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "אימות שני גורמים מופעל כעת. סרוק את קוד ה-QR הבא באמצעות יישום המאמת של הטלפון שלך.", + "Update Password": "עדכן ססמה", + "Update your account's profile information and email address.": "עדכן את פרטי הפרופיל וכתובת הדוא \" ל של החשבון שלך.", + "Use a recovery code": "השתמש בקוד שחזור", + "Use an authentication code": "השתמש בקוד אימות", + "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.": "כאשר אימות שני גורמים מופעל, תתבקש לקבל אסימון מאובטח ואקראי במהלך האימות. אתה יכול לאחזר אסימון זה מיישום Google Authenticator של הטלפון שלך.", + "Whoops! Something went wrong.": "אופס! משהו השתבש.", + "You have been invited to join the :team team!": "הוזמנתם להצטרף לצוות :team!", + "You have enabled two factor authentication.": "הפעלת אימות של שני גורמים.", + "You have not enabled two factor authentication.": "לא הפעלת אימות של שני גורמים.", + "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.": "אתה לא יכול לעזוב את צוות שיצרת." +} diff --git a/locales/he/packages/nova.json b/locales/he/packages/nova.json new file mode 100644 index 00000000000..b149e49816e --- /dev/null +++ b/locales/he/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 ימים", + "60 Days": "60 ימים", + "90 Days": "90 ימים", + ":amount Total": ":amount סה \" כ", + ":resource Details": ":resource פרטים", + ":resource Details: :title": ":resource פרטים: :title", + "Action": "פעולה", + "Action Happened At": "קרה ב", + "Action Initiated By": "ביוזמת", + "Action Name": "שם", + "Action Status": "מצב", + "Action Target": "מטרה", + "Actions": "פעולות", + "Add row": "הוסף שורה", + "Afghanistan": "אפגניסטן", + "Aland Islands": "איי אלנד", + "Albania": "אלבניה", + "Algeria": "אלג ' יריה", + "All resources loaded.": "כל המשאבים טעונים.", + "American Samoa": "סמואה האמריקאית", + "An error occured while uploading the file.": "אירעה שגיאה בעת העלאת הקובץ.", + "Andorra": "אנדורה", + "Angola": "אנגולה", + "Anguilla": "אנגווילה", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "משתמש אחר עדכן משאב זה מאז טעינת דף זה. אנא רענן את הדף ונסה שוב.", + "Antarctica": "אנטארקטיקה", + "Antigua And Barbuda": "אנטיגואה וברבודה", + "April": "אפריל", + "Are you sure you want to delete the selected resources?": "האם אתה בטוח שברצונך למחוק את המשאבים שנבחרו?", + "Are you sure you want to delete this file?": "האם אתה בטוח שברצונך למחוק קובץ זה?", + "Are you sure you want to delete this resource?": "האם אתה בטוח שברצונך למחוק משאב זה?", + "Are you sure you want to detach the selected resources?": "האם אתה בטוח שאתה רוצה לנתק את המשאבים שנבחרו?", + "Are you sure you want to detach this resource?": "אתה בטוח שאתה רוצה לנתק את המשאב הזה?", + "Are you sure you want to force delete the selected resources?": "האם אתה בטוח שאתה רוצה לכפות למחוק את המשאבים שנבחרו?", + "Are you sure you want to force delete this resource?": "האם אתה בטוח שאתה רוצה לכפות למחוק משאב זה?", + "Are you sure you want to restore the selected resources?": "האם אתה בטוח שברצונך לשחזר את המשאבים שנבחרו?", + "Are you sure you want to restore this resource?": "האם אתה בטוח שאתה רוצה לשחזר משאב זה?", + "Are you sure you want to run this action?": "האם אתה בטוח שאתה רוצה להפעיל פעולה זו?", + "Argentina": "ארגנטינה", + "Armenia": "ארמניה", + "Aruba": "ארובה", + "Attach": "צרף", + "Attach & Attach Another": "צרף & צרף אחר", + "Attach :resource": "צרף :resource", + "August": "אוגוסט", + "Australia": "אוסטרליה", + "Austria": "אוסטריה", + "Azerbaijan": "אזרבייג ' ן", + "Bahamas": "איי בהאמה", + "Bahrain": "בחריין", + "Bangladesh": "בנגלדש", + "Barbados": "ברבדוס", + "Belarus": "בלארוס", + "Belgium": "בלגיה", + "Belize": "בליז", + "Benin": "בנין", + "Bermuda": "ברמודה", + "Bhutan": "בהוטן", + "Bolivia": "בוליביה", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius And Sábado", + "Bosnia And Herzegovina": "בוסניה והרצגובינה", + "Botswana": "בוטסואנה", + "Bouvet Island": "Bouvet איילנד", + "Brazil": "ברזיל", + "British Indian Ocean Territory": "הטריטוריה הבריטית באוקיינוס ההודי", + "Brunei Darussalam": "Brunei", + "Bulgaria": "בולגריה", + "Burkina Faso": "בורקינה פאסו", + "Burundi": "בורונדי", + "Cambodia": "קמבודיה", + "Cameroon": "קמרון", + "Canada": "קנדה", + "Cancel": "ביטול", + "Cape Verde": "כף ורדה", + "Cayman Islands": "איי קיימן", + "Central African Republic": "הרפובליקה המרכז אפריקאית", + "Chad": "צ ' אד", + "Changes": "שינויים", + "Chile": "צ ' ילה", + "China": "סין", + "Choose": "בחר", + "Choose :field": "בחר :field", + "Choose :resource": "בחר :resource", + "Choose an option": "בחר אפשרות", + "Choose date": "בחר תאריך", + "Choose File": "בחר קובץ", + "Choose Type": "בחר סוג", + "Christmas Island": "אי חג המולד", + "Click to choose": "לחץ כדי לבחור", + "Cocos (Keeling) Islands": "איי קוקוס (קילינג) ", + "Colombia": "קולומביה", + "Comoros": "קומורו", + "Confirm Password": "אימות סיסמה", + "Congo": "קונגו", + "Congo, Democratic Republic": "קונגו, הרפובליקה הדמוקרטית", + "Constant": "קבוע", + "Cook Islands": "איי קוק", + "Costa Rica": "קוסטה ריקה", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "לא ניתן למצוא.", + "Create": "צור", + "Create & Add Another": "צור & הוסף עוד", + "Create :resource": "צור :resource", + "Croatia": "קרואטיה", + "Cuba": "קובה", + "Curaçao": "קורסאו", + "Customize": "התאמה אישית", + "Cyprus": "קפריסין", + "Czech Republic": "צ ' כיה", + "Dashboard": "לוח מחוונים", + "December": "דצמבר", + "Decrease": "הקטן", + "Delete": "מחק", + "Delete File": "מחק קובץ", + "Delete Resource": "מחק משאב", + "Delete Selected": "מחק בחירה", + "Denmark": "דנמרק", + "Detach": "נתק", + "Detach Resource": "נתק משאב", + "Detach Selected": "ניתוק נבחר", + "Details": "פרטים", + "Djibouti": "ג ' יבוטי", + "Do you really want to leave? You have unsaved changes.": "אתה באמת רוצה לעזוב? יש לך שינויים שלא נשמרו.", + "Dominica": "יום ראשון", + "Dominican Republic": "הרפובליקה הדומיניקנית", + "Download": "הורד", + "Ecuador": "אקוודור", + "Edit": "עריכה", + "Edit :resource": "עריכה :resource", + "Edit Attached": "ערוך מצורף", + "Egypt": "מצרים", + "El Salvador": "אל סלבדור", + "Email Address": "כתובת דוא \" ל", + "Equatorial Guinea": "גינאה המשוונית", + "Eritrea": "אריתריאה", + "Estonia": "אסטוניה", + "Ethiopia": "אתיופיה", + "Falkland Islands (Malvinas)": "איי פוקלנד (Malvinas)", + "Faroe Islands": "איי פארו", + "February": "פברואר", + "Fiji": "פיג ' י", + "Finland": "פינלנד", + "Force Delete": "כפה מחיקה", + "Force Delete Resource": "כפה משאב מחיקה", + "Force Delete Selected": "& מחק בחירה", + "Forgot Your Password?": "שכחתם את הסיסמה?", + "Forgot your password?": "שכחת את הסיסמה שלך?", + "France": "צרפת", + "French Guiana": "גיאנה הצרפתית", + "French Polynesia": "פולינזיה הצרפתית", + "French Southern Territories": "הטריטוריות הדרומיות של צרפת", + "Gabon": "גבון", + "Gambia": "גמביה", + "Georgia": "גאורגיה", + "Germany": "גרמניה", + "Ghana": "גאנה", + "Gibraltar": "גיברלטר", + "Go Home": "חזרה לדף הבית", + "Greece": "יוון", + "Greenland": "גרינלנד", + "Grenada": "גרנדה", + "Guadeloupe": "גוואדלופ", + "Guam": "גואם", + "Guatemala": "גואטמלה", + "Guernsey": "גרנזי", + "Guinea": "גינאה", + "Guinea-Bissau": "גינאה ביסאו", + "Guyana": "גיאנה", + "Haiti": "האיטי", + "Heard Island & Mcdonald Islands": "איי הרד ואיי מקדונלד", + "Hide Content": "הסתר תוכן", + "Hold Up!": "חכה רגע!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "הונדורס", + "Hong Kong": "הונג קונג", + "Hungary": "הונגריה", + "Iceland": "איסלנד", + "ID": "זהות", + "If you did not request a password reset, no further action is required.": "אם לא ביקשתם לאפס את הסיסמה, אין צורך לעשות דבר.", + "Increase": "הגדל", + "India": "הודו", + "Indonesia": "אינדונזיה", + "Iran, Islamic Republic Of": "אירן", + "Iraq": "עיראק", + "Ireland": "אירלנד", + "Isle Of Man": "האי מאן", + "Israel": "ישראל", + "Italy": "איטליה", + "Jamaica": "ג ' מייקה", + "January": "ינואר", + "Japan": "יפן", + "Jersey": "ג ' רזי", + "Jordan": "ירדן", + "July": "יולי", + "June": "יוני", + "Kazakhstan": "קזחסטן", + "Kenya": "קניה", + "Key": "מפתח", + "Kiribati": "קיריבטי", + "Korea": "דרום קוריאה", + "Korea, Democratic People's Republic of": "צפון קוריאה", + "Kosovo": "קוסובו", + "Kuwait": "כווית", + "Kyrgyzstan": "קירגיזסטן", + "Lao People's Democratic Republic": "לאוס", + "Latvia": "לטביה", + "Lebanon": "לבנון", + "Lens": "עדשה", + "Lesotho": "לסוטו", + "Liberia": "ליבריה", + "Libyan Arab Jamahiriya": "לוב", + "Liechtenstein": "ליכטנשטיין", + "Lithuania": "ליטא", + "Load :perPage More": "טען :perPage יותר", + "Login": "התחברות", + "Logout": "התנתקות", + "Luxembourg": "לוקסמבורג", + "Macao": "מקאו", + "Macedonia": "מקדוניה הצפונית", + "Madagascar": "מדגסקר", + "Malawi": "מלאווי", + "Malaysia": "מלזיה", + "Maldives": "האיים המלדיביים", + "Mali": "קטן", + "Malta": "מלטה", + "March": "מרץ", + "Marshall Islands": "איי מרשל", + "Martinique": "מרטיניק", + "Mauritania": "מאוריטניה", + "Mauritius": "מאוריציוס", + "May": "מאי", + "Mayotte": "מיוט", + "Mexico": "מקסיקו", + "Micronesia, Federated States Of": "מיקרונזיה", + "Moldova": "מולדובה", + "Monaco": "מונקו", + "Mongolia": "מונגוליה", + "Montenegro": "מונטנגרו", + "Month To Date": "חודש עד כה", + "Montserrat": "מונטסראט", + "Morocco": "מרוקו", + "Mozambique": "מוזמביק", + "Myanmar": "מיאנמר", + "Namibia": "נמיביה", + "Nauru": "נאורו", + "Nepal": "נפאל", + "Netherlands": "הולנד", + "New": "חדש", + "New :resource": "חדש :resource", + "New Caledonia": "קלדוניה החדשה", + "New Zealand": "ניו זילנד", + "Next": "הבא", + "Nicaragua": "ניקרגואה", + "Niger": "ניז'ר", + "Nigeria": "ניגריה", + "Niue": "ניואה", + "No": "לא", + "No :resource matched the given criteria.": "מספר :resource תאם את הקריטריונים.", + "No additional information...": "אין מידע נוסף...", + "No Current Data": "אין נתונים נוכחיים", + "No Data": "אין נתונים", + "no file selected": "לא נבחר קובץ", + "No Increase": "אין עלייה", + "No Prior Data": "אין נתונים קודמים", + "No Results Found.": "לא נמצאו תוצאות.", + "Norfolk Island": "האי נורפולק", + "Northern Mariana Islands": "איי מריאנה הצפוניים", + "Norway": "נורבגיה", + "Nova User": "משתמש נובה", + "November": "נובמבר", + "October": "אוקטובר", + "of": "של", + "Oman": "עומאן", + "Only Trashed": "רק לאשפה", + "Original": "מקורי", + "Pakistan": "פקיסטן", + "Palau": "פלאו", + "Palestinian Territory, Occupied": "השטחים הפלסטיניים", + "Panama": "פנמה", + "Papua New Guinea": "פפואה גינאה החדשה", + "Paraguay": "פרגוואי", + "Password": "סיסמה", + "Per Page": "לכל עמוד", + "Peru": "פרו", + "Philippines": "הפיליפינים", + "Pitcairn": "איי פיטקרן", + "Poland": "פולין", + "Portugal": "פורטוגל", + "Press \/ to search": "לחץ \/ לחיפוש", + "Preview": "תצוגה מקדימה", + "Previous": "הקודם", + "Puerto Rico": "פורטו ריקו", + "Qatar": "קטאר", + "Quarter To Date": "רבע לתאריך", + "Reload": "טען מחדש", + "Remember Me": "זכור אותי", + "Reset Filters": "אפס מסננים", + "Reset Password": "איפוס סיסמה", + "Reset Password Notification": "הודעת איפוס סיסמה", + "resource": "משאב", + "Resources": "משאבים", + "resources": "משאבים", + "Restore": "שחזר", + "Restore Resource": "שחזר משאב", + "Restore Selected": "שחזר נבחר", + "Reunion": "פגישה", + "Romania": "רומניה", + "Run Action": "הפעל פעולה", + "Russian Federation": "הפדרציה הרוסית", + "Rwanda": "רואנדה", + "Saint Barthelemy": "סנט ברתלמי", + "Saint Helena": "סנט הלנה", + "Saint Kitts And Nevis": "סנט קיטס ונוויס", + "Saint Lucia": "סנט לוסיה", + "Saint Martin": "סנט מרטין", + "Saint Pierre And Miquelon": "סנט פייר ומיקלון", + "Saint Vincent And Grenadines": "סנט וינסנט והגרנדינים", + "Samoa": "סמואה", + "San Marino": "סן מרינו", + "Sao Tome And Principe": "סאו טומה ופרינסיפה", + "Saudi Arabia": "ערב הסעודית", + "Search": "חיפוש", + "Select Action": "בחר פעולה", + "Select All": "בחר הכל", + "Select All Matching": "בחר את כל ההתאמה", + "Send Password Reset Link": "שלח קישור לאיפוס הסיסמה", + "Senegal": "סנגל", + "September": "ספטמבר", + "Serbia": "סרביה", + "Seychelles": "סיישל", + "Show All Fields": "הצג את כל השדות", + "Show Content": "הצג תוכן", + "Sierra Leone": "סיירה לאון", + "Singapore": "סינגפור", + "Sint Maarten (Dutch part)": "סנט מארטן", + "Slovakia": "סלובקיה", + "Slovenia": "סלובניה", + "Solomon Islands": "איי שלמה", + "Somalia": "סומליה", + "Something went wrong.": "משהו השתבש.", + "Sorry! You are not authorized to perform this action.": "מצטער! אינך מורשה לבצע פעולה זו.", + "Sorry, your session has expired.": "סליחה, פג תוקף הפגישה שלך.", + "South Africa": "דרום אפריקה", + "South Georgia And Sandwich Isl.": "איי ג ' ורג 'יה הדרומית ואיי סנדוויץ' הדרומיים", + "South Sudan": "דרום סודן", + "Spain": "ספרד", + "Sri Lanka": "סרי לנקה", + "Start Polling": "התחל סקרים", + "Stop Polling": "תפסיק עם הסקרים.", + "Sudan": "סודן", + "Suriname": "סורינאם", + "Svalbard And Jan Mayen": "סוולבארד ויאן מאיין", + "Swaziland": "Eswatini", + "Sweden": "שבדיה", + "Switzerland": "שוויץ", + "Syrian Arab Republic": "סוריה", + "Taiwan": "טאיוואן", + "Tajikistan": "טג ' יקיסטן", + "Tanzania": "טנזניה", + "Thailand": "תאילנד", + "The :resource was created!": ":resource נוצר!", + "The :resource was deleted!": ":resource נמחק!", + "The :resource was restored!": "ה-:resource שוחזר!", + "The :resource was updated!": ":resource עודכן!", + "The action ran successfully!": "הפעולה רצה בהצלחה!", + "The file was deleted!": "הקובץ נמחק!", + "The government won't let us show you what's behind these doors": "הממשלה לא מרשה לנו להראות לך מה יש מאחורי הדלתות האלה.", + "The HasOne relationship has already been filled.": "מערכת היחסים של הסונה כבר התמלאה.", + "The resource was updated!": "המשאב עודכן!", + "There are no available options for this resource.": "אין אפשרויות זמינות עבור משאב זה.", + "There was a problem executing the action.": "הייתה בעיה בביצוע הפעולה.", + "There was a problem submitting the form.": "הייתה בעיה בהגשת הטופס.", + "This file field is read-only.": "שדה קובץ זה הוא לקריאה בלבד.", + "This image": "תמונה זו", + "This resource no longer exists": "משאב זה אינו קיים עוד", + "Timor-Leste": "מזרח טימור", + "Today": "היום", + "Togo": "טוגו", + "Tokelau": "טוקלאו", + "Tonga": "בוא", + "total": "סך הכל", + "Trashed": "לאשפה", + "Trinidad And Tobago": "טרינידד וטובגו", + "Tunisia": "תוניסיה", + "Turkey": "טורקיה", + "Turkmenistan": "טורקמניסטן", + "Turks And Caicos Islands": "איי טורקס וקאיקוס", + "Tuvalu": "טובאלו", + "Uganda": "אוגנדה", + "Ukraine": "אוקראינה", + "United Arab Emirates": "איחוד האמירויות הערביות", + "United Kingdom": "בריטניה", + "United States": "ארצות הברית", + "United States Outlying Islands": "האיים המרוחקים של ארה \" ב", + "Update": "עדכן", + "Update & Continue Editing": "עדכון & המשך עריכה", + "Update :resource": "עדכון :resource", + "Update :resource: :title": "עדכון :resource: :title", + "Update attached :resource: :title": "עדכון מצורף :resource: :title", + "Uruguay": "אורוגוואי", + "Uzbekistan": "אוזבקיסטן", + "Value": "ערך", + "Vanuatu": "ונואטו", + "Venezuela": "ונצואלה", + "Viet Nam": "Vietnam", + "View": "תצוגה", + "Virgin Islands, British": "איי הבתולה הבריטיים", + "Virgin Islands, U.S.": "איי הבתולה של ארצות הברית", + "Wallis And Futuna": "ואליס ופוטונה", + "We're lost in space. The page you were trying to view does not exist.": "אנחנו אבודים בחלל. הדף שניסית להציג אינו קיים.", + "Welcome Back!": "ברוך שובך!", + "Western Sahara": "סהרה המערבית", + "Whoops": "אופס", + "Whoops!": "אוופס!", + "With Trashed": "עם לאשפה", + "Write": "כתוב", + "Year To Date": "שנה עד כה", + "Yemen": "תימני", + "Yes": "כן", + "You are receiving this email because we received a password reset request for your account.": "קיבלתם את המייל הזה מכיוון שקיבלנו בקשה לאיפוס הסיסמה עבור החשבון שלכם.", + "Zambia": "זמביה", + "Zimbabwe": "זימבבואה" +} diff --git a/locales/he/packages/spark-paddle.json b/locales/he/packages/spark-paddle.json new file mode 100644 index 00000000000..8c604e694e1 --- /dev/null +++ b/locales/he/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "תנאי שימוש", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "אופס! משהו השתבש.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/he/packages/spark-stripe.json b/locales/he/packages/spark-stripe.json new file mode 100644 index 00000000000..d6e0044a98b --- /dev/null +++ b/locales/he/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "אפגניסטן", + "Albania": "אלבניה", + "Algeria": "אלג ' יריה", + "American Samoa": "סמואה האמריקאית", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "אנדורה", + "Angola": "אנגולה", + "Anguilla": "אנגווילה", + "Antarctica": "אנטארקטיקה", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "ארגנטינה", + "Armenia": "ארמניה", + "Aruba": "ארובה", + "Australia": "אוסטרליה", + "Austria": "אוסטריה", + "Azerbaijan": "אזרבייג ' ן", + "Bahamas": "איי בהאמה", + "Bahrain": "בחריין", + "Bangladesh": "בנגלדש", + "Barbados": "ברבדוס", + "Belarus": "בלארוס", + "Belgium": "בלגיה", + "Belize": "בליז", + "Benin": "בנין", + "Bermuda": "ברמודה", + "Bhutan": "בהוטן", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "בוטסואנה", + "Bouvet Island": "Bouvet איילנד", + "Brazil": "ברזיל", + "British Indian Ocean Territory": "הטריטוריה הבריטית באוקיינוס ההודי", + "Brunei Darussalam": "Brunei", + "Bulgaria": "בולגריה", + "Burkina Faso": "בורקינה פאסו", + "Burundi": "בורונדי", + "Cambodia": "קמבודיה", + "Cameroon": "קמרון", + "Canada": "קנדה", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "כף ורדה", + "Card": "כרטיס", + "Cayman Islands": "איי קיימן", + "Central African Republic": "הרפובליקה המרכז אפריקאית", + "Chad": "צ ' אד", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "צ ' ילה", + "China": "סין", + "Christmas Island": "אי חג המולד", + "City": "City", + "Cocos (Keeling) Islands": "איי קוקוס (קילינג) ", + "Colombia": "קולומביה", + "Comoros": "קומורו", + "Confirm Payment": "אשר תשלום", + "Confirm your :amount payment": "אשר את תשלום :amount שלך", + "Congo": "קונגו", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "איי קוק", + "Costa Rica": "קוסטה ריקה", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "קרואטיה", + "Cuba": "קובה", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "קפריסין", + "Czech Republic": "צ ' כיה", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "דנמרק", + "Djibouti": "ג ' יבוטי", + "Dominica": "יום ראשון", + "Dominican Republic": "הרפובליקה הדומיניקנית", + "Download Receipt": "Download Receipt", + "Ecuador": "אקוודור", + "Egypt": "מצרים", + "El Salvador": "אל סלבדור", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "גינאה המשוונית", + "Eritrea": "אריתריאה", + "Estonia": "אסטוניה", + "Ethiopia": "אתיופיה", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "יש צורך באישור נוסף כדי לעבד את התשלום שלך. אנא המשך לדף התשלום על ידי לחיצה על הכפתור למטה.", + "Falkland Islands (Malvinas)": "איי פוקלנד (Malvinas)", + "Faroe Islands": "איי פארו", + "Fiji": "פיג ' י", + "Finland": "פינלנד", + "France": "צרפת", + "French Guiana": "גיאנה הצרפתית", + "French Polynesia": "פולינזיה הצרפתית", + "French Southern Territories": "הטריטוריות הדרומיות של צרפת", + "Gabon": "גבון", + "Gambia": "גמביה", + "Georgia": "גאורגיה", + "Germany": "גרמניה", + "Ghana": "גאנה", + "Gibraltar": "גיברלטר", + "Greece": "יוון", + "Greenland": "גרינלנד", + "Grenada": "גרנדה", + "Guadeloupe": "גוואדלופ", + "Guam": "גואם", + "Guatemala": "גואטמלה", + "Guernsey": "גרנזי", + "Guinea": "גינאה", + "Guinea-Bissau": "גינאה ביסאו", + "Guyana": "גיאנה", + "Haiti": "האיטי", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "הונדורס", + "Hong Kong": "הונג קונג", + "Hungary": "הונגריה", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "איסלנד", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "הודו", + "Indonesia": "אינדונזיה", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "עיראק", + "Ireland": "אירלנד", + "Isle of Man": "Isle of Man", + "Israel": "ישראל", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "איטליה", + "Jamaica": "ג ' מייקה", + "Japan": "יפן", + "Jersey": "ג ' רזי", + "Jordan": "ירדן", + "Kazakhstan": "קזחסטן", + "Kenya": "קניה", + "Kiribati": "קיריבטי", + "Korea, Democratic People's Republic of": "צפון קוריאה", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "כווית", + "Kyrgyzstan": "קירגיזסטן", + "Lao People's Democratic Republic": "לאוס", + "Latvia": "לטביה", + "Lebanon": "לבנון", + "Lesotho": "לסוטו", + "Liberia": "ליבריה", + "Libyan Arab Jamahiriya": "לוב", + "Liechtenstein": "ליכטנשטיין", + "Lithuania": "ליטא", + "Luxembourg": "לוקסמבורג", + "Macao": "מקאו", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "מדגסקר", + "Malawi": "מלאווי", + "Malaysia": "מלזיה", + "Maldives": "האיים המלדיביים", + "Mali": "קטן", + "Malta": "מלטה", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "איי מרשל", + "Martinique": "מרטיניק", + "Mauritania": "מאוריטניה", + "Mauritius": "מאוריציוס", + "Mayotte": "מיוט", + "Mexico": "מקסיקו", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "מונקו", + "Mongolia": "מונגוליה", + "Montenegro": "מונטנגרו", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "מונטסראט", + "Morocco": "מרוקו", + "Mozambique": "מוזמביק", + "Myanmar": "מיאנמר", + "Namibia": "נמיביה", + "Nauru": "נאורו", + "Nepal": "נפאל", + "Netherlands": "הולנד", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "קלדוניה החדשה", + "New Zealand": "ניו זילנד", + "Nicaragua": "ניקרגואה", + "Niger": "ניז'ר", + "Nigeria": "ניגריה", + "Niue": "ניואה", + "Norfolk Island": "האי נורפולק", + "Northern Mariana Islands": "איי מריאנה הצפוניים", + "Norway": "נורבגיה", + "Oman": "עומאן", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "פקיסטן", + "Palau": "פלאו", + "Palestinian Territory, Occupied": "השטחים הפלסטיניים", + "Panama": "פנמה", + "Papua New Guinea": "פפואה גינאה החדשה", + "Paraguay": "פרגוואי", + "Payment Information": "Payment Information", + "Peru": "פרו", + "Philippines": "הפיליפינים", + "Pitcairn": "איי פיטקרן", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "פולין", + "Portugal": "פורטוגל", + "Puerto Rico": "פורטו ריקו", + "Qatar": "קטאר", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "רומניה", + "Russian Federation": "הפדרציה הרוסית", + "Rwanda": "רואנדה", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "סנט הלנה", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "סנט לוסיה", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "סמואה", + "San Marino": "סן מרינו", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "ערב הסעודית", + "Save": "שמור", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "סנגל", + "Serbia": "סרביה", + "Seychelles": "סיישל", + "Sierra Leone": "סיירה לאון", + "Signed in as": "Signed in as", + "Singapore": "סינגפור", + "Slovakia": "סלובקיה", + "Slovenia": "סלובניה", + "Solomon Islands": "איי שלמה", + "Somalia": "סומליה", + "South Africa": "דרום אפריקה", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "ספרד", + "Sri Lanka": "סרי לנקה", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "סודן", + "Suriname": "סורינאם", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "שבדיה", + "Switzerland": "שוויץ", + "Syrian Arab Republic": "סוריה", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "טג ' יקיסטן", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "תנאי שימוש", + "Thailand": "תאילנד", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "מזרח טימור", + "Togo": "טוגו", + "Tokelau": "טוקלאו", + "Tonga": "בוא", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "תוניסיה", + "Turkey": "טורקיה", + "Turkmenistan": "טורקמניסטן", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "טובאלו", + "Uganda": "אוגנדה", + "Ukraine": "אוקראינה", + "United Arab Emirates": "איחוד האמירויות הערביות", + "United Kingdom": "בריטניה", + "United States": "ארצות הברית", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "עדכן", + "Update Payment Information": "Update Payment Information", + "Uruguay": "אורוגוואי", + "Uzbekistan": "אוזבקיסטן", + "Vanuatu": "ונואטו", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "איי הבתולה הבריטיים", + "Virgin Islands, U.S.": "איי הבתולה של ארצות הברית", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "סהרה המערבית", + "Whoops! Something went wrong.": "אופס! משהו השתבש.", + "Yearly": "Yearly", + "Yemen": "תימני", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "זמביה", + "Zimbabwe": "זימבבואה", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/hi/hi.json b/locales/hi/hi.json index d29a320a4a2..d4d86df5a36 100644 --- a/locales/hi/hi.json +++ b/locales/hi/hi.json @@ -1,710 +1,48 @@ { - "30 Days": "30 दिन", - "60 Days": "60 दिन", - "90 Days": "90 दिन", - ":amount Total": ":amount कुल", - ":days day trial": ":days day trial", - ":resource Details": ":resource विवरण", - ":resource Details: :title": ":resource विवरण: :title", "A fresh verification link has been sent to your email address.": "आपके ईमेल पते पर एक नया सत्यापन लिंक भेजा गया है । ", - "A new verification link has been sent to the email address you provided during registration.": "पंजीकरण के दौरान आपके द्वारा प्रदान किए गए ईमेल पते पर एक नया सत्यापन लिंक भेजा गया है । ", - "Accept Invitation": "निमंत्रण स्वीकार करें", - "Action": "कार्रवाई", - "Action Happened At": "पर हुआ", - "Action Initiated By": "द्वारा शुरू की", - "Action Name": "नाम", - "Action Status": "स्थिति", - "Action Target": "लक्ष्य", - "Actions": "क्रियाएं", - "Add": "जोड़ें", - "Add a new team member to your team, allowing them to collaborate with you.": "अपनी टीम में एक नया टीम सदस्य जोड़ें, जिससे वे आपके साथ सहयोग कर सकें । ", - "Add additional security to your account using two factor authentication.": "दो कारक प्रमाणीकरण का उपयोग करके अपने खाते में अतिरिक्त सुरक्षा जोड़ें । ", - "Add row": "पंक्ति जोड़ें", - "Add Team Member": "टीम के सदस्य जोड़ें", - "Add VAT Number": "Add VAT Number", - "Added.": "जोड़ा गया । ", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "प्रशासक", - "Administrator users can perform any action.": "व्यवस्थापक उपयोगकर्ता कोई भी कार्रवाई कर सकते हैं । ", - "Afghanistan": "अफ़ग़ानिस्तान", - "Aland Islands": "आलैंड द्वीप समूह", - "Albania": "अल्बानिया", - "Algeria": "अल्जीरिया", - "All of the people that are part of this team.": "सभी लोग जो इस टीम का हिस्सा हैं । ", - "All resources loaded.": "सभी संसाधनों भरी हुई.", - "All rights reserved.": "सभी अधिकार सुरक्षित.", - "Already registered?": "पहले से ही पंजीकृत?", - "American Samoa": "अमेरिकी समोआ", - "An error occured while uploading the file.": "फ़ाइल अपलोड करते समय एक त्रुटि हुई । ", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "एंडोरन", - "Angola": "अंगोला", - "Anguilla": "एंगुइला", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "इस पृष्ठ को लोड किए जाने के बाद से किसी अन्य उपयोगकर्ता ने इस संसाधन को अपडेट किया है । कृपया पृष्ठ को ताज़ा करें और पुनः प्रयास करें । ", - "Antarctica": "अंटार्कटिका", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "एंटीगुआ और बारबुडा", - "API Token": "API टोकन", - "API Token Permissions": "API टोकन Permissions", - "API Tokens": "एपीआई टोकन", - "API tokens allow third-party services to authenticate with our application on your behalf.": "एपीआई टोकन तृतीय-पक्ष सेवाओं को आपकी ओर से हमारे आवेदन के साथ प्रमाणित करने की अनुमति देते हैं । ", - "April": "अप्रैल", - "Are you sure you want to delete the selected resources?": "क्या आप वाकई चयनित संसाधनों को हटाना चाहते हैं?", - "Are you sure you want to delete this file?": "क्या आप वाकई इस फाइल को हटाना चाहते हैं?", - "Are you sure you want to delete this resource?": "क्या आप वाकई इस संसाधन को हटाना चाहते हैं?", - "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 detach the selected resources?": "क्या आप वाकई चयनित संसाधनों को अलग करना चाहते हैं?", - "Are you sure you want to detach this resource?": "क्या आप वाकई इस संसाधन को अलग करना चाहते हैं?", - "Are you sure you want to force delete the selected resources?": "क्या आप सुनिश्चित हैं कि आप चयनित संसाधनों को हटाना चाहते हैं?", - "Are you sure you want to force delete this resource?": "क्या आप वाकई इस संसाधन को हटाना चाहते हैं?", - "Are you sure you want to restore the selected resources?": "क्या आप वाकई चयनित संसाधनों को पुनर्स्थापित करना चाहते हैं?", - "Are you sure you want to restore this resource?": "क्या आप वाकई इस संसाधन को पुनर्स्थापित करना चाहते हैं?", - "Are you sure you want to run this action?": "क्या आप वाकई इस क्रिया को चलाना चाहते हैं?", - "Are you sure you would like to delete this API token?": "क्या आप वाकई इस एपीआई टोकन को हटाना चाहते हैं?", - "Are you sure you would like to leave this team?": "क्या आप वाकई इस टीम को छोड़ना चाहेंगे?", - "Are you sure you would like to remove this person from the team?": "क्या आप वाकई इस व्यक्ति को टीम से हटाना चाहेंगे?", - "Argentina": "अर्जेंटीना", - "Armenia": "अर्मेनिया", - "Aruba": "अरूबा", - "Attach": "संलग्न करें", - "Attach & Attach Another": "संलग्न करें और एक और संलग्न करें", - "Attach :resource": "अटैच :resource", - "August": "अगस्त", - "Australia": "ऑस्ट्रेलिया", - "Austria": "ऑस्ट्रिया", - "Azerbaijan": "अज़रबैजान", - "Bahamas": "बहामा", - "Bahrain": "बहरीन", - "Bangladesh": "बांग्लादेश", - "Barbados": "बारबाडोस", "Before proceeding, please check your email for a verification link.": "आगे बढ़ने से पहले, कृपया सत्यापन लिंक के लिए अपना ईमेल देखें । ", - "Belarus": "बेलारूस", - "Belgium": "बेल्जियम", - "Belize": "बेलीज", - "Benin": "बेनिन", - "Bermuda": "बरमूडा", - "Bhutan": "भूटान", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "बोलीविया", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius और Sábado", - "Bosnia And Herzegovina": "बोस्निया और हर्जेगोविना", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "बोत्सवाना", - "Bouvet Island": "बुवेट द्वीप", - "Brazil": "ब्राज़ील", - "British Indian Ocean Territory": "ब्रिटिश हिंद महासागर क्षेत्र", - "Browser Sessions": "ब्राउज़र सत्र", - "Brunei Darussalam": "Brunei", - "Bulgaria": "बुल्गारिया", - "Burkina Faso": "बुर्किना फासो", - "Burundi": "बुरुंडी", - "Cambodia": "कंबोडिया", - "Cameroon": "कैमरून", - "Canada": "कनाडा", - "Cancel": "रद्द करें", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "केप वर्डे", - "Card": "कार्ड", - "Cayman Islands": "केमैन द्वीप", - "Central African Republic": "मध्य अफ्रीकी गणराज्य", - "Chad": "चाड", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "परिवर्तन", - "Chile": "चिली", - "China": "चीन", - "Choose": "चुनें", - "Choose :field": "चुनें :field", - "Choose :resource": ":resource चुनें", - "Choose an option": "एक विकल्प चुनें", - "Choose date": "तिथि चुनें", - "Choose File": "फ़ाइल चुनें", - "Choose Type": "प्रकार चुनें", - "Christmas Island": "क्रिसमस द्वीप", - "City": "City", "click here to request another": "दूसरे का अनुरोध करने के लिए यहां क्लिक करें", - "Click to choose": "चुनने के लिए क्लिक करें", - "Close": "बंद करें", - "Cocos (Keeling) Islands": "कोकोस (कीलिंग) द्वीप समूह", - "Code": "कोड", - "Colombia": "कोलम्बिया", - "Comoros": "कोमोरोस", - "Confirm": "पुष्टि करें", - "Confirm Password": "पासवर्ड की पुष्टि करें", - "Confirm Payment": "भुगतान की पुष्टि करें", - "Confirm your :amount payment": "अपने :amount भुगतान की पुष्टि करें", - "Congo": "कांगो", - "Congo, Democratic Republic": "कांगो लोकतांत्रिक गणराज्य", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "लगातार", - "Cook Islands": "कुक आइलैंड्स", - "Costa Rica": "कोस्टा रिका", - "Cote D'Ivoire": "हाथीदांत का किनारा", - "could not be found.": "नहीं पाया जा सका.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "बनाएँ", - "Create & Add Another": "बनाएँ और एक और जोड़ें", - "Create :resource": ":resource बनाएं", - "Create a new team to collaborate with others on projects.": "परियोजनाओं पर दूसरों के साथ सहयोग करने के लिए एक नई टीम बनाएं । ", - "Create Account": "खाता बनाएँ", - "Create API Token": "एपीआई टोकन बनाएँ", - "Create New Team": "नई टीम बनाएं", - "Create Team": "टीम बनाएं", - "Created.": "बनाया गया । ", - "Croatia": "क्रोएशिया", - "Cuba": "क्यूबा", - "Curaçao": "कुराकाओ", - "Current Password": "वर्तमान पासवर्ड", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "अनुकूलित करें", - "Cyprus": "साइप्रस", - "Czech Republic": "चेक गणतंत्र", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "डैशबोर्ड", - "December": "दिसंबर", - "Decrease": "कमी", - "Delete": "हटाएं", - "Delete Account": "खाता हटाएं", - "Delete API Token": "एपीआई टोकन हटाएं", - "Delete File": "फ़ाइल हटाएं", - "Delete Resource": "संसाधन हटाएं", - "Delete Selected": "चयनित हटाएं", - "Delete Team": "टीम हटाएं", - "Denmark": "डेनमार्क", - "Detach": "अलग करें", - "Detach Resource": "संसाधन अलग करें", - "Detach Selected": "चयनित अलग करें", - "Details": "विवरण", - "Disable": "अक्षम करें", - "Djibouti": "जिबूती", - "Do you really want to leave? You have unsaved changes.": "क्या आप वास्तव में छोड़ना चाहते हैं? आपके पास सहेजे नहीं गए परिवर्तन हैं । ", - "Dominica": "रविवार", - "Dominican Republic": "डोमिनिकन गणराज्य", - "Done.": "हो गया।.", - "Download": "डाउनलोड करें", - "Download Receipt": "Download Receipt", "E-Mail Address": "ई-मेल पता", - "Ecuador": "इक्वेडोर", - "Edit": "संपादित करें", - "Edit :resource": "संपादित करें :resource", - "Edit Attached": "संलग्न संपादित करें", - "Editor": "संपादक", - "Editor users have the ability to read, create, and update.": "संपादक उपयोगकर्ताओं को पढ़ने, बनाने और अद्यतन करने की क्षमता है । ", - "Egypt": "मिस्र", - "El Salvador": "साल्वाडोर", - "Email": "ईमेल", - "Email Address": "ईमेल पता", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "ईमेल पासवर्ड रीसेट लिंक", - "Enable": "सक्षम करें", - "Ensure your account is using a long, random password to stay secure.": "सुनिश्चित करें कि आपका खाता सुरक्षित रहने के लिए एक लंबे, यादृच्छिक पासवर्ड का उपयोग कर रहा है । ", - "Equatorial Guinea": "इक्वेटोरियल गिनी", - "Eritrea": "इरिट्रिया", - "Estonia": "एस्टोनिया", - "Ethiopia": "इथियोपिया", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "आपके भुगतान को संसाधित करने के लिए अतिरिक्त पुष्टि की आवश्यकता है । कृपया नीचे अपना भुगतान विवरण भरकर अपने भुगतान की पुष्टि करें । ", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "आपके भुगतान को संसाधित करने के लिए अतिरिक्त पुष्टि की आवश्यकता है । कृपया नीचे दिए गए बटन पर क्लिक करके भुगतान पृष्ठ पर जारी रखें । ", - "Falkland Islands (Malvinas)": "फ़ॉकलैंड द्वीप (माल्विनास)", - "Faroe Islands": "फरो आइलैंड्स", - "February": "फरवरी", - "Fiji": "फिजी", - "Finland": "फिनलैंड", - "For your security, please confirm your password to continue.": "अपनी सुरक्षा के लिए, कृपया जारी रखने के लिए अपने पासवर्ड की पुष्टि करें । ", "Forbidden": "मना किया", - "Force Delete": "फोर्स डिलीट", - "Force Delete Resource": "फोर्स डिलीट रिसोर्स", - "Force Delete Selected": "फोर्स डिलीट सिलेक्टेड", - "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.": "अपना पासवर्ड भूल गए? कोई बात नहीं । बस हमें अपना ईमेल पता बताएं और हम आपको एक पासवर्ड रीसेट लिंक ईमेल करेंगे जो आपको एक नया चुनने की अनुमति देगा । ", - "France": "फ्रांस", - "French Guiana": "फ्रेंच गयाना", - "French Polynesia": "फ्रेंच पोलिनेशिया", - "French Southern Territories": "फ्रांसीसी दक्षिणी क्षेत्र", - "Full name": "पूरा नाम", - "Gabon": "गैबॉन", - "Gambia": "गाम्बिया", - "Georgia": "जॉर्जिया", - "Germany": "जर्मनी", - "Ghana": "घाना", - "Gibraltar": "जिब्राल्टर", - "Go back": "वापस जाओ", - "Go Home": "घर जाओ", "Go to page :page": "पेज :page पर जाएं", - "Great! You have accepted the invitation to join the :team team.": "बढ़िया! आपने :team टीम में शामिल होने का निमंत्रण स्वीकार कर लिया है । ", - "Greece": "ग्रीस", - "Greenland": "ग्रीनलैंड", - "Grenada": "ग्रेनेडा", - "Guadeloupe": "गुआदेलूप", - "Guam": "गुआम", - "Guatemala": "ग्वाटेमाला", - "Guernsey": "ग्वेर्नसे", - "Guinea": "गिनी", - "Guinea-Bissau": "गिनी-बिसाऊ", - "Guyana": "गुयाना", - "Haiti": "हैती", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "हर्ड आइलैंड और मैकडॉनल्ड्स आइलैंड्स", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "नमस्कार!", - "Hide Content": "सामग्री छुपाएं", - "Hold Up!": "पकड़ो!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "होंडुरास", - "Hong Kong": "हांगकांग", - "Hungary": "हंगरी", - "I agree to the :terms_of_service and :privacy_policy": "मैं :terms___ सेवा और :privacy_ नीति से सहमत हूं", - "Iceland": "आइसलैंड", - "ID": "आईडी", - "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 logout 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 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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "यदि आपको \":action टेक्स्ट\" बटन पर क्लिक करने में परेशानी हो रही है, तो नीचे दिए गए यूआरएल को कॉपी और पेस्ट करें\nअपने वेब ब्राउज़र में:", - "Increase": "वृद्धि", - "India": "भारत", - "Indonesia": "इंडोनेशिया", "Invalid signature.": "अमान्य हस्ताक्षर।", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "ईरान", - "Iraq": "इराक", - "Ireland": "आयरलैंड", - "Isle of Man": "Isle of Man", - "Isle Of Man": "आइल ऑफ मैन", - "Israel": "इज़राइल", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "इटली", - "Jamaica": "जमैका", - "January": "जनवरी", - "Japan": "जापान", - "Jersey": "जर्सी", - "Jordan": "जॉर्डन", - "July": "जुलाई", - "June": "जून", - "Kazakhstan": "कजाकिस्तान", - "Kenya": "केन्या", - "Key": "कुंजी", - "Kiribati": "किरिबाती", - "Korea": "दक्षिण कोरिया", - "Korea, Democratic People's Republic of": "उत्तर कोरिया", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "कोसोवो", - "Kuwait": "कुवैत", - "Kyrgyzstan": "किर्गिस्तान", - "Lao People's Democratic Republic": "लाओस", - "Last active": "अंतिम सक्रिय", - "Last used": "अंतिम बार इस्तेमाल किया", - "Latvia": "लातविया", - "Leave": "छोड़ो", - "Leave Team": "टीम छोड़ दो", - "Lebanon": "लेबनान", - "Lens": "लेंस", - "Lesotho": "लेसोथो", - "Liberia": "लाइबेरिया", - "Libyan Arab Jamahiriya": "लीबिया", - "Liechtenstein": "लिकटेंस्टीन", - "Lithuania": "लिथुआनिया", - "Load :perPage More": "लोड अधिक :perPage", - "Log in": "लॉग इन करें", "Log out": "लॉग आउट करें", - "Log Out": "लॉग आउट करें", - "Log Out Other Browser Sessions": "अन्य ब्राउज़र सत्र लॉग आउट करें", - "Login": "लॉगिन करें", - "Logout": "लॉगआउट", "Logout Other Browser Sessions": "अन्य ब्राउज़र सत्र लॉगआउट करें", - "Luxembourg": "लक्ज़मबर्ग", - "Macao": "मकाओ", - "Macedonia": "उत्तर मैसेडोनिया", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "मेडागास्कर", - "Malawi": "मलावी", - "Malaysia": "मलेशिया", - "Maldives": "मालदीव", - "Mali": "छोटा", - "Malta": "माल्टा", - "Manage Account": "खाता प्रबंधित करें", - "Manage and log out your active sessions on other browsers and devices.": "अन्य ब्राउज़रों और उपकरणों पर अपने सक्रिय सत्र प्रबंधित करें और लॉग आउट करें । ", "Manage and logout your active sessions on other browsers and devices.": "अन्य ब्राउज़रों और उपकरणों पर अपने सक्रिय सत्रों को प्रबंधित और लॉगआउट करें । ", - "Manage API Tokens": "प्रबंधन API टोकन", - "Manage Role": "भूमिका प्रबंधित करें", - "Manage Team": "टीम का प्रबंधन", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "मार्च", - "Marshall Islands": "मार्शल द्वीप समूह", - "Martinique": "मार्टीनिक", - "Mauritania": "मॉरिटानिया", - "Mauritius": "मॉरीशस", - "May": "मई", - "Mayotte": "मैयट", - "Mexico": "मेक्सिको", - "Micronesia, Federated States Of": "माइक्रोनेशिया", - "Moldova": "मोल्दोवा", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "मोनाको", - "Mongolia": "मंगोलिया", - "Montenegro": "मोंटेनेग्रो", - "Month To Date": "तिथि करने के लिए महीना", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "मोंटसेराट", - "Morocco": "मोरक्को", - "Mozambique": "मोजाम्बिक", - "Myanmar": "म्यांमार", - "Name": "नाम", - "Namibia": "नामीबिया", - "Nauru": "नौरू", - "Nepal": "नेपाल", - "Netherlands": "नीदरलैंड", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "कोई बात नहीं", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "नया", - "New :resource": "नई :resource", - "New Caledonia": "न्यू कैलेडोनिया", - "New Password": "नया पासवर्ड", - "New Zealand": "न्यूजीलैंड", - "Next": "अगला", - "Nicaragua": "निकारागुआ", - "Niger": "नाइजर", - "Nigeria": "नाइजीरिया", - "Niue": "नीयू", - "No": "नहीं।", - "No :resource matched the given criteria.": "दिए गए मापदंड से :resource का मिलान नहीं हुआ । ", - "No additional information...": "कोई अतिरिक्त जानकारी नहीं । ..", - "No Current Data": "कोई वर्तमान डेटा नहीं", - "No Data": "कोई डेटा नहीं", - "no file selected": "कोई फ़ाइल चयनित", - "No Increase": "कोई वृद्धि नहीं", - "No Prior Data": "कोई पूर्व डेटा नहीं", - "No Results Found.": "कोई परिणाम नहीं मिला । ", - "Norfolk Island": "नॉरफ़ॉक द्वीप", - "Northern Mariana Islands": "उत्तरी मारियाना द्वीप समूह", - "Norway": "नॉर्वे", "Not Found": "नहीं मिला", - "Nova User": "नोवा उपयोगकर्ता", - "November": "नवंबर", - "October": "अक्टूबर", - "of": "की", "Oh no": "अरे नहीं", - "Oman": "ओमान", - "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 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 Trashed": "केवल ट्रैश किए गए", - "Original": "मूल", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "पृष्ठ समाप्त हो गया", "Pagination Navigation": "पृष्ठ पर अंक लगाना नेविगेशन", - "Pakistan": "पाकिस्तान", - "Palau": "पलाऊ", - "Palestinian Territory, Occupied": "फिलिस्तीनी क्षेत्र", - "Panama": "पनामा", - "Papua New Guinea": "पापुआ न्यू गिनी", - "Paraguay": "पराग्वे", - "Password": "पासवर्ड", - "Pay :amount": "वेतन :amount", - "Payment Cancelled": "भुगतान रद्द", - "Payment Confirmation": "भुगतान की पुष्टि", - "Payment Information": "Payment Information", - "Payment Successful": "भुगतान सफल", - "Pending Team Invitations": "लंबित टीम निमंत्रण", - "Per Page": "प्रति पृष्ठ", - "Permanently delete this team.": "इस टीम को स्थायी रूप से हटा दें । ", - "Permanently delete your account.": "अपने खाते को स्थायी रूप से हटा दें । ", - "Permissions": "अनुमतियां", - "Peru": "पेरू", - "Philippines": "फिलीपींस", - "Photo": "फोटो", - "Pitcairn": "पिटकेर्न द्वीप समूह", "Please click the button below to verify your email address.": "कृपया अपना ईमेल पता सत्यापित करने के लिए नीचे दिए गए बटन पर क्लिक करें । ", - "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 your password before continuing.": "जारी रखने से पहले अपने पासवर्ड की पुष्टि करें । ", - "Please copy your new API token. For your security, it won't be shown again.": "कृपया अपना नया एपीआई टोकन कॉपी करें । आपकी सुरक्षा के लिए, इसे फिर से नहीं दिखाया जाएगा । ", - "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 logout of your other browser sessions across all of your devices.": "कृपया यह पुष्टि करने के लिए अपना पासवर्ड दर्ज करें कि आप अपने सभी उपकरणों में अपने अन्य ब्राउज़र सत्रों का लॉगआउट करना चाहते हैं । ", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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. The email address must be associated with an existing account.": "कृपया उस व्यक्ति का ईमेल पता प्रदान करें जिसे आप इस टीम में जोड़ना चाहते हैं । ईमेल पता मौजूदा खाते से जुड़ा होना चाहिए । ", - "Please provide your name.": "कृपया अपना नाम प्रदान करें । ", - "Poland": "पोलैंड", - "Portugal": "पुर्तगाल", - "Press \/ to search": "प्रेस \/ खोज करने के लिए", - "Preview": "पूर्वावलोकन", - "Previous": "पिछला", - "Privacy Policy": "गोपनीयता नीति", - "Profile": "प्रोफ़ाइल", - "Profile Information": "प्रोफ़ाइल जानकारी", - "Puerto Rico": "प्यूर्टो रिको", - "Qatar": "कतर", - "Quarter To Date": "आज तक क्वार्टर", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "रिकवरी कोड", "Regards": "सादर", - "Regenerate Recovery Codes": "पुन: उत्पन्न वसूली कोड", - "Register": "रजिस्टर करें", - "Reload": "पुनः लोड करें", - "Remember me": "मुझे याद करो", - "Remember Me": "मुझे याद करो", - "Remove": "निकालें", - "Remove Photo": "फोटो निकालें", - "Remove Team Member": "टीम के सदस्य निकालें", - "Resend Verification Email": "सत्यापन ईमेल पुनः भेजें", - "Reset Filters": "फ़िल्टर रीसेट करें", - "Reset Password": "पासवर्ड रीसेट करें", - "Reset Password Notification": "पासवर्ड अधिसूचना रीसेट करें", - "resource": "संसाधन", - "Resources": "संसाधन", - "resources": "संसाधन", - "Restore": "पुनर्स्थापित करें", - "Restore Resource": "संसाधन पुनर्स्थापित करें", - "Restore Selected": "चयनित पुनर्स्थापित करें", "results": "परिणाम", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "बैठक", - "Role": "भूमिका", - "Romania": "रोमानिया", - "Run Action": "भागो कार्रवाई", - "Russian Federation": "रूसी संघ", - "Rwanda": "रवांडा", - "Réunion": "Réunion", - "Saint Barthelemy": "सेंट बार्थेलेमी", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "सेंट हेलेना", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "सेंट किट्स और नेविस", - "Saint Lucia": "सेंट लूसिया", - "Saint Martin": "सेंट मार्टिन", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "सेंट पियरे और मिकेलॉन", - "Saint Vincent And Grenadines": "सेंट विंसेंट और ग्रेनेडाइंस", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "समोआ", - "San Marino": "सैन मैरिनो", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "साओ टोमे और प्रिंसीप", - "Saudi Arabia": "सऊदी अरब", - "Save": "सहेजें", - "Saved.": "बचाया।", - "Search": "खोजिए", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "एक नई तस्वीर का चयन करें", - "Select Action": "कार्रवाई का चयन करें", - "Select All": "सभी का चयन करें", - "Select All Matching": "सभी मिलान का चयन करें", - "Send Password Reset Link": "पासवर्ड रीसेट लिंक भेजें", - "Senegal": "सेनेगल", - "September": "सितंबर", - "Serbia": "सर्बिया", "Server Error": "सर्वर त्रुटि", "Service Unavailable": "सेवा अनुपलब्ध", - "Seychelles": "सेशेल्स", - "Show All Fields": "सभी फ़ील्ड दिखाएँ", - "Show Content": "सामग्री दिखाएँ", - "Show Recovery Codes": "रिकवरी कोड दिखाएं", "Showing": "दिखा रहा है", - "Sierra Leone": "सिएरा लियोन", - "Signed in as": "Signed in as", - "Singapore": "सिंगापुर", - "Sint Maarten (Dutch part)": "सिंट मार्टेन", - "Slovakia": "स्लोवाकिया", - "Slovenia": "स्लोवेनिया", - "Solomon Islands": "सोलोमन द्वीप", - "Somalia": "सोमालिया", - "Something went wrong.": "कुछ गलत हो गया । ", - "Sorry! You are not authorized to perform this action.": "क्षमा करें! आप इस क्रिया को करने के लिए अधिकृत नहीं हैं । ", - "Sorry, your session has expired.": "क्षमा करें, आपका सत्र समाप्त हो गया है । ", - "South Africa": "दक्षिण अफ्रीका", - "South Georgia And Sandwich Isl.": "दक्षिण जॉर्जिया और दक्षिण सैंडविच द्वीप समूह", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "दक्षिण सूडान", - "Spain": "स्पेन", - "Sri Lanka": "श्रीलंका", - "Start Polling": "मतदान शुरू", - "State \/ County": "State \/ County", - "Stop Polling": "मतदान बंद", - "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.": "इन पुनर्प्राप्ति कोड को एक सुरक्षित पासवर्ड प्रबंधक में संग्रहीत करें । यदि आपका टू फैक्टर ऑथेंटिकेशन डिवाइस खो गया है तो उनका उपयोग आपके खाते तक पहुंच को पुनर्प्राप्त करने के लिए किया जा सकता है । ", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "सूडान", - "Suriname": "सूरीनाम", - "Svalbard And Jan Mayen": "स्वालबार्ड और जान मायेन", - "Swaziland": "Eswatini", - "Sweden": "स्वीडन", - "Switch Teams": "स्विच टीमें", - "Switzerland": "स्विट्जरलैंड", - "Syrian Arab Republic": "सीरिया", - "Taiwan": "ताइवान", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "ताजिकिस्तान", - "Tanzania": "तंजानिया", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "टीम विवरण", - "Team Invitation": "टीम निमंत्रण", - "Team Members": "टीम के सदस्य", - "Team Name": "टीम का नाम", - "Team Owner": "टीम के मालिक", - "Team Settings": "टीम सेटिंग्स", - "Terms of Service": "सेवा की शर्तें", - "Thailand": "थाईलैंड", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute एक वैध भूमिका होनी चाहिए । ", - "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 and 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 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 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.": ":attribute कम से कम :length वर्ण होना चाहिए । ", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource बनाया गया था!", - "The :resource was deleted!": ":resource हटा दिया गया था!", - "The :resource was restored!": ":resource बहाल किया गया था!", - "The :resource was updated!": ":resource अद्यतन किया गया था!", - "The action ran successfully!": "कार्रवाई सफलतापूर्वक भाग गया!", - "The file was deleted!": "फ़ाइल हटा दी गई थी!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "सरकार नहीं होने देंगे हमें आप दिखाते हैं कि इन दरवाजों के पीछे क्या है", - "The HasOne relationship has already been filled.": "हसनैन का रिश्ता पहले ही भर चुका है । ", - "The payment was successful.": "भुगतान सफल रहा । ", - "The provided coupon code is invalid.": "The provided coupon code is 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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "संसाधन अद्यतन किया गया था!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "टीम का नाम और मालिक जानकारी.", - "There are no available options for this resource.": "इस संसाधन के लिए कोई उपलब्ध विकल्प नहीं हैं । ", - "There was a problem executing the action.": "कार्रवाई को निष्पादित करने में एक समस्या थी । ", - "There was a problem submitting the form.": "फॉर्म जमा करने में समस्या थी । ", - "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.": "इन लोगों को आपकी टीम में आमंत्रित किया गया है और एक निमंत्रण ईमेल भेजा गया है । वे ईमेल आमंत्रण स्वीकार करके टीम में शामिल हो सकते हैं । ", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "यह कार्रवाई अनधिकृत है । ", - "This device": "यह डिवाइस", - "This file field is read-only.": "यह फ़ाइल फ़ील्ड केवल पढ़ने के लिए है । ", - "This image": "यह छवि", - "This is a secure area of the application. Please confirm your password before continuing.": "यह आवेदन का एक सुरक्षित क्षेत्र है । जारी रखने से पहले अपने पासवर्ड की पुष्टि करें । ", - "This password does not match our records.": "यह पासवर्ड हमारे रिकॉर्ड से मेल नहीं खाता । ", "This password reset link will expire in :count minutes.": "यह पासवर्ड रीसेट लिंक :count मिनट में समाप्त हो जाएगा । ", - "This payment was already successfully confirmed.": "इस भुगतान की पहले ही सफलतापूर्वक पुष्टि हो चुकी थी । ", - "This payment was cancelled.": "यह भुगतान रद्द कर दिया गया था । ", - "This resource no longer exists": "यह संसाधन अब मौजूद नहीं है", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "यह उपयोगकर्ता पहले से ही टीम का है । ", - "This user has already been invited to the team.": "इस उपयोगकर्ता को पहले ही टीम में आमंत्रित किया जा चुका है । ", - "Timor-Leste": "तिमोर-लेस्ते", "to": "को", - "Today": "आज", "Toggle navigation": "टॉगल नेविगेशन", - "Togo": "टोगो", - "Tokelau": "टोकेलौ", - "Token Name": "टोकन नाम", - "Tonga": "आओ", "Too Many Attempts.": "बहुत सारे प्रयास।", "Too Many Requests": "बहुत सारे अनुरोध", - "total": "कुल", - "Total:": "Total:", - "Trashed": "ट्रैश किए गए", - "Trinidad And Tobago": "त्रिनिदाद और टोबैगो", - "Tunisia": "ट्यूनीशिया", - "Turkey": "तुर्की", - "Turkmenistan": "तुर्कमेनिस्तान", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "तुर्क और कैकोस द्वीप समूह", - "Tuvalu": "तुवालु", - "Two Factor Authentication": "दो कारक प्रमाणीकरण", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "दो कारक प्रमाणीकरण अब सक्षम है । अपने फ़ोन के प्रमाणक एप्लिकेशन का उपयोग करके निम्नलिखित क्यूआर कोड को स्कैन करें । ", - "Uganda": "युगांडा", - "Ukraine": "यूक्रेन", "Unauthorized": "अनधिकृत", - "United Arab Emirates": "संयुक्त अरब अमीरात", - "United Kingdom": "यूनाइटेड किंगडम", - "United States": "संयुक्त राज्य", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "अमेरिका दूरस्थ द्वीप समूह", - "Update": "अद्यतन करें", - "Update & Continue Editing": "अद्यतन और संपादन जारी रखें", - "Update :resource": "अद्यतन :resource", - "Update :resource: :title": "अद्यतन :resource: :title", - "Update attached :resource: :title": "अद्यतन संलग्न :resource: :title", - "Update Password": "पासवर्ड अपडेट करें", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "अपने खाते की प्रोफ़ाइल जानकारी और ईमेल पता अपडेट करें । ", - "Uruguay": "उरुग्वे", - "Use a recovery code": "पुनर्प्राप्ति कोड का उपयोग करें", - "Use an authentication code": "प्रमाणीकरण कोड का उपयोग करें", - "Uzbekistan": "उज्बेकिस्तान", - "Value": "मूल्य", - "Vanuatu": "वानुअतु", - "VAT Number": "VAT Number", - "Venezuela": "वेनेजुएला", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "ईमेल पता सत्यापित करें", "Verify Your Email Address": "अपना ईमेल पता सत्यापित करें", - "Viet Nam": "Vietnam", - "View": "देखें", - "Virgin Islands, British": "ब्रिटिश वर्जिन द्वीप समूह", - "Virgin Islands, U.S.": "अमेरिका वर्जिन द्वीप समूह", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "वालिस और फ़्यूचूना", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "हम इस ईमेल पते के साथ एक पंजीकृत उपयोगकर्ता को खोजने में असमर्थ थे । ", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "हम कुछ घंटों के लिए फिर से आपका पासवर्ड नहीं मांगेंगे । ", - "We're lost in space. The page you were trying to view does not exist.": "हम अंतरिक्ष में खो गए हैं । जिस पृष्ठ को आप देखने का प्रयास कर रहे थे वह मौजूद नहीं है । ", - "Welcome Back!": "वापस स्वागत है!", - "Western Sahara": "पश्चिमी सहारा", - "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.": "जब दो कारक प्रमाणीकरण सक्षम होता है, तो आपको प्रमाणीकरण के दौरान एक सुरक्षित, यादृच्छिक टोकन के लिए संकेत दिया जाएगा । आप अपने फोन के गूगल प्रमाणक आवेदन से इस टोकन पुनः प्राप्त कर सकते हैं.", - "Whoops": "वूप्स", - "Whoops!": "ओह!", - "Whoops! Something went wrong.": "ओह! कुछ गलत हो गया । ", - "With Trashed": "ट्रैश के साथ", - "Write": "लिखें", - "Year To Date": "तिथि करने के लिए वर्ष", - "Yearly": "Yearly", - "Yemen": "येमेनी", - "Yes": "हाँ", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "आप लॉग इन हैं!", - "You are receiving this email because we received a password reset request for your account.": "आपको यह ईमेल प्राप्त हो रहा है क्योंकि हमें आपके खाते के लिए पासवर्ड रीसेट अनुरोध प्राप्त हुआ है । ", - "You have been invited to join the :team team!": "आपको :team टीम में शामिल होने के लिए आमंत्रित किया गया है!", - "You have enabled two factor authentication.": "आपने दो कारक प्रमाणीकरण सक्षम किया है । ", - "You have not enabled two factor authentication.": "आपने दो कारक प्रमाणीकरण सक्षम नहीं किया है । ", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.": "आप अपने द्वारा बनाई गई टीम को नहीं छोड़ सकते हैं । ", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "आपका ईमेल पता सत्यापित नहीं है । ", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "जाम्बिया", - "Zimbabwe": "जिम्बाब्वे", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "आपका ईमेल पता सत्यापित नहीं है । " } diff --git a/locales/hi/packages/cashier.json b/locales/hi/packages/cashier.json new file mode 100644 index 00000000000..57157164eca --- /dev/null +++ b/locales/hi/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "सभी अधिकार सुरक्षित.", + "Card": "कार्ड", + "Confirm Payment": "भुगतान की पुष्टि करें", + "Confirm your :amount payment": "अपने :amount भुगतान की पुष्टि करें", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "आपके भुगतान को संसाधित करने के लिए अतिरिक्त पुष्टि की आवश्यकता है । कृपया नीचे अपना भुगतान विवरण भरकर अपने भुगतान की पुष्टि करें । ", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "आपके भुगतान को संसाधित करने के लिए अतिरिक्त पुष्टि की आवश्यकता है । कृपया नीचे दिए गए बटन पर क्लिक करके भुगतान पृष्ठ पर जारी रखें । ", + "Full name": "पूरा नाम", + "Go back": "वापस जाओ", + "Jane Doe": "Jane Doe", + "Pay :amount": "वेतन :amount", + "Payment Cancelled": "भुगतान रद्द", + "Payment Confirmation": "भुगतान की पुष्टि", + "Payment Successful": "भुगतान सफल", + "Please provide your name.": "कृपया अपना नाम प्रदान करें । ", + "The payment was successful.": "भुगतान सफल रहा । ", + "This payment was already successfully confirmed.": "इस भुगतान की पहले ही सफलतापूर्वक पुष्टि हो चुकी थी । ", + "This payment was cancelled.": "यह भुगतान रद्द कर दिया गया था । " +} diff --git a/locales/hi/packages/fortify.json b/locales/hi/packages/fortify.json new file mode 100644 index 00000000000..a4549235d7f --- /dev/null +++ b/locales/hi/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 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 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.": ":attribute कम से कम :length वर्ण होना चाहिए । ", + "The provided password does not match your current password.": "प्रदान किया गया पासवर्ड आपके वर्तमान पासवर्ड से मेल नहीं खाता है । ", + "The provided password was incorrect.": "प्रदान किया गया पासवर्ड गलत था । ", + "The provided two factor authentication code was invalid.": "प्रदान किए गए दो कारक प्रमाणीकरण कोड अमान्य था । " +} diff --git a/locales/hi/packages/jetstream.json b/locales/hi/packages/jetstream.json new file mode 100644 index 00000000000..722bbc9abbe --- /dev/null +++ b/locales/hi/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "पंजीकरण के दौरान आपके द्वारा प्रदान किए गए ईमेल पते पर एक नया सत्यापन लिंक भेजा गया है । ", + "Accept Invitation": "निमंत्रण स्वीकार करें", + "Add": "जोड़ें", + "Add a new team member to your team, allowing them to collaborate with you.": "अपनी टीम में एक नया टीम सदस्य जोड़ें, जिससे वे आपके साथ सहयोग कर सकें । ", + "Add additional security to your account using two factor authentication.": "दो कारक प्रमाणीकरण का उपयोग करके अपने खाते में अतिरिक्त सुरक्षा जोड़ें । ", + "Add Team Member": "टीम के सदस्य जोड़ें", + "Added.": "जोड़ा गया । ", + "Administrator": "प्रशासक", + "Administrator users can perform any action.": "व्यवस्थापक उपयोगकर्ता कोई भी कार्रवाई कर सकते हैं । ", + "All of the people that are part of this team.": "सभी लोग जो इस टीम का हिस्सा हैं । ", + "Already registered?": "पहले से ही पंजीकृत?", + "API Token": "API टोकन", + "API Token Permissions": "API टोकन Permissions", + "API Tokens": "एपीआई टोकन", + "API tokens allow third-party services to authenticate with our application on your behalf.": "एपीआई टोकन तृतीय-पक्ष सेवाओं को आपकी ओर से हमारे आवेदन के साथ प्रमाणित करने की अनुमति देते हैं । ", + "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 delete this API token?": "क्या आप वाकई इस एपीआई टोकन को हटाना चाहते हैं?", + "Are you sure you would like to leave this team?": "क्या आप वाकई इस टीम को छोड़ना चाहेंगे?", + "Are you sure you would like to remove this person from the team?": "क्या आप वाकई इस व्यक्ति को टीम से हटाना चाहेंगे?", + "Browser Sessions": "ब्राउज़र सत्र", + "Cancel": "रद्द करें", + "Close": "बंद करें", + "Code": "कोड", + "Confirm": "पुष्टि करें", + "Confirm Password": "पासवर्ड की पुष्टि करें", + "Create": "बनाएँ", + "Create a new team to collaborate with others on projects.": "परियोजनाओं पर दूसरों के साथ सहयोग करने के लिए एक नई टीम बनाएं । ", + "Create Account": "खाता बनाएँ", + "Create API Token": "एपीआई टोकन बनाएँ", + "Create New Team": "नई टीम बनाएं", + "Create Team": "टीम बनाएं", + "Created.": "बनाया गया । ", + "Current Password": "वर्तमान पासवर्ड", + "Dashboard": "डैशबोर्ड", + "Delete": "हटाएं", + "Delete Account": "खाता हटाएं", + "Delete API Token": "एपीआई टोकन हटाएं", + "Delete Team": "टीम हटाएं", + "Disable": "अक्षम करें", + "Done.": "हो गया।.", + "Editor": "संपादक", + "Editor users have the ability to read, create, and update.": "संपादक उपयोगकर्ताओं को पढ़ने, बनाने और अद्यतन करने की क्षमता है । ", + "Email": "ईमेल", + "Email Password Reset Link": "ईमेल पासवर्ड रीसेट लिंक", + "Enable": "सक्षम करें", + "Ensure your account is using a long, random password to stay secure.": "सुनिश्चित करें कि आपका खाता सुरक्षित रहने के लिए एक लंबे, यादृच्छिक पासवर्ड का उपयोग कर रहा है । ", + "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.": "अपना पासवर्ड भूल गए? कोई बात नहीं । बस हमें अपना ईमेल पता बताएं और हम आपको एक पासवर्ड रीसेट लिंक ईमेल करेंगे जो आपको एक नया चुनने की अनुमति देगा । ", + "Great! You have accepted the invitation to join the :team team.": "बढ़िया! आपने :team टीम में शामिल होने का निमंत्रण स्वीकार कर लिया है । ", + "I agree to the :terms_of_service and :privacy_policy": "मैं :terms___ सेवा और :privacy_ नीति से सहमत हूं", + "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 you already have an account, you may accept this invitation by clicking the button below:": "यदि आपके पास पहले से कोई खाता है, तो आप नीचे दिए गए बटन पर क्लिक करके इस निमंत्रण को स्वीकार कर सकते हैं:", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "यदि आपके पास खाता नहीं है, तो आप नीचे दिए गए बटन पर क्लिक करके एक बना सकते हैं । खाता बनाने के बाद, आप टीम आमंत्रण स्वीकार करने के लिए इस ईमेल में आमंत्रण स्वीकृति बटन पर क्लिक कर सकते हैं:", + "Last active": "अंतिम सक्रिय", + "Last used": "अंतिम बार इस्तेमाल किया", + "Leave": "छोड़ो", + "Leave Team": "टीम छोड़ दो", + "Log in": "लॉग इन करें", + "Log Out": "लॉग आउट करें", + "Log Out Other Browser Sessions": "अन्य ब्राउज़र सत्र लॉग आउट करें", + "Manage Account": "खाता प्रबंधित करें", + "Manage and log out your active sessions on other browsers and devices.": "अन्य ब्राउज़रों और उपकरणों पर अपने सक्रिय सत्र प्रबंधित करें और लॉग आउट करें । ", + "Manage API Tokens": "प्रबंधन API टोकन", + "Manage Role": "भूमिका प्रबंधित करें", + "Manage Team": "टीम का प्रबंधन", + "Name": "नाम", + "New Password": "नया पासवर्ड", + "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 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.": "एक बार जब आपका खाता हटा दिया जाता है, तो उसके सभी संसाधन और डेटा स्थायी रूप से हटा दिए जाएंगे । अपना खाता हटाने से पहले, कृपया कोई भी डेटा या जानकारी डाउनलोड करें जिसे आप बनाए रखना चाहते हैं । ", + "Password": "पासवर्ड", + "Pending Team Invitations": "लंबित टीम निमंत्रण", + "Permanently delete this team.": "इस टीम को स्थायी रूप से हटा दें । ", + "Permanently delete your account.": "अपने खाते को स्थायी रूप से हटा दें । ", + "Permissions": "अनुमतियां", + "Photo": "फोटो", + "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 copy your new API token. For your security, it won't be shown again.": "कृपया अपना नया एपीआई टोकन कॉपी करें । आपकी सुरक्षा के लिए, इसे फिर से नहीं दिखाया जाएगा । ", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "कृपया यह पुष्टि करने के लिए अपना पासवर्ड दर्ज करें कि आप अपने सभी उपकरणों में अपने अन्य ब्राउज़र सत्रों से लॉग आउट करना चाहते हैं । ", + "Please provide the email address of the person you would like to add to this team.": "कृपया उस व्यक्ति का ईमेल पता प्रदान करें जिसे आप इस टीम में जोड़ना चाहते हैं । ", + "Privacy Policy": "गोपनीयता नीति", + "Profile": "प्रोफ़ाइल", + "Profile Information": "प्रोफ़ाइल जानकारी", + "Recovery Code": "रिकवरी कोड", + "Regenerate Recovery Codes": "पुन: उत्पन्न वसूली कोड", + "Register": "रजिस्टर करें", + "Remember me": "मुझे याद करो", + "Remove": "निकालें", + "Remove Photo": "फोटो निकालें", + "Remove Team Member": "टीम के सदस्य निकालें", + "Resend Verification Email": "सत्यापन ईमेल पुनः भेजें", + "Reset Password": "पासवर्ड रीसेट करें", + "Role": "भूमिका", + "Save": "सहेजें", + "Saved.": "बचाया।", + "Select A New Photo": "एक नई तस्वीर का चयन करें", + "Show Recovery Codes": "रिकवरी कोड दिखाएं", + "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.": "इन पुनर्प्राप्ति कोड को एक सुरक्षित पासवर्ड प्रबंधक में संग्रहीत करें । यदि आपका टू फैक्टर ऑथेंटिकेशन डिवाइस खो गया है तो उनका उपयोग आपके खाते तक पहुंच को पुनर्प्राप्त करने के लिए किया जा सकता है । ", + "Switch Teams": "स्विच टीमें", + "Team Details": "टीम विवरण", + "Team Invitation": "टीम निमंत्रण", + "Team Members": "टीम के सदस्य", + "Team Name": "टीम का नाम", + "Team Owner": "टीम के मालिक", + "Team Settings": "टीम सेटिंग्स", + "Terms of Service": "सेवा की शर्तें", + "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 a valid role.": ":attribute एक वैध भूमिका होनी चाहिए । ", + "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 and 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 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 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.": ":attribute कम से कम :length वर्ण होना चाहिए । ", + "The provided password does not match your current password.": "प्रदान किया गया पासवर्ड आपके वर्तमान पासवर्ड से मेल नहीं खाता है । ", + "The provided password was incorrect.": "प्रदान किया गया पासवर्ड गलत था । ", + "The provided two factor authentication code was invalid.": "प्रदान किए गए दो कारक प्रमाणीकरण कोड अमान्य था । ", + "The team's name and owner information.": "टीम का नाम और मालिक जानकारी.", + "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.": "इन लोगों को आपकी टीम में आमंत्रित किया गया है और एक निमंत्रण ईमेल भेजा गया है । वे ईमेल आमंत्रण स्वीकार करके टीम में शामिल हो सकते हैं । ", + "This device": "यह डिवाइस", + "This is a secure area of the application. Please confirm your password before continuing.": "यह आवेदन का एक सुरक्षित क्षेत्र है । जारी रखने से पहले अपने पासवर्ड की पुष्टि करें । ", + "This password does not match our records.": "यह पासवर्ड हमारे रिकॉर्ड से मेल नहीं खाता । ", + "This user already belongs to the team.": "यह उपयोगकर्ता पहले से ही टीम का है । ", + "This user has already been invited to the team.": "इस उपयोगकर्ता को पहले ही टीम में आमंत्रित किया जा चुका है । ", + "Token Name": "टोकन नाम", + "Two Factor Authentication": "दो कारक प्रमाणीकरण", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "दो कारक प्रमाणीकरण अब सक्षम है । अपने फ़ोन के प्रमाणक एप्लिकेशन का उपयोग करके निम्नलिखित क्यूआर कोड को स्कैन करें । ", + "Update Password": "पासवर्ड अपडेट करें", + "Update your account's profile information and email address.": "अपने खाते की प्रोफ़ाइल जानकारी और ईमेल पता अपडेट करें । ", + "Use a recovery code": "पुनर्प्राप्ति कोड का उपयोग करें", + "Use an authentication code": "प्रमाणीकरण कोड का उपयोग करें", + "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.": "जब दो कारक प्रमाणीकरण सक्षम होता है, तो आपको प्रमाणीकरण के दौरान एक सुरक्षित, यादृच्छिक टोकन के लिए संकेत दिया जाएगा । आप अपने फोन के गूगल प्रमाणक आवेदन से इस टोकन पुनः प्राप्त कर सकते हैं.", + "Whoops! Something went wrong.": "ओह! कुछ गलत हो गया । ", + "You have been invited to join the :team team!": "आपको :team टीम में शामिल होने के लिए आमंत्रित किया गया है!", + "You have enabled two factor authentication.": "आपने दो कारक प्रमाणीकरण सक्षम किया है । ", + "You have not enabled two factor authentication.": "आपने दो कारक प्रमाणीकरण सक्षम नहीं किया है । ", + "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.": "आप अपने द्वारा बनाई गई टीम को नहीं छोड़ सकते हैं । " +} diff --git a/locales/hi/packages/nova.json b/locales/hi/packages/nova.json new file mode 100644 index 00000000000..beaa221ede2 --- /dev/null +++ b/locales/hi/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 दिन", + "60 Days": "60 दिन", + "90 Days": "90 दिन", + ":amount Total": ":amount कुल", + ":resource Details": ":resource विवरण", + ":resource Details: :title": ":resource विवरण: :title", + "Action": "कार्रवाई", + "Action Happened At": "पर हुआ", + "Action Initiated By": "द्वारा शुरू की", + "Action Name": "नाम", + "Action Status": "स्थिति", + "Action Target": "लक्ष्य", + "Actions": "क्रियाएं", + "Add row": "पंक्ति जोड़ें", + "Afghanistan": "अफ़ग़ानिस्तान", + "Aland Islands": "आलैंड द्वीप समूह", + "Albania": "अल्बानिया", + "Algeria": "अल्जीरिया", + "All resources loaded.": "सभी संसाधनों भरी हुई.", + "American Samoa": "अमेरिकी समोआ", + "An error occured while uploading the file.": "फ़ाइल अपलोड करते समय एक त्रुटि हुई । ", + "Andorra": "एंडोरन", + "Angola": "अंगोला", + "Anguilla": "एंगुइला", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "इस पृष्ठ को लोड किए जाने के बाद से किसी अन्य उपयोगकर्ता ने इस संसाधन को अपडेट किया है । कृपया पृष्ठ को ताज़ा करें और पुनः प्रयास करें । ", + "Antarctica": "अंटार्कटिका", + "Antigua And Barbuda": "एंटीगुआ और बारबुडा", + "April": "अप्रैल", + "Are you sure you want to delete the selected resources?": "क्या आप वाकई चयनित संसाधनों को हटाना चाहते हैं?", + "Are you sure you want to delete this file?": "क्या आप वाकई इस फाइल को हटाना चाहते हैं?", + "Are you sure you want to delete this resource?": "क्या आप वाकई इस संसाधन को हटाना चाहते हैं?", + "Are you sure you want to detach the selected resources?": "क्या आप वाकई चयनित संसाधनों को अलग करना चाहते हैं?", + "Are you sure you want to detach this resource?": "क्या आप वाकई इस संसाधन को अलग करना चाहते हैं?", + "Are you sure you want to force delete the selected resources?": "क्या आप सुनिश्चित हैं कि आप चयनित संसाधनों को हटाना चाहते हैं?", + "Are you sure you want to force delete this resource?": "क्या आप वाकई इस संसाधन को हटाना चाहते हैं?", + "Are you sure you want to restore the selected resources?": "क्या आप वाकई चयनित संसाधनों को पुनर्स्थापित करना चाहते हैं?", + "Are you sure you want to restore this resource?": "क्या आप वाकई इस संसाधन को पुनर्स्थापित करना चाहते हैं?", + "Are you sure you want to run this action?": "क्या आप वाकई इस क्रिया को चलाना चाहते हैं?", + "Argentina": "अर्जेंटीना", + "Armenia": "अर्मेनिया", + "Aruba": "अरूबा", + "Attach": "संलग्न करें", + "Attach & Attach Another": "संलग्न करें और एक और संलग्न करें", + "Attach :resource": "अटैच :resource", + "August": "अगस्त", + "Australia": "ऑस्ट्रेलिया", + "Austria": "ऑस्ट्रिया", + "Azerbaijan": "अज़रबैजान", + "Bahamas": "बहामा", + "Bahrain": "बहरीन", + "Bangladesh": "बांग्लादेश", + "Barbados": "बारबाडोस", + "Belarus": "बेलारूस", + "Belgium": "बेल्जियम", + "Belize": "बेलीज", + "Benin": "बेनिन", + "Bermuda": "बरमूडा", + "Bhutan": "भूटान", + "Bolivia": "बोलीविया", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius और Sábado", + "Bosnia And Herzegovina": "बोस्निया और हर्जेगोविना", + "Botswana": "बोत्सवाना", + "Bouvet Island": "बुवेट द्वीप", + "Brazil": "ब्राज़ील", + "British Indian Ocean Territory": "ब्रिटिश हिंद महासागर क्षेत्र", + "Brunei Darussalam": "Brunei", + "Bulgaria": "बुल्गारिया", + "Burkina Faso": "बुर्किना फासो", + "Burundi": "बुरुंडी", + "Cambodia": "कंबोडिया", + "Cameroon": "कैमरून", + "Canada": "कनाडा", + "Cancel": "रद्द करें", + "Cape Verde": "केप वर्डे", + "Cayman Islands": "केमैन द्वीप", + "Central African Republic": "मध्य अफ्रीकी गणराज्य", + "Chad": "चाड", + "Changes": "परिवर्तन", + "Chile": "चिली", + "China": "चीन", + "Choose": "चुनें", + "Choose :field": "चुनें :field", + "Choose :resource": ":resource चुनें", + "Choose an option": "एक विकल्प चुनें", + "Choose date": "तिथि चुनें", + "Choose File": "फ़ाइल चुनें", + "Choose Type": "प्रकार चुनें", + "Christmas Island": "क्रिसमस द्वीप", + "Click to choose": "चुनने के लिए क्लिक करें", + "Cocos (Keeling) Islands": "कोकोस (कीलिंग) द्वीप समूह", + "Colombia": "कोलम्बिया", + "Comoros": "कोमोरोस", + "Confirm Password": "पासवर्ड की पुष्टि करें", + "Congo": "कांगो", + "Congo, Democratic Republic": "कांगो लोकतांत्रिक गणराज्य", + "Constant": "लगातार", + "Cook Islands": "कुक आइलैंड्स", + "Costa Rica": "कोस्टा रिका", + "Cote D'Ivoire": "हाथीदांत का किनारा", + "could not be found.": "नहीं पाया जा सका.", + "Create": "बनाएँ", + "Create & Add Another": "बनाएँ और एक और जोड़ें", + "Create :resource": ":resource बनाएं", + "Croatia": "क्रोएशिया", + "Cuba": "क्यूबा", + "Curaçao": "कुराकाओ", + "Customize": "अनुकूलित करें", + "Cyprus": "साइप्रस", + "Czech Republic": "चेक गणतंत्र", + "Dashboard": "डैशबोर्ड", + "December": "दिसंबर", + "Decrease": "कमी", + "Delete": "हटाएं", + "Delete File": "फ़ाइल हटाएं", + "Delete Resource": "संसाधन हटाएं", + "Delete Selected": "चयनित हटाएं", + "Denmark": "डेनमार्क", + "Detach": "अलग करें", + "Detach Resource": "संसाधन अलग करें", + "Detach Selected": "चयनित अलग करें", + "Details": "विवरण", + "Djibouti": "जिबूती", + "Do you really want to leave? You have unsaved changes.": "क्या आप वास्तव में छोड़ना चाहते हैं? आपके पास सहेजे नहीं गए परिवर्तन हैं । ", + "Dominica": "रविवार", + "Dominican Republic": "डोमिनिकन गणराज्य", + "Download": "डाउनलोड करें", + "Ecuador": "इक्वेडोर", + "Edit": "संपादित करें", + "Edit :resource": "संपादित करें :resource", + "Edit Attached": "संलग्न संपादित करें", + "Egypt": "मिस्र", + "El Salvador": "साल्वाडोर", + "Email Address": "ईमेल पता", + "Equatorial Guinea": "इक्वेटोरियल गिनी", + "Eritrea": "इरिट्रिया", + "Estonia": "एस्टोनिया", + "Ethiopia": "इथियोपिया", + "Falkland Islands (Malvinas)": "फ़ॉकलैंड द्वीप (माल्विनास)", + "Faroe Islands": "फरो आइलैंड्स", + "February": "फरवरी", + "Fiji": "फिजी", + "Finland": "फिनलैंड", + "Force Delete": "फोर्स डिलीट", + "Force Delete Resource": "फोर्स डिलीट रिसोर्स", + "Force Delete Selected": "फोर्स डिलीट सिलेक्टेड", + "Forgot Your Password?": "अपना पासवर्ड भूल गए?", + "Forgot your password?": "अपना पासवर्ड भूल गए?", + "France": "फ्रांस", + "French Guiana": "फ्रेंच गयाना", + "French Polynesia": "फ्रेंच पोलिनेशिया", + "French Southern Territories": "फ्रांसीसी दक्षिणी क्षेत्र", + "Gabon": "गैबॉन", + "Gambia": "गाम्बिया", + "Georgia": "जॉर्जिया", + "Germany": "जर्मनी", + "Ghana": "घाना", + "Gibraltar": "जिब्राल्टर", + "Go Home": "घर जाओ", + "Greece": "ग्रीस", + "Greenland": "ग्रीनलैंड", + "Grenada": "ग्रेनेडा", + "Guadeloupe": "गुआदेलूप", + "Guam": "गुआम", + "Guatemala": "ग्वाटेमाला", + "Guernsey": "ग्वेर्नसे", + "Guinea": "गिनी", + "Guinea-Bissau": "गिनी-बिसाऊ", + "Guyana": "गुयाना", + "Haiti": "हैती", + "Heard Island & Mcdonald Islands": "हर्ड आइलैंड और मैकडॉनल्ड्स आइलैंड्स", + "Hide Content": "सामग्री छुपाएं", + "Hold Up!": "पकड़ो!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "होंडुरास", + "Hong Kong": "हांगकांग", + "Hungary": "हंगरी", + "Iceland": "आइसलैंड", + "ID": "आईडी", + "If you did not request a password reset, no further action is required.": "यदि आपने पासवर्ड रीसेट का अनुरोध नहीं किया है, तो आगे की कार्रवाई की आवश्यकता नहीं है । ", + "Increase": "वृद्धि", + "India": "भारत", + "Indonesia": "इंडोनेशिया", + "Iran, Islamic Republic Of": "ईरान", + "Iraq": "इराक", + "Ireland": "आयरलैंड", + "Isle Of Man": "आइल ऑफ मैन", + "Israel": "इज़राइल", + "Italy": "इटली", + "Jamaica": "जमैका", + "January": "जनवरी", + "Japan": "जापान", + "Jersey": "जर्सी", + "Jordan": "जॉर्डन", + "July": "जुलाई", + "June": "जून", + "Kazakhstan": "कजाकिस्तान", + "Kenya": "केन्या", + "Key": "कुंजी", + "Kiribati": "किरिबाती", + "Korea": "दक्षिण कोरिया", + "Korea, Democratic People's Republic of": "उत्तर कोरिया", + "Kosovo": "कोसोवो", + "Kuwait": "कुवैत", + "Kyrgyzstan": "किर्गिस्तान", + "Lao People's Democratic Republic": "लाओस", + "Latvia": "लातविया", + "Lebanon": "लेबनान", + "Lens": "लेंस", + "Lesotho": "लेसोथो", + "Liberia": "लाइबेरिया", + "Libyan Arab Jamahiriya": "लीबिया", + "Liechtenstein": "लिकटेंस्टीन", + "Lithuania": "लिथुआनिया", + "Load :perPage More": "लोड अधिक :perPage", + "Login": "लॉगिन करें", + "Logout": "लॉगआउट", + "Luxembourg": "लक्ज़मबर्ग", + "Macao": "मकाओ", + "Macedonia": "उत्तर मैसेडोनिया", + "Madagascar": "मेडागास्कर", + "Malawi": "मलावी", + "Malaysia": "मलेशिया", + "Maldives": "मालदीव", + "Mali": "छोटा", + "Malta": "माल्टा", + "March": "मार्च", + "Marshall Islands": "मार्शल द्वीप समूह", + "Martinique": "मार्टीनिक", + "Mauritania": "मॉरिटानिया", + "Mauritius": "मॉरीशस", + "May": "मई", + "Mayotte": "मैयट", + "Mexico": "मेक्सिको", + "Micronesia, Federated States Of": "माइक्रोनेशिया", + "Moldova": "मोल्दोवा", + "Monaco": "मोनाको", + "Mongolia": "मंगोलिया", + "Montenegro": "मोंटेनेग्रो", + "Month To Date": "तिथि करने के लिए महीना", + "Montserrat": "मोंटसेराट", + "Morocco": "मोरक्को", + "Mozambique": "मोजाम्बिक", + "Myanmar": "म्यांमार", + "Namibia": "नामीबिया", + "Nauru": "नौरू", + "Nepal": "नेपाल", + "Netherlands": "नीदरलैंड", + "New": "नया", + "New :resource": "नई :resource", + "New Caledonia": "न्यू कैलेडोनिया", + "New Zealand": "न्यूजीलैंड", + "Next": "अगला", + "Nicaragua": "निकारागुआ", + "Niger": "नाइजर", + "Nigeria": "नाइजीरिया", + "Niue": "नीयू", + "No": "नहीं।", + "No :resource matched the given criteria.": "दिए गए मापदंड से :resource का मिलान नहीं हुआ । ", + "No additional information...": "कोई अतिरिक्त जानकारी नहीं । ..", + "No Current Data": "कोई वर्तमान डेटा नहीं", + "No Data": "कोई डेटा नहीं", + "no file selected": "कोई फ़ाइल चयनित", + "No Increase": "कोई वृद्धि नहीं", + "No Prior Data": "कोई पूर्व डेटा नहीं", + "No Results Found.": "कोई परिणाम नहीं मिला । ", + "Norfolk Island": "नॉरफ़ॉक द्वीप", + "Northern Mariana Islands": "उत्तरी मारियाना द्वीप समूह", + "Norway": "नॉर्वे", + "Nova User": "नोवा उपयोगकर्ता", + "November": "नवंबर", + "October": "अक्टूबर", + "of": "की", + "Oman": "ओमान", + "Only Trashed": "केवल ट्रैश किए गए", + "Original": "मूल", + "Pakistan": "पाकिस्तान", + "Palau": "पलाऊ", + "Palestinian Territory, Occupied": "फिलिस्तीनी क्षेत्र", + "Panama": "पनामा", + "Papua New Guinea": "पापुआ न्यू गिनी", + "Paraguay": "पराग्वे", + "Password": "पासवर्ड", + "Per Page": "प्रति पृष्ठ", + "Peru": "पेरू", + "Philippines": "फिलीपींस", + "Pitcairn": "पिटकेर्न द्वीप समूह", + "Poland": "पोलैंड", + "Portugal": "पुर्तगाल", + "Press \/ to search": "प्रेस \/ खोज करने के लिए", + "Preview": "पूर्वावलोकन", + "Previous": "पिछला", + "Puerto Rico": "प्यूर्टो रिको", + "Qatar": "कतर", + "Quarter To Date": "आज तक क्वार्टर", + "Reload": "पुनः लोड करें", + "Remember Me": "मुझे याद करो", + "Reset Filters": "फ़िल्टर रीसेट करें", + "Reset Password": "पासवर्ड रीसेट करें", + "Reset Password Notification": "पासवर्ड अधिसूचना रीसेट करें", + "resource": "संसाधन", + "Resources": "संसाधन", + "resources": "संसाधन", + "Restore": "पुनर्स्थापित करें", + "Restore Resource": "संसाधन पुनर्स्थापित करें", + "Restore Selected": "चयनित पुनर्स्थापित करें", + "Reunion": "बैठक", + "Romania": "रोमानिया", + "Run Action": "भागो कार्रवाई", + "Russian Federation": "रूसी संघ", + "Rwanda": "रवांडा", + "Saint Barthelemy": "सेंट बार्थेलेमी", + "Saint Helena": "सेंट हेलेना", + "Saint Kitts And Nevis": "सेंट किट्स और नेविस", + "Saint Lucia": "सेंट लूसिया", + "Saint Martin": "सेंट मार्टिन", + "Saint Pierre And Miquelon": "सेंट पियरे और मिकेलॉन", + "Saint Vincent And Grenadines": "सेंट विंसेंट और ग्रेनेडाइंस", + "Samoa": "समोआ", + "San Marino": "सैन मैरिनो", + "Sao Tome And Principe": "साओ टोमे और प्रिंसीप", + "Saudi Arabia": "सऊदी अरब", + "Search": "खोजिए", + "Select Action": "कार्रवाई का चयन करें", + "Select All": "सभी का चयन करें", + "Select All Matching": "सभी मिलान का चयन करें", + "Send Password Reset Link": "पासवर्ड रीसेट लिंक भेजें", + "Senegal": "सेनेगल", + "September": "सितंबर", + "Serbia": "सर्बिया", + "Seychelles": "सेशेल्स", + "Show All Fields": "सभी फ़ील्ड दिखाएँ", + "Show Content": "सामग्री दिखाएँ", + "Sierra Leone": "सिएरा लियोन", + "Singapore": "सिंगापुर", + "Sint Maarten (Dutch part)": "सिंट मार्टेन", + "Slovakia": "स्लोवाकिया", + "Slovenia": "स्लोवेनिया", + "Solomon Islands": "सोलोमन द्वीप", + "Somalia": "सोमालिया", + "Something went wrong.": "कुछ गलत हो गया । ", + "Sorry! You are not authorized to perform this action.": "क्षमा करें! आप इस क्रिया को करने के लिए अधिकृत नहीं हैं । ", + "Sorry, your session has expired.": "क्षमा करें, आपका सत्र समाप्त हो गया है । ", + "South Africa": "दक्षिण अफ्रीका", + "South Georgia And Sandwich Isl.": "दक्षिण जॉर्जिया और दक्षिण सैंडविच द्वीप समूह", + "South Sudan": "दक्षिण सूडान", + "Spain": "स्पेन", + "Sri Lanka": "श्रीलंका", + "Start Polling": "मतदान शुरू", + "Stop Polling": "मतदान बंद", + "Sudan": "सूडान", + "Suriname": "सूरीनाम", + "Svalbard And Jan Mayen": "स्वालबार्ड और जान मायेन", + "Swaziland": "Eswatini", + "Sweden": "स्वीडन", + "Switzerland": "स्विट्जरलैंड", + "Syrian Arab Republic": "सीरिया", + "Taiwan": "ताइवान", + "Tajikistan": "ताजिकिस्तान", + "Tanzania": "तंजानिया", + "Thailand": "थाईलैंड", + "The :resource was created!": ":resource बनाया गया था!", + "The :resource was deleted!": ":resource हटा दिया गया था!", + "The :resource was restored!": ":resource बहाल किया गया था!", + "The :resource was updated!": ":resource अद्यतन किया गया था!", + "The action ran successfully!": "कार्रवाई सफलतापूर्वक भाग गया!", + "The file was deleted!": "फ़ाइल हटा दी गई थी!", + "The government won't let us show you what's behind these doors": "सरकार नहीं होने देंगे हमें आप दिखाते हैं कि इन दरवाजों के पीछे क्या है", + "The HasOne relationship has already been filled.": "हसनैन का रिश्ता पहले ही भर चुका है । ", + "The resource was updated!": "संसाधन अद्यतन किया गया था!", + "There are no available options for this resource.": "इस संसाधन के लिए कोई उपलब्ध विकल्प नहीं हैं । ", + "There was a problem executing the action.": "कार्रवाई को निष्पादित करने में एक समस्या थी । ", + "There was a problem submitting the form.": "फॉर्म जमा करने में समस्या थी । ", + "This file field is read-only.": "यह फ़ाइल फ़ील्ड केवल पढ़ने के लिए है । ", + "This image": "यह छवि", + "This resource no longer exists": "यह संसाधन अब मौजूद नहीं है", + "Timor-Leste": "तिमोर-लेस्ते", + "Today": "आज", + "Togo": "टोगो", + "Tokelau": "टोकेलौ", + "Tonga": "आओ", + "total": "कुल", + "Trashed": "ट्रैश किए गए", + "Trinidad And Tobago": "त्रिनिदाद और टोबैगो", + "Tunisia": "ट्यूनीशिया", + "Turkey": "तुर्की", + "Turkmenistan": "तुर्कमेनिस्तान", + "Turks And Caicos Islands": "तुर्क और कैकोस द्वीप समूह", + "Tuvalu": "तुवालु", + "Uganda": "युगांडा", + "Ukraine": "यूक्रेन", + "United Arab Emirates": "संयुक्त अरब अमीरात", + "United Kingdom": "यूनाइटेड किंगडम", + "United States": "संयुक्त राज्य", + "United States Outlying Islands": "अमेरिका दूरस्थ द्वीप समूह", + "Update": "अद्यतन करें", + "Update & Continue Editing": "अद्यतन और संपादन जारी रखें", + "Update :resource": "अद्यतन :resource", + "Update :resource: :title": "अद्यतन :resource: :title", + "Update attached :resource: :title": "अद्यतन संलग्न :resource: :title", + "Uruguay": "उरुग्वे", + "Uzbekistan": "उज्बेकिस्तान", + "Value": "मूल्य", + "Vanuatu": "वानुअतु", + "Venezuela": "वेनेजुएला", + "Viet Nam": "Vietnam", + "View": "देखें", + "Virgin Islands, British": "ब्रिटिश वर्जिन द्वीप समूह", + "Virgin Islands, U.S.": "अमेरिका वर्जिन द्वीप समूह", + "Wallis And Futuna": "वालिस और फ़्यूचूना", + "We're lost in space. The page you were trying to view does not exist.": "हम अंतरिक्ष में खो गए हैं । जिस पृष्ठ को आप देखने का प्रयास कर रहे थे वह मौजूद नहीं है । ", + "Welcome Back!": "वापस स्वागत है!", + "Western Sahara": "पश्चिमी सहारा", + "Whoops": "वूप्स", + "Whoops!": "ओह!", + "With Trashed": "ट्रैश के साथ", + "Write": "लिखें", + "Year To Date": "तिथि करने के लिए वर्ष", + "Yemen": "येमेनी", + "Yes": "हाँ", + "You are receiving this email because we received a password reset request for your account.": "आपको यह ईमेल प्राप्त हो रहा है क्योंकि हमें आपके खाते के लिए पासवर्ड रीसेट अनुरोध प्राप्त हुआ है । ", + "Zambia": "जाम्बिया", + "Zimbabwe": "जिम्बाब्वे" +} diff --git a/locales/hi/packages/spark-paddle.json b/locales/hi/packages/spark-paddle.json new file mode 100644 index 00000000000..c77080b76be --- /dev/null +++ b/locales/hi/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "सेवा की शर्तें", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "ओह! कुछ गलत हो गया । ", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/hi/packages/spark-stripe.json b/locales/hi/packages/spark-stripe.json new file mode 100644 index 00000000000..e8402d52978 --- /dev/null +++ b/locales/hi/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "अफ़ग़ानिस्तान", + "Albania": "अल्बानिया", + "Algeria": "अल्जीरिया", + "American Samoa": "अमेरिकी समोआ", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "एंडोरन", + "Angola": "अंगोला", + "Anguilla": "एंगुइला", + "Antarctica": "अंटार्कटिका", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "अर्जेंटीना", + "Armenia": "अर्मेनिया", + "Aruba": "अरूबा", + "Australia": "ऑस्ट्रेलिया", + "Austria": "ऑस्ट्रिया", + "Azerbaijan": "अज़रबैजान", + "Bahamas": "बहामा", + "Bahrain": "बहरीन", + "Bangladesh": "बांग्लादेश", + "Barbados": "बारबाडोस", + "Belarus": "बेलारूस", + "Belgium": "बेल्जियम", + "Belize": "बेलीज", + "Benin": "बेनिन", + "Bermuda": "बरमूडा", + "Bhutan": "भूटान", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "बोत्सवाना", + "Bouvet Island": "बुवेट द्वीप", + "Brazil": "ब्राज़ील", + "British Indian Ocean Territory": "ब्रिटिश हिंद महासागर क्षेत्र", + "Brunei Darussalam": "Brunei", + "Bulgaria": "बुल्गारिया", + "Burkina Faso": "बुर्किना फासो", + "Burundi": "बुरुंडी", + "Cambodia": "कंबोडिया", + "Cameroon": "कैमरून", + "Canada": "कनाडा", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "केप वर्डे", + "Card": "कार्ड", + "Cayman Islands": "केमैन द्वीप", + "Central African Republic": "मध्य अफ्रीकी गणराज्य", + "Chad": "चाड", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "चिली", + "China": "चीन", + "Christmas Island": "क्रिसमस द्वीप", + "City": "City", + "Cocos (Keeling) Islands": "कोकोस (कीलिंग) द्वीप समूह", + "Colombia": "कोलम्बिया", + "Comoros": "कोमोरोस", + "Confirm Payment": "भुगतान की पुष्टि करें", + "Confirm your :amount payment": "अपने :amount भुगतान की पुष्टि करें", + "Congo": "कांगो", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "कुक आइलैंड्स", + "Costa Rica": "कोस्टा रिका", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "क्रोएशिया", + "Cuba": "क्यूबा", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "साइप्रस", + "Czech Republic": "चेक गणतंत्र", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "डेनमार्क", + "Djibouti": "जिबूती", + "Dominica": "रविवार", + "Dominican Republic": "डोमिनिकन गणराज्य", + "Download Receipt": "Download Receipt", + "Ecuador": "इक्वेडोर", + "Egypt": "मिस्र", + "El Salvador": "साल्वाडोर", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "इक्वेटोरियल गिनी", + "Eritrea": "इरिट्रिया", + "Estonia": "एस्टोनिया", + "Ethiopia": "इथियोपिया", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "आपके भुगतान को संसाधित करने के लिए अतिरिक्त पुष्टि की आवश्यकता है । कृपया नीचे दिए गए बटन पर क्लिक करके भुगतान पृष्ठ पर जारी रखें । ", + "Falkland Islands (Malvinas)": "फ़ॉकलैंड द्वीप (माल्विनास)", + "Faroe Islands": "फरो आइलैंड्स", + "Fiji": "फिजी", + "Finland": "फिनलैंड", + "France": "फ्रांस", + "French Guiana": "फ्रेंच गयाना", + "French Polynesia": "फ्रेंच पोलिनेशिया", + "French Southern Territories": "फ्रांसीसी दक्षिणी क्षेत्र", + "Gabon": "गैबॉन", + "Gambia": "गाम्बिया", + "Georgia": "जॉर्जिया", + "Germany": "जर्मनी", + "Ghana": "घाना", + "Gibraltar": "जिब्राल्टर", + "Greece": "ग्रीस", + "Greenland": "ग्रीनलैंड", + "Grenada": "ग्रेनेडा", + "Guadeloupe": "गुआदेलूप", + "Guam": "गुआम", + "Guatemala": "ग्वाटेमाला", + "Guernsey": "ग्वेर्नसे", + "Guinea": "गिनी", + "Guinea-Bissau": "गिनी-बिसाऊ", + "Guyana": "गुयाना", + "Haiti": "हैती", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "होंडुरास", + "Hong Kong": "हांगकांग", + "Hungary": "हंगरी", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "आइसलैंड", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "भारत", + "Indonesia": "इंडोनेशिया", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "इराक", + "Ireland": "आयरलैंड", + "Isle of Man": "Isle of Man", + "Israel": "इज़राइल", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "इटली", + "Jamaica": "जमैका", + "Japan": "जापान", + "Jersey": "जर्सी", + "Jordan": "जॉर्डन", + "Kazakhstan": "कजाकिस्तान", + "Kenya": "केन्या", + "Kiribati": "किरिबाती", + "Korea, Democratic People's Republic of": "उत्तर कोरिया", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "कुवैत", + "Kyrgyzstan": "किर्गिस्तान", + "Lao People's Democratic Republic": "लाओस", + "Latvia": "लातविया", + "Lebanon": "लेबनान", + "Lesotho": "लेसोथो", + "Liberia": "लाइबेरिया", + "Libyan Arab Jamahiriya": "लीबिया", + "Liechtenstein": "लिकटेंस्टीन", + "Lithuania": "लिथुआनिया", + "Luxembourg": "लक्ज़मबर्ग", + "Macao": "मकाओ", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "मेडागास्कर", + "Malawi": "मलावी", + "Malaysia": "मलेशिया", + "Maldives": "मालदीव", + "Mali": "छोटा", + "Malta": "माल्टा", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "मार्शल द्वीप समूह", + "Martinique": "मार्टीनिक", + "Mauritania": "मॉरिटानिया", + "Mauritius": "मॉरीशस", + "Mayotte": "मैयट", + "Mexico": "मेक्सिको", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "मोनाको", + "Mongolia": "मंगोलिया", + "Montenegro": "मोंटेनेग्रो", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "मोंटसेराट", + "Morocco": "मोरक्को", + "Mozambique": "मोजाम्बिक", + "Myanmar": "म्यांमार", + "Namibia": "नामीबिया", + "Nauru": "नौरू", + "Nepal": "नेपाल", + "Netherlands": "नीदरलैंड", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "न्यू कैलेडोनिया", + "New Zealand": "न्यूजीलैंड", + "Nicaragua": "निकारागुआ", + "Niger": "नाइजर", + "Nigeria": "नाइजीरिया", + "Niue": "नीयू", + "Norfolk Island": "नॉरफ़ॉक द्वीप", + "Northern Mariana Islands": "उत्तरी मारियाना द्वीप समूह", + "Norway": "नॉर्वे", + "Oman": "ओमान", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "पाकिस्तान", + "Palau": "पलाऊ", + "Palestinian Territory, Occupied": "फिलिस्तीनी क्षेत्र", + "Panama": "पनामा", + "Papua New Guinea": "पापुआ न्यू गिनी", + "Paraguay": "पराग्वे", + "Payment Information": "Payment Information", + "Peru": "पेरू", + "Philippines": "फिलीपींस", + "Pitcairn": "पिटकेर्न द्वीप समूह", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "पोलैंड", + "Portugal": "पुर्तगाल", + "Puerto Rico": "प्यूर्टो रिको", + "Qatar": "कतर", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "रोमानिया", + "Russian Federation": "रूसी संघ", + "Rwanda": "रवांडा", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "सेंट हेलेना", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "सेंट लूसिया", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "समोआ", + "San Marino": "सैन मैरिनो", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "सऊदी अरब", + "Save": "सहेजें", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "सेनेगल", + "Serbia": "सर्बिया", + "Seychelles": "सेशेल्स", + "Sierra Leone": "सिएरा लियोन", + "Signed in as": "Signed in as", + "Singapore": "सिंगापुर", + "Slovakia": "स्लोवाकिया", + "Slovenia": "स्लोवेनिया", + "Solomon Islands": "सोलोमन द्वीप", + "Somalia": "सोमालिया", + "South Africa": "दक्षिण अफ्रीका", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "स्पेन", + "Sri Lanka": "श्रीलंका", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "सूडान", + "Suriname": "सूरीनाम", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "स्वीडन", + "Switzerland": "स्विट्जरलैंड", + "Syrian Arab Republic": "सीरिया", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "ताजिकिस्तान", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "सेवा की शर्तें", + "Thailand": "थाईलैंड", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "तिमोर-लेस्ते", + "Togo": "टोगो", + "Tokelau": "टोकेलौ", + "Tonga": "आओ", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "ट्यूनीशिया", + "Turkey": "तुर्की", + "Turkmenistan": "तुर्कमेनिस्तान", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "तुवालु", + "Uganda": "युगांडा", + "Ukraine": "यूक्रेन", + "United Arab Emirates": "संयुक्त अरब अमीरात", + "United Kingdom": "यूनाइटेड किंगडम", + "United States": "संयुक्त राज्य", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "अद्यतन करें", + "Update Payment Information": "Update Payment Information", + "Uruguay": "उरुग्वे", + "Uzbekistan": "उज्बेकिस्तान", + "Vanuatu": "वानुअतु", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "ब्रिटिश वर्जिन द्वीप समूह", + "Virgin Islands, U.S.": "अमेरिका वर्जिन द्वीप समूह", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "पश्चिमी सहारा", + "Whoops! Something went wrong.": "ओह! कुछ गलत हो गया । ", + "Yearly": "Yearly", + "Yemen": "येमेनी", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "जाम्बिया", + "Zimbabwe": "जिम्बाब्वे", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/hr/hr.json b/locales/hr/hr.json index 77cbff5e8ba..b6df25f192e 100644 --- a/locales/hr/hr.json +++ b/locales/hr/hr.json @@ -1,710 +1,48 @@ { - "30 Days": "30 dana", - "60 Days": "60 dana", - "90 Days": "90 dana", - ":amount Total": "Ukupno :amount", - ":days day trial": ":days day trial", - ":resource Details": ":resource dijelovi", - ":resource Details: :title": ":resource detalji: :title", "A fresh verification link has been sent to your email address.": "Na vašu adresu e-pošte poslana je svježa veza za provjeru.", - "A new verification link has been sent to the email address you provided during registration.": "Nova veza za provjeru poslana je na adresu e-pošte koju ste naveli prilikom registracije.", - "Accept Invitation": "Prihvati Pozivnicu", - "Action": "Akcija", - "Action Happened At": "Dogodilo Se U", - "Action Initiated By": "Pokrenuto", - "Action Name": "Ime", - "Action Status": "Status", - "Action Target": "Cilj", - "Actions": "Akcije", - "Add": "Dodaj", - "Add a new team member to your team, allowing them to collaborate with you.": "Dodajte novog člana tima u svoj tim kako bi mogao surađivati s vama.", - "Add additional security to your account using two factor authentication.": "Dodajte dodatnu sigurnost na svoj račun pomoću autentifikacije s dva faktora.", - "Add row": "Dodaj redak", - "Add Team Member": "Dodaj Člana Tima", - "Add VAT Number": "Add VAT Number", - "Added.": "Dodano.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administrator", - "Administrator users can perform any action.": "Administratori mogu obavljati sve radnje.", - "Afghanistan": "Afganistan", - "Aland Islands": "Ålandski otoci", - "Albania": "Albanija", - "Algeria": "Alžir", - "All of the people that are part of this team.": "Svi ljudi koji su dio ovog tima.", - "All resources loaded.": "Svi resursi su učitani.", - "All rights reserved.": "Sva prava pridržana.", - "Already registered?": "Jesi li se prijavio?", - "American Samoa": "Američka Samoa", - "An error occured while uploading the file.": "Došlo je do pogreške prilikom učitavanja datoteke.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andora", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Drugi je korisnik ažurirao ovaj resurs od preuzimanja ove stranice. Ažurirajte stranicu i pokušajte ponovo.", - "Antarctica": "Antarktika", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigva i Barbuda", - "API Token": "API token", - "API Token Permissions": "Dopuštenja za API token", - "API Tokens": "API tokeni", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API tokeni omogućuju uslugama treće strane da se autentificiraju u našoj aplikaciji u Vaše ime.", - "April": "Travanj", - "Are you sure you want to delete the selected resources?": "Jeste li sigurni da želite izbrisati odabrane resurse?", - "Are you sure you want to delete this file?": "Jeste li sigurni da želite izbrisati tu datoteku?", - "Are you sure you want to delete this resource?": "Jeste li sigurni da želite izbrisati ovaj resurs?", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Jeste li sigurni da želite izbrisati ovu naredbu? Nakon što je naredba izbrisana, svi njezini resursi i podaci bit će trajno izbrisani.", - "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.": "Jeste li sigurni da želite izbrisati svoj račun? Nakon što je vaš račun izbrisan, svi njezini resursi i podaci bit će trajno izbrisani. Unesite zaporku kako biste potvrdili da želite trajno izbrisati svoj račun.", - "Are you sure you want to detach the selected resources?": "Jeste li sigurni da želite odvojiti odabrane resurse?", - "Are you sure you want to detach this resource?": "Jeste li sigurni da želite odvojiti ovaj resurs?", - "Are you sure you want to force delete the selected resources?": "Jeste li sigurni da želite prisilno izbrisati odabrane resurse?", - "Are you sure you want to force delete this resource?": "Jeste li sigurni da želite prisilno izbrisati ovaj resurs?", - "Are you sure you want to restore the selected resources?": "Jeste li sigurni da želite vratiti odabrane resurse?", - "Are you sure you want to restore this resource?": "Jeste li sigurni da želite vratiti ovaj resurs?", - "Are you sure you want to run this action?": "Jeste li sigurni da želite pokrenuti ovu akciju?", - "Are you sure you would like to delete this API token?": "Jeste li sigurni da želite izbrisati ovaj API token?", - "Are you sure you would like to leave this team?": "Jeste li sigurni da želite napustiti ovaj tim?", - "Are you sure you would like to remove this person from the team?": "Jeste li sigurni da želite ukloniti tu osobu iz tima?", - "Argentina": "Argentina", - "Armenia": "Armenija", - "Aruba": "Aruba", - "Attach": "Priložite", - "Attach & Attach Another": "Pričvrstite i pričvrstite još jedan", - "Attach :resource": "Pričvrstite :resource", - "August": "Kolovoz", - "Australia": "Australija", - "Austria": "Austrija", - "Azerbaijan": "Azerbajdžan", - "Bahamas": "Bahami", - "Bahrain": "Bahrein", - "Bangladesh": "Bangladeš", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Prije nastavka provjerite e-poštu za provjeru veze.", - "Belarus": "Bjelorusija", - "Belgium": "Belgija", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Butan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivija", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sabbath", - "Bosnia And Herzegovina": "Bosna i Hercegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Bocvana", - "Bouvet Island": "Otok Bouvet", - "Brazil": "Brazil", - "British Indian Ocean Territory": "Britanski Teritorij Indijskog oceana", - "Browser Sessions": "Sesije preglednika", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bugarska", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Kambodža", - "Cameroon": "Kamerun", - "Canada": "Kanada", - "Cancel": "Poništi", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Cape Verde", - "Card": "Karta", - "Cayman Islands": "Kajmanski otoci", - "Central African Republic": "Srednjoafrička Republika", - "Chad": "Čad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Promjene", - "Chile": "Čile", - "China": "Kina", - "Choose": "Odaberi", - "Choose :field": "Odaberite :field", - "Choose :resource": "Odaberite :resource", - "Choose an option": "Odaberite opciju", - "Choose date": "Odaberite datum", - "Choose File": "Odaberite Datoteku", - "Choose Type": "Odaberite Vrstu", - "Christmas Island": "Božićni Otok", - "City": "City", "click here to request another": "Kliknite ovdje da biste zatražili još jedan", - "Click to choose": "Dodirnite za odabir", - "Close": "Zatvori", - "Cocos (Keeling) Islands": "Kokos (Keeling) Otoci", - "Code": "Kod", - "Colombia": "Kolumbija", - "Comoros": "Komori", - "Confirm": "Potvrdi", - "Confirm Password": "Potvrdite zaporku", - "Confirm Payment": "Potvrdite Plaćanje", - "Confirm your :amount payment": "Potvrdite plaćanje :amount", - "Congo": "Kongo", - "Congo, Democratic Republic": "Kongo, Demokratska Republika", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Trajno", - "Cook Islands": "Cookovo Otočje", - "Costa Rica": "Kostarika", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "nisam ga mogao naći.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Stvori", - "Create & Add Another": "Stvoriti i dodati još jedan", - "Create :resource": "Stvori :resource", - "Create a new team to collaborate with others on projects.": "Izradite novi tim za suradnju na projektima.", - "Create Account": "Izradi račun", - "Create API Token": "Stvaranje API tokena", - "Create New Team": "Napravi Novu Naredbu", - "Create Team": "Napravi naredbu", - "Created.": "Stvoren.", - "Croatia": "Hrvatska", - "Cuba": "Kuba", - "Curaçao": "Curacao", - "Current Password": "trenutna lozinka", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Prilagodi", - "Cyprus": "Cipar", - "Czech Republic": "Češka", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Nadzorna ploča", - "December": "Prosinac", - "Decrease": "Smanji", - "Delete": "Ukloni", - "Delete Account": "Izbriši račun", - "Delete API Token": "Ukloni oznaku API-ja", - "Delete File": "Ukloni datoteku", - "Delete Resource": "Izbriši resurs", - "Delete Selected": "Ukloni Odabrano", - "Delete Team": "Ukloni naredbu", - "Denmark": "Danska", - "Detach": "Odspojite", - "Detach Resource": "Odspojite resurs", - "Detach Selected": "Odspojite Odabrano", - "Details": "Detalji", - "Disable": "Isključi", - "Djibouti": "Džibuti.", - "Do you really want to leave? You have unsaved changes.": "Stvarno želiš otići? Imate nespremne promjene.", - "Dominica": "Nedjelja", - "Dominican Republic": "Dominikanska Republika", - "Done.": "Gotovo.", - "Download": "Preuzimanje", - "Download Receipt": "Download Receipt", "E-Mail Address": "Adresa elektronske pošte", - "Ecuador": "Ekvador", - "Edit": "Uredi", - "Edit :resource": "Uređivanje :resource", - "Edit Attached": "Uređivanje U Prilogu", - "Editor": "Uređivač", - "Editor users have the ability to read, create, and update.": "Korisnici urednika imaju mogućnost čitanja, stvaranja i ažuriranja.", - "Egypt": "Egipat", - "El Salvador": "Spasitelj", - "Email": "E-pošta", - "Email Address": "adresa e-pošte", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Veza za poništavanje lozinke e-pošte", - "Enable": "Uključi", - "Ensure your account is using a long, random password to stay secure.": "Pobrinite se da vaš račun koristi dugu slučajnu lozinku kako bi ostala sigurna.", - "Equatorial Guinea": "Ekvatorska Gvineja", - "Eritrea": "Eritreja", - "Estonia": "Estonija", - "Ethiopia": "Etiopija", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Potrebna je dodatna potvrda za obradu Vaše uplate. Potvrdite plaćanje ispunjavanjem pojedinosti o plaćanju u nastavku.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Potrebna je dodatna potvrda za obradu Vaše uplate. Idite na stranicu za plaćanje klikom na gumb ispod.", - "Falkland Islands (Malvinas)": "Falklandski otoci)", - "Faroe Islands": "Farski Otoci", - "February": "Veljača", - "Fiji": "Fidži", - "Finland": "Finska", - "For your security, please confirm your password to continue.": "Za vašu sigurnost, potvrdite svoju lozinku za nastavak.", "Forbidden": "Zabranjeno", - "Force Delete": "Prisilno uklanjanje", - "Force Delete Resource": "Prisilno uklanjanje resursa", - "Force Delete Selected": "Prisilno Uklanjanje Odabranog", - "Forgot Your Password?": "Zaboravili ste zaporku?", - "Forgot your password?": "Zaboravili ste lozinku?", - "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.": "Zaboravili ste lozinku? Nema problema. Samo nam javite svoju adresu e - pošte i poslat ćemo vam vezu za poništavanje zaporke koja će vam omogućiti da odaberete novu.", - "France": "Francuska", - "French Guiana": "Francuska Gvajana", - "French Polynesia": "Francuska Polinezija", - "French Southern Territories": "Francuski južni teritoriji", - "Full name": "Puno ime", - "Gabon": "Gabon", - "Gambia": "Gambija", - "Georgia": "Gruzija", - "Germany": "Njemačka", - "Ghana": "Gana", - "Gibraltar": "Gibraltar", - "Go back": "Vrati se.", - "Go Home": "idi kući", "Go to page :page": "Idite na stranicu :page", - "Great! You have accepted the invitation to join the :team team.": "Dobro! Prihvatili ste pozivnicu da se pridružite timu :team.", - "Greece": "Grčka", - "Greenland": "Grenland", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Gvatemala", - "Guernsey": "Guernsey.", - "Guinea": "Gvineja", - "Guinea-Bissau": "Gvineja Bisau", - "Guyana": "Gvajana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Otoci Heard i McDonald", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Hej!", - "Hide Content": "Sakrij sadržaj", - "Hold Up!": "- Čekaj!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Mađarska", - "I agree to the :terms_of_service and :privacy_policy": "Slažem se na :terms_of_service i :privacy_policy", - "Iceland": "Island", - "ID": "ID", - "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.": "Ako je potrebno, možete se odjaviti iz svih ostalih sesija preglednika na svim svojim uređajima. Neke od vaših najnovijih sesija navedene su u nastavku; međutim, ovaj popis možda neće biti iscrpan. Ako smatrate da je vaš račun ugrožen, trebali biste ažurirati i zaporku.", "If necessary, you may logout 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.": "Ako je potrebno, možete se odjaviti iz svih ostalih sesija preglednika na svim svojim uređajima. Neke od vaših najnovijih sesija navedene su u nastavku; međutim, ovaj popis možda neće biti iscrpan. Ako smatrate da je vaš račun ugrožen, trebali biste ažurirati i zaporku.", - "If you already have an account, you may accept this invitation by clicking the button below:": "Ako već imate račun, možete prihvatiti ovaj poziv klikom na gumb ispod:", "If you did not create an account, no further action is required.": "Ako niste stvorili račun, nije potrebno daljnje radnje.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Ako niste očekivali da ćete primiti pozivnicu za ovaj tim, možete odbiti ovu e-poštu.", "If you did not receive the email": "Ako niste primili e - poštu", - "If you did not request a password reset, no further action is required.": "Ukoliko niste zahtjevali promjenu zaporke, nije potrebno da preduzimate dalje korake.", - "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:": "Ako nemate račun, možete ga izraditi klikom na gumb ispod. Nakon što stvorite račun, možete kliknuti gumb za prihvaćanje pozivnice u ovoj e-pošti da biste prihvatili pozivnicu tima:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Ako imate problema s klikom na gumb \":actionText\", kopirajte i zalijepite URL u nastavku\nu svoj web preglednik:", - "Increase": "Povećanje", - "India": "Indija", - "Indonesia": "Indonezija", "Invalid signature.": "Pogrešan potpis.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Irak", - "Ireland": "Irska", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Otok Man", - "Israel": "Izrael", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italija", - "Jamaica": "Jamajka", - "January": "Siječanj", - "Japan": "Japan", - "Jersey": "Jersey", - "Jordan": "Jordan", - "July": "Srpanj", - "June": "Lipanj", - "Kazakhstan": "Kazahstan", - "Kenya": "Kenija", - "Key": "Ključ", - "Kiribati": "Kiribati", - "Korea": "Južna Koreja", - "Korea, Democratic People's Republic of": "Sjeverna Koreja", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuvajt", - "Kyrgyzstan": "Kirgistan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Posljednji aktivni", - "Last used": "Posljednji put korišten", - "Latvia": "Latvija", - "Leave": "Napustiti", - "Leave Team": "Napustiti tim", - "Lebanon": "Libanon", - "Lens": "Objektiv", - "Lesotho": "Lesoto", - "Liberia": "Liberija", - "Libyan Arab Jamahiriya": "Libija", - "Liechtenstein": "Lihtenštajn", - "Lithuania": "Litva", - "Load :perPage More": "Preuzmite još :per stranica", - "Log in": "Ovlaštenje", "Log out": "Odjava", - "Log Out": "Odjava", - "Log Out Other Browser Sessions": "Odjavite Se Iz Drugih Sesija Preglednika", - "Login": "Prijava", - "Logout": "Odjava", "Logout Other Browser Sessions": "Odjava Iz Drugih Sesija Preglednika", - "Luxembourg": "Luxembourg", - "Macao": "Makao.", - "Macedonia": "Sjeverna Makedonija", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagaskar", - "Malawi": "Malavi.", - "Malaysia": "Malezija", - "Maldives": "Maldivi", - "Mali": "Mali", - "Malta": "Malta", - "Manage Account": "Upravljanje računom", - "Manage and log out your active sessions on other browsers and devices.": "Upravljajte aktivnim sesijama i odjavite se iz drugih preglednika i uređaja.", "Manage and logout your active sessions on other browsers and devices.": "Upravljajte aktivnim sesijama i odjavite se iz drugih preglednika i uređaja.", - "Manage API Tokens": "Upravljanje API tokenima", - "Manage Role": "Upravljanje ulogom", - "Manage Team": "Upravljanje timom", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Ožujak", - "Marshall Islands": "Maršalovi Otoci", - "Martinique": "Martinik.", - "Mauritania": "Mauritanija", - "Mauritius": "Mauricijus", - "May": "Svibanj", - "Mayotte": "Mayotte.", - "Mexico": "Meksiko", - "Micronesia, Federated States Of": "Mikronezija", - "Moldova": "Moldavija", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monako", - "Mongolia": "Mongolija", - "Montenegro": "Crna Gora", - "Month To Date": "Mjesec Dana Do Danas", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Maroko", - "Mozambique": "Mozambik", - "Myanmar": "Mianmar", - "Name": "Ime", - "Namibia": "Namibija", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Nizozemska", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Nemojte uzeti u obzir", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Novi", - "New :resource": "Novi :resource", - "New Caledonia": "Nova Kaledonija", - "New Password": "Nova lozinka", - "New Zealand": "Novi Zeland", - "Next": "Sljedeći", - "Nicaragua": "Nikaragva", - "Niger": "Niger", - "Nigeria": "Nigerija", - "Niue": "Niue.", - "No": "Ne.", - "No :resource matched the given criteria.": "Nijedan broj :resource nije ispunio navedene kriterije.", - "No additional information...": "Nema više informacija...", - "No Current Data": "Nema Trenutnih Podataka", - "No Data": "Nema Podataka", - "no file selected": "datoteka nije odabrana", - "No Increase": "Nema Povećanja", - "No Prior Data": "Nema Preliminarnih Podataka", - "No Results Found.": "Nema Rezultata.", - "Norfolk Island": "Otok Norfolk", - "Northern Mariana Islands": "Sjeverni Marijanski Otoci", - "Norway": "Norveška", "Not Found": "nije pronađeno", - "Nova User": "Nova Korisnik", - "November": "Studeni", - "October": "Listopad", - "of": "od", "Oh no": "O, ne.", - "Oman": "Oman", - "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.": "Nakon što je naredba izbrisana, svi njezini resursi i podaci bit će trajno izbrisani. Prije brisanja ove naredbe Preuzmite sve podatke ili informacije o ovoj naredbi koje želite spremiti.", - "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.": "Nakon što je vaš račun izbrisan, svi njezini resursi i podaci bit će trajno izbrisani. Prije brisanja računa, Preuzmite sve podatke ili informacije koje želite spremiti.", - "Only Trashed": "Samo Poražen", - "Original": "Izvorni", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Stranica Je Istekla", "Pagination Navigation": "Kretanje po stranicama", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Palestinski teritoriji", - "Panama": "Panama", - "Papua New Guinea": "Papua Nova Gvineja", - "Paraguay": "Paragvaj", - "Password": "Zaporka", - "Pay :amount": "Plati :amount.", - "Payment Cancelled": "Plaćanje Je Otkazano", - "Payment Confirmation": "Potvrda plaćanja", - "Payment Information": "Payment Information", - "Payment Successful": "Plaćanje Je Uspješno", - "Pending Team Invitations": "Pozivnice Na Čekanju", - "Per Page": "Na Stranicu", - "Permanently delete this team.": "Trajno izbrišite ovu naredbu.", - "Permanently delete your account.": "Trajno izbrišite svoj račun.", - "Permissions": "Dozvole", - "Peru": "Peru", - "Philippines": "Filipini", - "Photo": "Fotografija", - "Pitcairn": "Pitcairn Otoci", "Please click the button below to verify your email address.": "Kliknite gumb ispod da biste potvrdili svoju adresu e-pošte.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Potvrdite pristup računu unosom jednog od vaših kodova za oporavak od katastrofe.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Potvrdite pristup računu unosom koda za provjeru autentičnosti koju pruža aplikacija Autentifikatora.", "Please confirm your password before continuing.": "Potvrdite zaporku prije nastavka.", - "Please copy your new API token. For your security, it won't be shown again.": "Kopirajte svoj novi API token. Za vašu sigurnost više neće biti prikazan.", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Unesite zaporku kako biste potvrdili da želite izaći iz drugih sesija preglednika na svim svojim uređajima.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Unesite zaporku kako biste potvrdili da želite izaći iz drugih sesija preglednika na svim svojim uređajima.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "Please provide the email address of the person you would like to add to this team.": "Navedite adresu e-pošte osobe koju želite dodati u ovu naredbu.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Navedite adresu e-pošte osobe koju želite dodati u ovu naredbu. Adresa e-pošte mora biti povezana s postojećim računom.", - "Please provide your name.": "Molim vas, recite svoje ime.", - "Poland": "Poljska", - "Portugal": "Portugal", - "Press \/ to search": "Dodirnite \/ za pretraživanje", - "Preview": "Pregled", - "Previous": "Prethodno", - "Privacy Policy": "pravila o privatnosti", - "Profile": "Profil", - "Profile Information": "Informacije o profilu", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Četvrtina Do Danas", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Kod za oporavak", "Regards": "S poštovanjem", - "Regenerate Recovery Codes": "Regeneracija kodova za oporavak", - "Register": "Registracija", - "Reload": "Ponovo pokreni", - "Remember me": "Zapamti me.", - "Remember Me": "Zapamti me", - "Remove": "Ukloni", - "Remove Photo": "Obriši Fotografiju", - "Remove Team Member": "Ukloni Člana Tima", - "Resend Verification Email": "Ponovno Slanje E-Pošte Za Provjeru", - "Reset Filters": "Poništavanje filtara", - "Reset Password": "Resetuj zaporku", - "Reset Password Notification": "Obavijest o resetovanju zaporke", - "resource": "resurs", - "Resources": "Resursi", - "resources": "resursi", - "Restore": "Obnovi", - "Restore Resource": "Vraćanje resursa", - "Restore Selected": "Vrati Odabrano", "results": "rezultati", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Reunion", - "Role": "Uloga", - "Romania": "Rumunjska", - "Run Action": "Izvrši radnju", - "Russian Federation": "Ruska Federacija", - "Rwanda": "Ruanda", - "Réunion": "Réunion", - "Saint Barthelemy": "Sveti Bartolomej", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Sveta Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "Sveti Kristofor i Nevis", - "Saint Lucia": "Sveta Lucija", - "Saint Martin": "Sveti Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "Saint Pierre i Miquelon", - "Saint Vincent And Grenadines": "Sveti Vincent i Grenadini", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "Sao Tome i Principe", - "Saudi Arabia": "Saudijska Arabija", - "Save": "Spremi", - "Saved.": "Spremljeno.", - "Search": "Pretraživanje", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Odaberite Novu Fotografiju", - "Select Action": "Odaberite Radnju", - "Select All": "Odaberi sve", - "Select All Matching": "Odaberite Sve Podudarne", - "Send Password Reset Link": "Pošalji poveznicu za reset zaporke", - "Senegal": "Senegal", - "September": "Rujan", - "Serbia": "Srbija", "Server Error": "Pogreška poslužitelja", "Service Unavailable": "Usluga Nije Dostupna", - "Seychelles": "Sejšeli", - "Show All Fields": "Prikaži Sva Polja", - "Show Content": "Prikaži sadržaj", - "Show Recovery Codes": "Prikaži Kodove Za Oporavak", "Showing": "Prikaz", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapur", - "Sint Maarten (Dutch part)": "Sint Martin", - "Slovakia": "Slovačka", - "Slovenia": "Slovenija", - "Solomon Islands": "Salomonski Otoci", - "Somalia": "Somalija", - "Something went wrong.": "Nešto je pošlo po zlu.", - "Sorry! You are not authorized to perform this action.": "Žao mi je! Niste ovlašteni izvršiti tu radnju.", - "Sorry, your session has expired.": "Žao mi je, vaša sesija je istekla.", - "South Africa": "Južna Afrika", - "South Georgia And Sandwich Isl.": "Južna Gruzija i Južni Sendvič Otoci", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Južni Sudan", - "Spain": "Španjolska", - "Sri Lanka": "Šri Lanka", - "Start Polling": "Pokreni anketu", - "State \/ County": "State \/ County", - "Stop Polling": "Zaustavi anketu", - "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.": "Držite ove kodove za oporavak u sigurnom upravitelju zaporke. Oni se mogu koristiti za vraćanje pristupa vašem računu ako je vaš uređaj za provjeru autentičnosti s dva faktora izgubljen.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Surinam", - "Svalbard And Jan Mayen": "Svalbard i Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Švedska", - "Switch Teams": "Prebacivanje naredbi", - "Switzerland": "Švicarska", - "Syrian Arab Republic": "Sirija", - "Taiwan": "Tajvan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tadžikistan", - "Tanzania": "Tanzanija", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Detalji tima", - "Team Invitation": "Poziv na tim", - "Team Members": "Članovi tima", - "Team Name": "Ime tima", - "Team Owner": "Vlasnik tima", - "Team Settings": "Postavke naredbe", - "Terms of Service": "Uvjeti pružanja usluge", - "Thailand": "Tajland", - "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.": "Hvala što ste se prijavili! Prije nego što započnete, možete li potvrditi svoju adresu e-pošte klikom na vezu koju smo vam upravo poslali e-poštom? Ako niste dobili pismo, rado ćemo vam poslati drugu.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute mora biti valjana uloga.", - "The :attribute must be at least :length characters and contain at least one number.": ":attribute mora imati najmanje :length znakova i sadržavati barem jedan broj.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute mora sadržavati najmanje :length znakova i sadržavati najmanje jedan poseban simbol i jedan broj.", - "The :attribute must be at least :length characters and contain at least one special character.": ":attribute mora sadržavati najmanje :length znakova i sadržavati barem jedan poseban simbol.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute mora sadržavati najmanje :length znakova i sadržavati najmanje jedan glavni simbol i jedan broj.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Broj :attribute mora sadržavati najmanje :length simbola i sadržavati barem jedan glavni simbol i jedan poseban simbol.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute mora biti najmanje :length znakova i sadržavati barem jedan glavni simbol, jedan broj i jedan poseban simbol.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute mora sadržavati najmanje :length znakova i sadržavati barem jedan glavni simbol.", - "The :attribute must be at least :length characters.": ":attribute mora biti najmanje :length znakova.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource je stvoren!", - "The :resource was deleted!": ":resource je izbrisan!", - "The :resource was restored!": ":resource je obnovljen!", - "The :resource was updated!": ":resource je ažuriran!", - "The action ran successfully!": "Akcija je bila uspješna!", - "The file was deleted!": "Datoteka je izbrisana!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Vlada nam neće dopustiti da vam pokažemo što je iza tih vrata.", - "The HasOne relationship has already been filled.": "Hasoneovi odnosi već su ispunjeni.", - "The payment was successful.": "Plaćanje je uspješno.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Navedena lozinka ne odgovara vašoj trenutačnoj zaporci.", - "The provided password was incorrect.": "Lozinka je pogrešna.", - "The provided two factor authentication code was invalid.": "Navedeni kôd za provjeru autentičnosti s dva faktora nije valjan.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Resurs je ažuriran!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Ime tima i informacije o vlasniku.", - "There are no available options for this resource.": "Za ovaj resurs nema dostupnih opcija.", - "There was a problem executing the action.": "Došlo je do problema s izvršavanjem akcije.", - "There was a problem submitting the form.": "Došlo je do problema s hranjenjem obrasca.", - "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.": "Ti su ljudi pozvani u vaš tim i primili pozivnicu putem e-pošte. Mogu se pridružiti timu prihvaćanjem pozivnice putem e-pošte.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Ova akcija je neovlaštena.", - "This device": "To je uređaj", - "This file field is read-only.": "Ovo polje datoteke dostupno je samo za čitanje.", - "This image": "Ova slika", - "This is a secure area of the application. Please confirm your password before continuing.": "To je sigurno područje aplikacije. Potvrdite zaporku prije nastavka.", - "This password does not match our records.": "Ova lozinka se ne podudara s našim zapisima.", "This password reset link will expire in :count minutes.": "Ova veza za poništavanje zaporke istječe nakon :count minuta.", - "This payment was already successfully confirmed.": "Ovo plaćanje već je uspješno potvrđeno.", - "This payment was cancelled.": "Ova uplata je otkazana.", - "This resource no longer exists": "Ovaj resurs više ne postoji", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Ovaj korisnik već pripada timu.", - "This user has already been invited to the team.": "Ovaj je korisnik već pozvan u naredbu.", - "Timor-Leste": "Timor-Leste", "to": "k", - "Today": "Danas", "Toggle navigation": "Prebacivanje navigacije", - "Togo": "Toga.", - "Tokelau": "Tokelau", - "Token Name": "Naziv tokena", - "Tonga": "Dođite.", "Too Many Attempts.": "Previše Pokušaja.", "Too Many Requests": "Previše Zahtjeva", - "total": "cijeli", - "Total:": "Total:", - "Trashed": "Razbijen", - "Trinidad And Tobago": "Trinidad i Tobago", - "Tunisia": "Tunis", - "Turkey": "Turska", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Otoci Turks i Caicos", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Autentifikacija s dva faktora", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Sada je omogućena autentifikacija s dva faktora. Skenirajte sljedeći QR kod pomoću aplikacije authenticator telefona.", - "Uganda": "Uganda", - "Ukraine": "Ukrajina", "Unauthorized": "Neovlašteno", - "United Arab Emirates": "Ujedinjeni Arapski Emirati", - "United Kingdom": "Ujedinjeno Kraljevstvo", - "United States": "Sjedinjene Države", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "Udaljeni otoci SAD-a", - "Update": "Ažuriranje", - "Update & Continue Editing": "Ažuriranje i nastavak uređivanja", - "Update :resource": "Ažuriranje :resource", - "Update :resource: :title": "Ažuriranje :resource: :title", - "Update attached :resource: :title": "Ažuriranje dolazi s :resource: :title", - "Update Password": "Osvježi lozinku", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Ažurirajte podatke profila vašeg računa i adresu e-pošte.", - "Uruguay": "Urugvaj", - "Use a recovery code": "Koristite kod za oporavak", - "Use an authentication code": "Koristite kôd za provjeru autentičnosti", - "Uzbekistan": "Uzbekistan", - "Value": "Vrijednost", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Provjerite Adresu E-Pošte", "Verify Your Email Address": "Provjerite Svoju Adresu E-Pošte", - "Viet Nam": "Vietnam", - "View": "Pogledajte", - "Virgin Islands, British": "Britanski Djevičanski otoci", - "Virgin Islands, U.S.": "Američki Djevičanski otoci", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis i Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Nismo uspjeli pronaći registriranog korisnika s ovom adresom e-pošte.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Nećemo ponovno tražiti zaporku nekoliko sati.", - "We're lost in space. The page you were trying to view does not exist.": "Izgubili smo se u svemiru. Stranica koju ste pokušali pregledati ne postoji.", - "Welcome Back!": "Dobrodošli Natrag!", - "Western Sahara": "Zapadna Sahara", - "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.": "Ako je omogućena autentifikacija s dva faktora, tijekom provjere autentičnosti od vas će se tražiti da unesete siguran slučajni token. Ovaj token možete dobiti iz aplikacije Google Autentifikator telefona.", - "Whoops": "Ups.", - "Whoops!": "Ups!", - "Whoops! Something went wrong.": "Ups! Nešto je pošlo po zlu.", - "With Trashed": "S Razbijenim", - "Write": "Pisanje", - "Year To Date": "Godina Do Danas", - "Yearly": "Yearly", - "Yemen": "Jemen", - "Yes": "Da.", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Prijavljeni ste!", - "You are receiving this email because we received a password reset request for your account.": "Ovaj e-mail Vam je poslat jer ste zahtjevali promjenu zaporke za vaš nalog.", - "You have been invited to join the :team team!": "Pozvani ste da se pridružite timu :team!", - "You have enabled two factor authentication.": "Uključili ste autentifikaciju s dva faktora.", - "You have not enabled two factor authentication.": "Niste omogućili autentifikaciju s dva faktora.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "Možete ukloniti bilo koji od postojećih tokena ako ih više ne trebate.", - "You may not delete your personal team.": "Nemate pravo izbrisati svoj osobni tim.", - "You may not leave a team that you created.": "Ne možete napustiti tim koji ste stvorili.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Vaša adresa e-pošte nije potvrđena.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambija", - "Zimbabwe": "Zimbabve", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Vaša adresa e-pošte nije potvrđena." } diff --git a/locales/hr/packages/cashier.json b/locales/hr/packages/cashier.json new file mode 100644 index 00000000000..ac40c921ff4 --- /dev/null +++ b/locales/hr/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Sva prava pridržana.", + "Card": "Karta", + "Confirm Payment": "Potvrdite Plaćanje", + "Confirm your :amount payment": "Potvrdite plaćanje :amount", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Potrebna je dodatna potvrda za obradu Vaše uplate. Potvrdite plaćanje ispunjavanjem pojedinosti o plaćanju u nastavku.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Potrebna je dodatna potvrda za obradu Vaše uplate. Idite na stranicu za plaćanje klikom na gumb ispod.", + "Full name": "Puno ime", + "Go back": "Vrati se.", + "Jane Doe": "Jane Doe", + "Pay :amount": "Plati :amount.", + "Payment Cancelled": "Plaćanje Je Otkazano", + "Payment Confirmation": "Potvrda plaćanja", + "Payment Successful": "Plaćanje Je Uspješno", + "Please provide your name.": "Molim vas, recite svoje ime.", + "The payment was successful.": "Plaćanje je uspješno.", + "This payment was already successfully confirmed.": "Ovo plaćanje već je uspješno potvrđeno.", + "This payment was cancelled.": "Ova uplata je otkazana." +} diff --git a/locales/hr/packages/fortify.json b/locales/hr/packages/fortify.json new file mode 100644 index 00000000000..bb56811c910 --- /dev/null +++ b/locales/hr/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": ":attribute mora imati najmanje :length znakova i sadržavati barem jedan broj.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute mora sadržavati najmanje :length znakova i sadržavati najmanje jedan poseban simbol i jedan broj.", + "The :attribute must be at least :length characters and contain at least one special character.": ":attribute mora sadržavati najmanje :length znakova i sadržavati barem jedan poseban simbol.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute mora sadržavati najmanje :length znakova i sadržavati najmanje jedan glavni simbol i jedan broj.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Broj :attribute mora sadržavati najmanje :length simbola i sadržavati barem jedan glavni simbol i jedan poseban simbol.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute mora biti najmanje :length znakova i sadržavati barem jedan glavni simbol, jedan broj i jedan poseban simbol.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute mora sadržavati najmanje :length znakova i sadržavati barem jedan glavni simbol.", + "The :attribute must be at least :length characters.": ":attribute mora biti najmanje :length znakova.", + "The provided password does not match your current password.": "Navedena lozinka ne odgovara vašoj trenutačnoj zaporci.", + "The provided password was incorrect.": "Lozinka je pogrešna.", + "The provided two factor authentication code was invalid.": "Navedeni kôd za provjeru autentičnosti s dva faktora nije valjan." +} diff --git a/locales/hr/packages/jetstream.json b/locales/hr/packages/jetstream.json new file mode 100644 index 00000000000..1471c12e8e3 --- /dev/null +++ b/locales/hr/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Nova veza za provjeru poslana je na adresu e-pošte koju ste naveli prilikom registracije.", + "Accept Invitation": "Prihvati Pozivnicu", + "Add": "Dodaj", + "Add a new team member to your team, allowing them to collaborate with you.": "Dodajte novog člana tima u svoj tim kako bi mogao surađivati s vama.", + "Add additional security to your account using two factor authentication.": "Dodajte dodatnu sigurnost na svoj račun pomoću autentifikacije s dva faktora.", + "Add Team Member": "Dodaj Člana Tima", + "Added.": "Dodano.", + "Administrator": "Administrator", + "Administrator users can perform any action.": "Administratori mogu obavljati sve radnje.", + "All of the people that are part of this team.": "Svi ljudi koji su dio ovog tima.", + "Already registered?": "Jesi li se prijavio?", + "API Token": "API token", + "API Token Permissions": "Dopuštenja za API token", + "API Tokens": "API tokeni", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API tokeni omogućuju uslugama treće strane da se autentificiraju u našoj aplikaciji u Vaše ime.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Jeste li sigurni da želite izbrisati ovu naredbu? Nakon što je naredba izbrisana, svi njezini resursi i podaci bit će trajno izbrisani.", + "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.": "Jeste li sigurni da želite izbrisati svoj račun? Nakon što je vaš račun izbrisan, svi njezini resursi i podaci bit će trajno izbrisani. Unesite zaporku kako biste potvrdili da želite trajno izbrisati svoj račun.", + "Are you sure you would like to delete this API token?": "Jeste li sigurni da želite izbrisati ovaj API token?", + "Are you sure you would like to leave this team?": "Jeste li sigurni da želite napustiti ovaj tim?", + "Are you sure you would like to remove this person from the team?": "Jeste li sigurni da želite ukloniti tu osobu iz tima?", + "Browser Sessions": "Sesije preglednika", + "Cancel": "Poništi", + "Close": "Zatvori", + "Code": "Kod", + "Confirm": "Potvrdi", + "Confirm Password": "Potvrdite zaporku", + "Create": "Stvori", + "Create a new team to collaborate with others on projects.": "Izradite novi tim za suradnju na projektima.", + "Create Account": "Izradi račun", + "Create API Token": "Stvaranje API tokena", + "Create New Team": "Napravi Novu Naredbu", + "Create Team": "Napravi naredbu", + "Created.": "Stvoren.", + "Current Password": "trenutna lozinka", + "Dashboard": "Nadzorna ploča", + "Delete": "Ukloni", + "Delete Account": "Izbriši račun", + "Delete API Token": "Ukloni oznaku API-ja", + "Delete Team": "Ukloni naredbu", + "Disable": "Isključi", + "Done.": "Gotovo.", + "Editor": "Uređivač", + "Editor users have the ability to read, create, and update.": "Korisnici urednika imaju mogućnost čitanja, stvaranja i ažuriranja.", + "Email": "E-pošta", + "Email Password Reset Link": "Veza za poništavanje lozinke e-pošte", + "Enable": "Uključi", + "Ensure your account is using a long, random password to stay secure.": "Pobrinite se da vaš račun koristi dugu slučajnu lozinku kako bi ostala sigurna.", + "For your security, please confirm your password to continue.": "Za vašu sigurnost, potvrdite svoju lozinku za nastavak.", + "Forgot your password?": "Zaboravili ste lozinku?", + "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.": "Zaboravili ste lozinku? Nema problema. Samo nam javite svoju adresu e - pošte i poslat ćemo vam vezu za poništavanje zaporke koja će vam omogućiti da odaberete novu.", + "Great! You have accepted the invitation to join the :team team.": "Dobro! Prihvatili ste pozivnicu da se pridružite timu :team.", + "I agree to the :terms_of_service and :privacy_policy": "Slažem se na :terms_of_service i :privacy_policy", + "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.": "Ako je potrebno, možete se odjaviti iz svih ostalih sesija preglednika na svim svojim uređajima. Neke od vaših najnovijih sesija navedene su u nastavku; međutim, ovaj popis možda neće biti iscrpan. Ako smatrate da je vaš račun ugrožen, trebali biste ažurirati i zaporku.", + "If you already have an account, you may accept this invitation by clicking the button below:": "Ako već imate račun, možete prihvatiti ovaj poziv klikom na gumb ispod:", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Ako niste očekivali da ćete primiti pozivnicu za ovaj tim, možete odbiti ovu e-poštu.", + "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:": "Ako nemate račun, možete ga izraditi klikom na gumb ispod. Nakon što stvorite račun, možete kliknuti gumb za prihvaćanje pozivnice u ovoj e-pošti da biste prihvatili pozivnicu tima:", + "Last active": "Posljednji aktivni", + "Last used": "Posljednji put korišten", + "Leave": "Napustiti", + "Leave Team": "Napustiti tim", + "Log in": "Ovlaštenje", + "Log Out": "Odjava", + "Log Out Other Browser Sessions": "Odjavite Se Iz Drugih Sesija Preglednika", + "Manage Account": "Upravljanje računom", + "Manage and log out your active sessions on other browsers and devices.": "Upravljajte aktivnim sesijama i odjavite se iz drugih preglednika i uređaja.", + "Manage API Tokens": "Upravljanje API tokenima", + "Manage Role": "Upravljanje ulogom", + "Manage Team": "Upravljanje timom", + "Name": "Ime", + "New Password": "Nova lozinka", + "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.": "Nakon što je naredba izbrisana, svi njezini resursi i podaci bit će trajno izbrisani. Prije brisanja ove naredbe Preuzmite sve podatke ili informacije o ovoj naredbi koje želite spremiti.", + "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.": "Nakon što je vaš račun izbrisan, svi njezini resursi i podaci bit će trajno izbrisani. Prije brisanja računa, Preuzmite sve podatke ili informacije koje želite spremiti.", + "Password": "Zaporka", + "Pending Team Invitations": "Pozivnice Na Čekanju", + "Permanently delete this team.": "Trajno izbrišite ovu naredbu.", + "Permanently delete your account.": "Trajno izbrišite svoj račun.", + "Permissions": "Dozvole", + "Photo": "Fotografija", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Potvrdite pristup računu unosom jednog od vaših kodova za oporavak od katastrofe.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Potvrdite pristup računu unosom koda za provjeru autentičnosti koju pruža aplikacija Autentifikatora.", + "Please copy your new API token. For your security, it won't be shown again.": "Kopirajte svoj novi API token. Za vašu sigurnost više neće biti prikazan.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Unesite zaporku kako biste potvrdili da želite izaći iz drugih sesija preglednika na svim svojim uređajima.", + "Please provide the email address of the person you would like to add to this team.": "Navedite adresu e-pošte osobe koju želite dodati u ovu naredbu.", + "Privacy Policy": "pravila o privatnosti", + "Profile": "Profil", + "Profile Information": "Informacije o profilu", + "Recovery Code": "Kod za oporavak", + "Regenerate Recovery Codes": "Regeneracija kodova za oporavak", + "Register": "Registracija", + "Remember me": "Zapamti me.", + "Remove": "Ukloni", + "Remove Photo": "Obriši Fotografiju", + "Remove Team Member": "Ukloni Člana Tima", + "Resend Verification Email": "Ponovno Slanje E-Pošte Za Provjeru", + "Reset Password": "Resetuj zaporku", + "Role": "Uloga", + "Save": "Spremi", + "Saved.": "Spremljeno.", + "Select A New Photo": "Odaberite Novu Fotografiju", + "Show Recovery Codes": "Prikaži Kodove Za Oporavak", + "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.": "Držite ove kodove za oporavak u sigurnom upravitelju zaporke. Oni se mogu koristiti za vraćanje pristupa vašem računu ako je vaš uređaj za provjeru autentičnosti s dva faktora izgubljen.", + "Switch Teams": "Prebacivanje naredbi", + "Team Details": "Detalji tima", + "Team Invitation": "Poziv na tim", + "Team Members": "Članovi tima", + "Team Name": "Ime tima", + "Team Owner": "Vlasnik tima", + "Team Settings": "Postavke naredbe", + "Terms of Service": "Uvjeti pružanja usluge", + "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.": "Hvala što ste se prijavili! Prije nego što započnete, možete li potvrditi svoju adresu e-pošte klikom na vezu koju smo vam upravo poslali e-poštom? Ako niste dobili pismo, rado ćemo vam poslati drugu.", + "The :attribute must be a valid role.": ":attribute mora biti valjana uloga.", + "The :attribute must be at least :length characters and contain at least one number.": ":attribute mora imati najmanje :length znakova i sadržavati barem jedan broj.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute mora sadržavati najmanje :length znakova i sadržavati najmanje jedan poseban simbol i jedan broj.", + "The :attribute must be at least :length characters and contain at least one special character.": ":attribute mora sadržavati najmanje :length znakova i sadržavati barem jedan poseban simbol.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute mora sadržavati najmanje :length znakova i sadržavati najmanje jedan glavni simbol i jedan broj.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Broj :attribute mora sadržavati najmanje :length simbola i sadržavati barem jedan glavni simbol i jedan poseban simbol.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute mora biti najmanje :length znakova i sadržavati barem jedan glavni simbol, jedan broj i jedan poseban simbol.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute mora sadržavati najmanje :length znakova i sadržavati barem jedan glavni simbol.", + "The :attribute must be at least :length characters.": ":attribute mora biti najmanje :length znakova.", + "The provided password does not match your current password.": "Navedena lozinka ne odgovara vašoj trenutačnoj zaporci.", + "The provided password was incorrect.": "Lozinka je pogrešna.", + "The provided two factor authentication code was invalid.": "Navedeni kôd za provjeru autentičnosti s dva faktora nije valjan.", + "The team's name and owner information.": "Ime tima i informacije o vlasniku.", + "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.": "Ti su ljudi pozvani u vaš tim i primili pozivnicu putem e-pošte. Mogu se pridružiti timu prihvaćanjem pozivnice putem e-pošte.", + "This device": "To je uređaj", + "This is a secure area of the application. Please confirm your password before continuing.": "To je sigurno područje aplikacije. Potvrdite zaporku prije nastavka.", + "This password does not match our records.": "Ova lozinka se ne podudara s našim zapisima.", + "This user already belongs to the team.": "Ovaj korisnik već pripada timu.", + "This user has already been invited to the team.": "Ovaj je korisnik već pozvan u naredbu.", + "Token Name": "Naziv tokena", + "Two Factor Authentication": "Autentifikacija s dva faktora", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Sada je omogućena autentifikacija s dva faktora. Skenirajte sljedeći QR kod pomoću aplikacije authenticator telefona.", + "Update Password": "Osvježi lozinku", + "Update your account's profile information and email address.": "Ažurirajte podatke profila vašeg računa i adresu e-pošte.", + "Use a recovery code": "Koristite kod za oporavak", + "Use an authentication code": "Koristite kôd za provjeru autentičnosti", + "We were unable to find a registered user with this email address.": "Nismo uspjeli pronaći registriranog korisnika s ovom adresom e-pošte.", + "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.": "Ako je omogućena autentifikacija s dva faktora, tijekom provjere autentičnosti od vas će se tražiti da unesete siguran slučajni token. Ovaj token možete dobiti iz aplikacije Google Autentifikator telefona.", + "Whoops! Something went wrong.": "Ups! Nešto je pošlo po zlu.", + "You have been invited to join the :team team!": "Pozvani ste da se pridružite timu :team!", + "You have enabled two factor authentication.": "Uključili ste autentifikaciju s dva faktora.", + "You have not enabled two factor authentication.": "Niste omogućili autentifikaciju s dva faktora.", + "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.": "Možete ukloniti bilo koji od postojećih tokena ako ih više ne trebate.", + "You may not delete your personal team.": "Nemate pravo izbrisati svoj osobni tim.", + "You may not leave a team that you created.": "Ne možete napustiti tim koji ste stvorili." +} diff --git a/locales/hr/packages/nova.json b/locales/hr/packages/nova.json new file mode 100644 index 00000000000..13d2c392d2a --- /dev/null +++ b/locales/hr/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 dana", + "60 Days": "60 dana", + "90 Days": "90 dana", + ":amount Total": "Ukupno :amount", + ":resource Details": ":resource dijelovi", + ":resource Details: :title": ":resource detalji: :title", + "Action": "Akcija", + "Action Happened At": "Dogodilo Se U", + "Action Initiated By": "Pokrenuto", + "Action Name": "Ime", + "Action Status": "Status", + "Action Target": "Cilj", + "Actions": "Akcije", + "Add row": "Dodaj redak", + "Afghanistan": "Afganistan", + "Aland Islands": "Ålandski otoci", + "Albania": "Albanija", + "Algeria": "Alžir", + "All resources loaded.": "Svi resursi su učitani.", + "American Samoa": "Američka Samoa", + "An error occured while uploading the file.": "Došlo je do pogreške prilikom učitavanja datoteke.", + "Andorra": "Andora", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Drugi je korisnik ažurirao ovaj resurs od preuzimanja ove stranice. Ažurirajte stranicu i pokušajte ponovo.", + "Antarctica": "Antarktika", + "Antigua And Barbuda": "Antigva i Barbuda", + "April": "Travanj", + "Are you sure you want to delete the selected resources?": "Jeste li sigurni da želite izbrisati odabrane resurse?", + "Are you sure you want to delete this file?": "Jeste li sigurni da želite izbrisati tu datoteku?", + "Are you sure you want to delete this resource?": "Jeste li sigurni da želite izbrisati ovaj resurs?", + "Are you sure you want to detach the selected resources?": "Jeste li sigurni da želite odvojiti odabrane resurse?", + "Are you sure you want to detach this resource?": "Jeste li sigurni da želite odvojiti ovaj resurs?", + "Are you sure you want to force delete the selected resources?": "Jeste li sigurni da želite prisilno izbrisati odabrane resurse?", + "Are you sure you want to force delete this resource?": "Jeste li sigurni da želite prisilno izbrisati ovaj resurs?", + "Are you sure you want to restore the selected resources?": "Jeste li sigurni da želite vratiti odabrane resurse?", + "Are you sure you want to restore this resource?": "Jeste li sigurni da želite vratiti ovaj resurs?", + "Are you sure you want to run this action?": "Jeste li sigurni da želite pokrenuti ovu akciju?", + "Argentina": "Argentina", + "Armenia": "Armenija", + "Aruba": "Aruba", + "Attach": "Priložite", + "Attach & Attach Another": "Pričvrstite i pričvrstite još jedan", + "Attach :resource": "Pričvrstite :resource", + "August": "Kolovoz", + "Australia": "Australija", + "Austria": "Austrija", + "Azerbaijan": "Azerbajdžan", + "Bahamas": "Bahami", + "Bahrain": "Bahrein", + "Bangladesh": "Bangladeš", + "Barbados": "Barbados", + "Belarus": "Bjelorusija", + "Belgium": "Belgija", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Butan", + "Bolivia": "Bolivija", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sabbath", + "Bosnia And Herzegovina": "Bosna i Hercegovina", + "Botswana": "Bocvana", + "Bouvet Island": "Otok Bouvet", + "Brazil": "Brazil", + "British Indian Ocean Territory": "Britanski Teritorij Indijskog oceana", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bugarska", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodža", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel": "Poništi", + "Cape Verde": "Cape Verde", + "Cayman Islands": "Kajmanski otoci", + "Central African Republic": "Srednjoafrička Republika", + "Chad": "Čad", + "Changes": "Promjene", + "Chile": "Čile", + "China": "Kina", + "Choose": "Odaberi", + "Choose :field": "Odaberite :field", + "Choose :resource": "Odaberite :resource", + "Choose an option": "Odaberite opciju", + "Choose date": "Odaberite datum", + "Choose File": "Odaberite Datoteku", + "Choose Type": "Odaberite Vrstu", + "Christmas Island": "Božićni Otok", + "Click to choose": "Dodirnite za odabir", + "Cocos (Keeling) Islands": "Kokos (Keeling) Otoci", + "Colombia": "Kolumbija", + "Comoros": "Komori", + "Confirm Password": "Potvrdite zaporku", + "Congo": "Kongo", + "Congo, Democratic Republic": "Kongo, Demokratska Republika", + "Constant": "Trajno", + "Cook Islands": "Cookovo Otočje", + "Costa Rica": "Kostarika", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "nisam ga mogao naći.", + "Create": "Stvori", + "Create & Add Another": "Stvoriti i dodati još jedan", + "Create :resource": "Stvori :resource", + "Croatia": "Hrvatska", + "Cuba": "Kuba", + "Curaçao": "Curacao", + "Customize": "Prilagodi", + "Cyprus": "Cipar", + "Czech Republic": "Češka", + "Dashboard": "Nadzorna ploča", + "December": "Prosinac", + "Decrease": "Smanji", + "Delete": "Ukloni", + "Delete File": "Ukloni datoteku", + "Delete Resource": "Izbriši resurs", + "Delete Selected": "Ukloni Odabrano", + "Denmark": "Danska", + "Detach": "Odspojite", + "Detach Resource": "Odspojite resurs", + "Detach Selected": "Odspojite Odabrano", + "Details": "Detalji", + "Djibouti": "Džibuti.", + "Do you really want to leave? You have unsaved changes.": "Stvarno želiš otići? Imate nespremne promjene.", + "Dominica": "Nedjelja", + "Dominican Republic": "Dominikanska Republika", + "Download": "Preuzimanje", + "Ecuador": "Ekvador", + "Edit": "Uredi", + "Edit :resource": "Uređivanje :resource", + "Edit Attached": "Uređivanje U Prilogu", + "Egypt": "Egipat", + "El Salvador": "Spasitelj", + "Email Address": "adresa e-pošte", + "Equatorial Guinea": "Ekvatorska Gvineja", + "Eritrea": "Eritreja", + "Estonia": "Estonija", + "Ethiopia": "Etiopija", + "Falkland Islands (Malvinas)": "Falklandski otoci)", + "Faroe Islands": "Farski Otoci", + "February": "Veljača", + "Fiji": "Fidži", + "Finland": "Finska", + "Force Delete": "Prisilno uklanjanje", + "Force Delete Resource": "Prisilno uklanjanje resursa", + "Force Delete Selected": "Prisilno Uklanjanje Odabranog", + "Forgot Your Password?": "Zaboravili ste zaporku?", + "Forgot your password?": "Zaboravili ste lozinku?", + "France": "Francuska", + "French Guiana": "Francuska Gvajana", + "French Polynesia": "Francuska Polinezija", + "French Southern Territories": "Francuski južni teritoriji", + "Gabon": "Gabon", + "Gambia": "Gambija", + "Georgia": "Gruzija", + "Germany": "Njemačka", + "Ghana": "Gana", + "Gibraltar": "Gibraltar", + "Go Home": "idi kući", + "Greece": "Grčka", + "Greenland": "Grenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Gvatemala", + "Guernsey": "Guernsey.", + "Guinea": "Gvineja", + "Guinea-Bissau": "Gvineja Bisau", + "Guyana": "Gvajana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Otoci Heard i McDonald", + "Hide Content": "Sakrij sadržaj", + "Hold Up!": "- Čekaj!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Mađarska", + "Iceland": "Island", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "Ukoliko niste zahtjevali promjenu zaporke, nije potrebno da preduzimate dalje korake.", + "Increase": "Povećanje", + "India": "Indija", + "Indonesia": "Indonezija", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Irak", + "Ireland": "Irska", + "Isle Of Man": "Otok Man", + "Israel": "Izrael", + "Italy": "Italija", + "Jamaica": "Jamajka", + "January": "Siječanj", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "July": "Srpanj", + "June": "Lipanj", + "Kazakhstan": "Kazahstan", + "Kenya": "Kenija", + "Key": "Ključ", + "Kiribati": "Kiribati", + "Korea": "Južna Koreja", + "Korea, Democratic People's Republic of": "Sjeverna Koreja", + "Kosovo": "Kosovo", + "Kuwait": "Kuvajt", + "Kyrgyzstan": "Kirgistan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvija", + "Lebanon": "Libanon", + "Lens": "Objektiv", + "Lesotho": "Lesoto", + "Liberia": "Liberija", + "Libyan Arab Jamahiriya": "Libija", + "Liechtenstein": "Lihtenštajn", + "Lithuania": "Litva", + "Load :perPage More": "Preuzmite još :per stranica", + "Login": "Prijava", + "Logout": "Odjava", + "Luxembourg": "Luxembourg", + "Macao": "Makao.", + "Macedonia": "Sjeverna Makedonija", + "Madagascar": "Madagaskar", + "Malawi": "Malavi.", + "Malaysia": "Malezija", + "Maldives": "Maldivi", + "Mali": "Mali", + "Malta": "Malta", + "March": "Ožujak", + "Marshall Islands": "Maršalovi Otoci", + "Martinique": "Martinik.", + "Mauritania": "Mauritanija", + "Mauritius": "Mauricijus", + "May": "Svibanj", + "Mayotte": "Mayotte.", + "Mexico": "Meksiko", + "Micronesia, Federated States Of": "Mikronezija", + "Moldova": "Moldavija", + "Monaco": "Monako", + "Mongolia": "Mongolija", + "Montenegro": "Crna Gora", + "Month To Date": "Mjesec Dana Do Danas", + "Montserrat": "Montserrat", + "Morocco": "Maroko", + "Mozambique": "Mozambik", + "Myanmar": "Mianmar", + "Namibia": "Namibija", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Nizozemska", + "New": "Novi", + "New :resource": "Novi :resource", + "New Caledonia": "Nova Kaledonija", + "New Zealand": "Novi Zeland", + "Next": "Sljedeći", + "Nicaragua": "Nikaragva", + "Niger": "Niger", + "Nigeria": "Nigerija", + "Niue": "Niue.", + "No": "Ne.", + "No :resource matched the given criteria.": "Nijedan broj :resource nije ispunio navedene kriterije.", + "No additional information...": "Nema više informacija...", + "No Current Data": "Nema Trenutnih Podataka", + "No Data": "Nema Podataka", + "no file selected": "datoteka nije odabrana", + "No Increase": "Nema Povećanja", + "No Prior Data": "Nema Preliminarnih Podataka", + "No Results Found.": "Nema Rezultata.", + "Norfolk Island": "Otok Norfolk", + "Northern Mariana Islands": "Sjeverni Marijanski Otoci", + "Norway": "Norveška", + "Nova User": "Nova Korisnik", + "November": "Studeni", + "October": "Listopad", + "of": "od", + "Oman": "Oman", + "Only Trashed": "Samo Poražen", + "Original": "Izvorni", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinski teritoriji", + "Panama": "Panama", + "Papua New Guinea": "Papua Nova Gvineja", + "Paraguay": "Paragvaj", + "Password": "Zaporka", + "Per Page": "Na Stranicu", + "Peru": "Peru", + "Philippines": "Filipini", + "Pitcairn": "Pitcairn Otoci", + "Poland": "Poljska", + "Portugal": "Portugal", + "Press \/ to search": "Dodirnite \/ za pretraživanje", + "Preview": "Pregled", + "Previous": "Prethodno", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Četvrtina Do Danas", + "Reload": "Ponovo pokreni", + "Remember Me": "Zapamti me", + "Reset Filters": "Poništavanje filtara", + "Reset Password": "Resetuj zaporku", + "Reset Password Notification": "Obavijest o resetovanju zaporke", + "resource": "resurs", + "Resources": "Resursi", + "resources": "resursi", + "Restore": "Obnovi", + "Restore Resource": "Vraćanje resursa", + "Restore Selected": "Vrati Odabrano", + "Reunion": "Reunion", + "Romania": "Rumunjska", + "Run Action": "Izvrši radnju", + "Russian Federation": "Ruska Federacija", + "Rwanda": "Ruanda", + "Saint Barthelemy": "Sveti Bartolomej", + "Saint Helena": "Sveta Helena", + "Saint Kitts And Nevis": "Sveti Kristofor i Nevis", + "Saint Lucia": "Sveta Lucija", + "Saint Martin": "Sveti Martin", + "Saint Pierre And Miquelon": "Saint Pierre i Miquelon", + "Saint Vincent And Grenadines": "Sveti Vincent i Grenadini", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "Sao Tome i Principe", + "Saudi Arabia": "Saudijska Arabija", + "Search": "Pretraživanje", + "Select Action": "Odaberite Radnju", + "Select All": "Odaberi sve", + "Select All Matching": "Odaberite Sve Podudarne", + "Send Password Reset Link": "Pošalji poveznicu za reset zaporke", + "Senegal": "Senegal", + "September": "Rujan", + "Serbia": "Srbija", + "Seychelles": "Sejšeli", + "Show All Fields": "Prikaži Sva Polja", + "Show Content": "Prikaži sadržaj", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapur", + "Sint Maarten (Dutch part)": "Sint Martin", + "Slovakia": "Slovačka", + "Slovenia": "Slovenija", + "Solomon Islands": "Salomonski Otoci", + "Somalia": "Somalija", + "Something went wrong.": "Nešto je pošlo po zlu.", + "Sorry! You are not authorized to perform this action.": "Žao mi je! Niste ovlašteni izvršiti tu radnju.", + "Sorry, your session has expired.": "Žao mi je, vaša sesija je istekla.", + "South Africa": "Južna Afrika", + "South Georgia And Sandwich Isl.": "Južna Gruzija i Južni Sendvič Otoci", + "South Sudan": "Južni Sudan", + "Spain": "Španjolska", + "Sri Lanka": "Šri Lanka", + "Start Polling": "Pokreni anketu", + "Stop Polling": "Zaustavi anketu", + "Sudan": "Sudan", + "Suriname": "Surinam", + "Svalbard And Jan Mayen": "Svalbard i Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Švedska", + "Switzerland": "Švicarska", + "Syrian Arab Republic": "Sirija", + "Taiwan": "Tajvan", + "Tajikistan": "Tadžikistan", + "Tanzania": "Tanzanija", + "Thailand": "Tajland", + "The :resource was created!": ":resource je stvoren!", + "The :resource was deleted!": ":resource je izbrisan!", + "The :resource was restored!": ":resource je obnovljen!", + "The :resource was updated!": ":resource je ažuriran!", + "The action ran successfully!": "Akcija je bila uspješna!", + "The file was deleted!": "Datoteka je izbrisana!", + "The government won't let us show you what's behind these doors": "Vlada nam neće dopustiti da vam pokažemo što je iza tih vrata.", + "The HasOne relationship has already been filled.": "Hasoneovi odnosi već su ispunjeni.", + "The resource was updated!": "Resurs je ažuriran!", + "There are no available options for this resource.": "Za ovaj resurs nema dostupnih opcija.", + "There was a problem executing the action.": "Došlo je do problema s izvršavanjem akcije.", + "There was a problem submitting the form.": "Došlo je do problema s hranjenjem obrasca.", + "This file field is read-only.": "Ovo polje datoteke dostupno je samo za čitanje.", + "This image": "Ova slika", + "This resource no longer exists": "Ovaj resurs više ne postoji", + "Timor-Leste": "Timor-Leste", + "Today": "Danas", + "Togo": "Toga.", + "Tokelau": "Tokelau", + "Tonga": "Dođite.", + "total": "cijeli", + "Trashed": "Razbijen", + "Trinidad And Tobago": "Trinidad i Tobago", + "Tunisia": "Tunis", + "Turkey": "Turska", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Otoci Turks i Caicos", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukrajina", + "United Arab Emirates": "Ujedinjeni Arapski Emirati", + "United Kingdom": "Ujedinjeno Kraljevstvo", + "United States": "Sjedinjene Države", + "United States Outlying Islands": "Udaljeni otoci SAD-a", + "Update": "Ažuriranje", + "Update & Continue Editing": "Ažuriranje i nastavak uređivanja", + "Update :resource": "Ažuriranje :resource", + "Update :resource: :title": "Ažuriranje :resource: :title", + "Update attached :resource: :title": "Ažuriranje dolazi s :resource: :title", + "Uruguay": "Urugvaj", + "Uzbekistan": "Uzbekistan", + "Value": "Vrijednost", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Pogledajte", + "Virgin Islands, British": "Britanski Djevičanski otoci", + "Virgin Islands, U.S.": "Američki Djevičanski otoci", + "Wallis And Futuna": "Wallis i Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Izgubili smo se u svemiru. Stranica koju ste pokušali pregledati ne postoji.", + "Welcome Back!": "Dobrodošli Natrag!", + "Western Sahara": "Zapadna Sahara", + "Whoops": "Ups.", + "Whoops!": "Ups!", + "With Trashed": "S Razbijenim", + "Write": "Pisanje", + "Year To Date": "Godina Do Danas", + "Yemen": "Jemen", + "Yes": "Da.", + "You are receiving this email because we received a password reset request for your account.": "Ovaj e-mail Vam je poslat jer ste zahtjevali promjenu zaporke za vaš nalog.", + "Zambia": "Zambija", + "Zimbabwe": "Zimbabve" +} diff --git a/locales/hr/packages/spark-paddle.json b/locales/hr/packages/spark-paddle.json new file mode 100644 index 00000000000..a91be64a7b2 --- /dev/null +++ b/locales/hr/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Uvjeti pružanja usluge", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Ups! Nešto je pošlo po zlu.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/hr/packages/spark-stripe.json b/locales/hr/packages/spark-stripe.json new file mode 100644 index 00000000000..9bfb882e95a --- /dev/null +++ b/locales/hr/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afganistan", + "Albania": "Albanija", + "Algeria": "Alžir", + "American Samoa": "Američka Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andora", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarktika", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armenija", + "Aruba": "Aruba", + "Australia": "Australija", + "Austria": "Austrija", + "Azerbaijan": "Azerbajdžan", + "Bahamas": "Bahami", + "Bahrain": "Bahrein", + "Bangladesh": "Bangladeš", + "Barbados": "Barbados", + "Belarus": "Bjelorusija", + "Belgium": "Belgija", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Butan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Bocvana", + "Bouvet Island": "Otok Bouvet", + "Brazil": "Brazil", + "British Indian Ocean Territory": "Britanski Teritorij Indijskog oceana", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bugarska", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodža", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Cape Verde", + "Card": "Karta", + "Cayman Islands": "Kajmanski otoci", + "Central African Republic": "Srednjoafrička Republika", + "Chad": "Čad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Čile", + "China": "Kina", + "Christmas Island": "Božićni Otok", + "City": "City", + "Cocos (Keeling) Islands": "Kokos (Keeling) Otoci", + "Colombia": "Kolumbija", + "Comoros": "Komori", + "Confirm Payment": "Potvrdite Plaćanje", + "Confirm your :amount payment": "Potvrdite plaćanje :amount", + "Congo": "Kongo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Cookovo Otočje", + "Costa Rica": "Kostarika", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Hrvatska", + "Cuba": "Kuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Cipar", + "Czech Republic": "Češka", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Danska", + "Djibouti": "Džibuti.", + "Dominica": "Nedjelja", + "Dominican Republic": "Dominikanska Republika", + "Download Receipt": "Download Receipt", + "Ecuador": "Ekvador", + "Egypt": "Egipat", + "El Salvador": "Spasitelj", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Ekvatorska Gvineja", + "Eritrea": "Eritreja", + "Estonia": "Estonija", + "Ethiopia": "Etiopija", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Potrebna je dodatna potvrda za obradu Vaše uplate. Idite na stranicu za plaćanje klikom na gumb ispod.", + "Falkland Islands (Malvinas)": "Falklandski otoci)", + "Faroe Islands": "Farski Otoci", + "Fiji": "Fidži", + "Finland": "Finska", + "France": "Francuska", + "French Guiana": "Francuska Gvajana", + "French Polynesia": "Francuska Polinezija", + "French Southern Territories": "Francuski južni teritoriji", + "Gabon": "Gabon", + "Gambia": "Gambija", + "Georgia": "Gruzija", + "Germany": "Njemačka", + "Ghana": "Gana", + "Gibraltar": "Gibraltar", + "Greece": "Grčka", + "Greenland": "Grenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Gvatemala", + "Guernsey": "Guernsey.", + "Guinea": "Gvineja", + "Guinea-Bissau": "Gvineja Bisau", + "Guyana": "Gvajana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Mađarska", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Island", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Indija", + "Indonesia": "Indonezija", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Irak", + "Ireland": "Irska", + "Isle of Man": "Isle of Man", + "Israel": "Izrael", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italija", + "Jamaica": "Jamajka", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "Kazakhstan": "Kazahstan", + "Kenya": "Kenija", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Sjeverna Koreja", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuvajt", + "Kyrgyzstan": "Kirgistan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvija", + "Lebanon": "Libanon", + "Lesotho": "Lesoto", + "Liberia": "Liberija", + "Libyan Arab Jamahiriya": "Libija", + "Liechtenstein": "Lihtenštajn", + "Lithuania": "Litva", + "Luxembourg": "Luxembourg", + "Macao": "Makao.", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagaskar", + "Malawi": "Malavi.", + "Malaysia": "Malezija", + "Maldives": "Maldivi", + "Mali": "Mali", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Maršalovi Otoci", + "Martinique": "Martinik.", + "Mauritania": "Mauritanija", + "Mauritius": "Mauricijus", + "Mayotte": "Mayotte.", + "Mexico": "Meksiko", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monako", + "Mongolia": "Mongolija", + "Montenegro": "Crna Gora", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Maroko", + "Mozambique": "Mozambik", + "Myanmar": "Mianmar", + "Namibia": "Namibija", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Nizozemska", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Nova Kaledonija", + "New Zealand": "Novi Zeland", + "Nicaragua": "Nikaragva", + "Niger": "Niger", + "Nigeria": "Nigerija", + "Niue": "Niue.", + "Norfolk Island": "Otok Norfolk", + "Northern Mariana Islands": "Sjeverni Marijanski Otoci", + "Norway": "Norveška", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinski teritoriji", + "Panama": "Panama", + "Papua New Guinea": "Papua Nova Gvineja", + "Paraguay": "Paragvaj", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Filipini", + "Pitcairn": "Pitcairn Otoci", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Poljska", + "Portugal": "Portugal", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Rumunjska", + "Russian Federation": "Ruska Federacija", + "Rwanda": "Ruanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Sveta Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Sveta Lucija", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saudijska Arabija", + "Save": "Spremi", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Srbija", + "Seychelles": "Sejšeli", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapur", + "Slovakia": "Slovačka", + "Slovenia": "Slovenija", + "Solomon Islands": "Salomonski Otoci", + "Somalia": "Somalija", + "South Africa": "Južna Afrika", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Španjolska", + "Sri Lanka": "Šri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Surinam", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Švedska", + "Switzerland": "Švicarska", + "Syrian Arab Republic": "Sirija", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tadžikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Uvjeti pružanja usluge", + "Thailand": "Tajland", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Toga.", + "Tokelau": "Tokelau", + "Tonga": "Dođite.", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunis", + "Turkey": "Turska", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukrajina", + "United Arab Emirates": "Ujedinjeni Arapski Emirati", + "United Kingdom": "Ujedinjeno Kraljevstvo", + "United States": "Sjedinjene Države", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Ažuriranje", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Urugvaj", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Britanski Djevičanski otoci", + "Virgin Islands, U.S.": "Američki Djevičanski otoci", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Zapadna Sahara", + "Whoops! Something went wrong.": "Ups! Nešto je pošlo po zlu.", + "Yearly": "Yearly", + "Yemen": "Jemen", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambija", + "Zimbabwe": "Zimbabve", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/hu/hu.json b/locales/hu/hu.json index c057aabd904..187afef2b12 100644 --- a/locales/hu/hu.json +++ b/locales/hu/hu.json @@ -1,710 +1,48 @@ { - "30 Days": "30 nap", - "60 Days": "60 nap", - "90 Days": "90 nap", - ":amount Total": ":amount összesen", - ":days day trial": ":days day trial", - ":resource Details": ":resource Részletek", - ":resource Details: :title": ":resource Részletek: :title", "A fresh verification link has been sent to your email address.": "Új hitelesítő hivatkozást küldtünk e-mail címére.", - "A new verification link has been sent to the email address you provided during registration.": "Egy új ellenőrző linket küldtek a regisztráció során megadott e-mail címre.", - "Accept Invitation": "Meghívó Elfogadása", - "Action": "Akció", - "Action Happened At": "Történt", - "Action Initiated By": "Által Kezdeményezett", - "Action Name": "Név", - "Action Status": "Állapot", - "Action Target": "Cél", - "Actions": "Intézkedések", - "Add": "Hozzáadás", - "Add a new team member to your team, allowing them to collaborate with you.": "Adjon hozzá egy új csapattagot a csapatához, lehetővé téve számukra, hogy együttműködjenek veled.", - "Add additional security to your account using two factor authentication.": "Adjon hozzá további biztonságot fiókjához kéttényezős hitelesítéssel.", - "Add row": "Sor hozzáadása", - "Add Team Member": "Csapat Tag Hozzáadása", - "Add VAT Number": "Add VAT Number", - "Added.": "Tette hozzá.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Adminisztrátor", - "Administrator users can perform any action.": "A rendszergazdai felhasználók bármilyen műveletet végrehajthatnak.", - "Afghanistan": "Afganisztán", - "Aland Islands": "Åland-Szigetek", - "Albania": "Albánia", - "Algeria": "Algéria", - "All of the people that are part of this team.": "Mindenki, aki a csapat tagja.", - "All resources loaded.": "Minden erőforrás betöltve.", - "All rights reserved.": "Minden jog fenntartva.", - "Already registered?": "Már regisztrált?", - "American Samoa": "Amerikai Szamoa", - "An error occured while uploading the file.": "Hiba történt a fájl feltöltése közben.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorrán", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Egy másik felhasználó frissítette ezt az erőforrást az oldal betöltése óta. Kérjük, frissítse az oldalt, majd próbálja újra.", - "Antarctica": "Antarktisz", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua és Barbuda", - "API Token": "API Token", - "API Token Permissions": "API Token engedélyek", - "API Tokens": "API tokenek", - "API tokens allow third-party services to authenticate with our application on your behalf.": "Az API tokenek lehetővé teszik a harmadik féltől származó szolgáltatások hitelesítését az alkalmazásunkkal az Ön nevében.", - "April": "Április", - "Are you sure you want to delete the selected resources?": "Biztos benne, hogy törölni szeretné a kiválasztott erőforrásokat?", - "Are you sure you want to delete this file?": "Biztos, hogy törölni szeretné ezt a fájlt?", - "Are you sure you want to delete this resource?": "Biztos benne, hogy törölni szeretné ezt az erőforrást?", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Biztos, hogy törölni akarja ezt a csapatot? A csapat törlése után minden erőforrása és adata véglegesen törlésre kerül.", - "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.": "Biztos benne, hogy törölni szeretné fiókját? A fiók törlése után minden erőforrása és adata véglegesen törlődik. Kérjük, adja meg jelszavát annak megerősítéséhez, hogy véglegesen törölni szeretné fiókját.", - "Are you sure you want to detach the selected resources?": "Biztos benne, hogy el akarja távolítani a kiválasztott erőforrásokat?", - "Are you sure you want to detach this resource?": "Biztos benne, hogy el akarja távolítani ezt az erőforrást?", - "Are you sure you want to force delete the selected resources?": "Biztos benne, hogy kényszeríteni akarja a kiválasztott erőforrások törlését?", - "Are you sure you want to force delete this resource?": "Biztos benne, hogy kényszeríteni akarja az erőforrás törlését?", - "Are you sure you want to restore the selected resources?": "Biztos benne, hogy vissza akarja állítani a kiválasztott erőforrásokat?", - "Are you sure you want to restore this resource?": "Biztos benne, hogy vissza akarja állítani ezt az erőforrást?", - "Are you sure you want to run this action?": "Biztos vagy benne, hogy le akarod futtatni ezt az akciót?", - "Are you sure you would like to delete this API token?": "Biztos benne, hogy törölni szeretné ezt az API tokent?", - "Are you sure you would like to leave this team?": "Biztos, hogy el akarja hagyni ezt a csapatot?", - "Are you sure you would like to remove this person from the team?": "Biztos benne, hogy el akarja távolítani ezt a személyt a csapatból?", - "Argentina": "Argentína", - "Armenia": "Örményország", - "Aruba": "Aruba", - "Attach": "Csatolás", - "Attach & Attach Another": "Csatolás & Csatolás", - "Attach :resource": "Csatolás :resource", - "August": "Augusztus", - "Australia": "Ausztrália", - "Austria": "Ausztria", - "Azerbaijan": "Azerbajdzsán", - "Bahamas": "Bahama-szigetek", - "Bahrain": "Bahrein", - "Bangladesh": "Banglades", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Továbblépés előtt ellenőrizze e-mail címén a jelszó helyreállító hivatkozást.", - "Belarus": "Fehéroroszország", - "Belgium": "Belgium", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bhután", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolívia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius és Sábado", - "Bosnia And Herzegovina": "Bosznia-Hercegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvet-Sziget", - "Brazil": "Brazília", - "British Indian Ocean Territory": "Brit Indiai-Óceáni Terület", - "Browser Sessions": "Böngésző Munkamenetek", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgária", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Kambodzsa", - "Cameroon": "Kamerun", - "Canada": "Kanada", - "Cancel": "Mégsem", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Zöld-Foki-Szigetek", - "Card": "Kártya", - "Cayman Islands": "Kajmán-Szigetek", - "Central African Republic": "Közép-Afrikai Köztársaság", - "Chad": "Csád", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Változások", - "Chile": "Chile", - "China": "Kína", - "Choose": "Válasszon", - "Choose :field": "Válasszon :field", - "Choose :resource": "Válasszon :resource", - "Choose an option": "Válasszon egy lehetőséget", - "Choose date": "Dátum kiválasztása", - "Choose File": "Fájl Kiválasztása", - "Choose Type": "Válasszon Típust", - "Christmas Island": "Karácsony-Sziget", - "City": "City", "click here to request another": "kattintson ide új igényléséhez", - "Click to choose": "Kattintson a választáshoz", - "Close": "Bezárás", - "Cocos (Keeling) Islands": "Cocos (Keeling) - Szigetek", - "Code": "Kód", - "Colombia": "Kolumbia", - "Comoros": "Comore-szigetek", - "Confirm": "Megerősítés", - "Confirm Password": "Jelszó megerősítése", - "Confirm Payment": "Fizetés Megerősítése", - "Confirm your :amount payment": "Erősítse meg a :amount-as fizetést", - "Congo": "Kongó", - "Congo, Democratic Republic": "Kongói Demokratikus Köztársaság", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Állandó", - "Cook Islands": "Szakács-Szigetek", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "nem találtam.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Létrehozás", - "Create & Add Another": "Létrehozás és Egy Másik Hozzáadása", - "Create :resource": "Létrehozása :resource", - "Create a new team to collaborate with others on projects.": "Hozzon létre egy új csapatot, hogy együttműködjön másokkal a projektekben.", - "Create Account": "Fiók Létrehozása", - "Create API Token": "API Token létrehozása", - "Create New Team": "Új Csapat Létrehozása", - "Create Team": "Csapat Létrehozása", - "Created.": "Létrehozva.", - "Croatia": "Horvátország", - "Cuba": "Kuba", - "Curaçao": "Curacao", - "Current Password": "Aktuális Jelszó", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Testreszabás", - "Cyprus": "Ciprus", - "Czech Republic": "Csehország", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Műszerfal", - "December": "December", - "Decrease": "Csökkenés", - "Delete": "Törlés", - "Delete Account": "Fiók Törlése", - "Delete API Token": "API Token törlése", - "Delete File": "Fájl Törlése", - "Delete Resource": "Forrás Törlése", - "Delete Selected": "Kijelölt Törlése", - "Delete Team": "Csapat Törlése", - "Denmark": "Dánia", - "Detach": "Leválasztás", - "Detach Resource": "Forrás Leválasztása", - "Detach Selected": "Kiválasztott Leválasztás", - "Details": "Részletek", - "Disable": "Letiltás", - "Djibouti": "Dzsibuti", - "Do you really want to leave? You have unsaved changes.": "Tényleg el akarsz menni? Nem mentett változások vannak.", - "Dominica": "Vasárnap", - "Dominican Republic": "Dominikai Köztársaság", - "Done.": "Kész.", - "Download": "Letöltés", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-mail cím", - "Ecuador": "Ecuador", - "Edit": "Szerkesztés", - "Edit :resource": ":resource Edit", - "Edit Attached": "Csatolt Szerkesztés", - "Editor": "Szerkesztő", - "Editor users have the ability to read, create, and update.": "A szerkesztő felhasználók képesek olvasni, létrehozni és frissíteni.", - "Egypt": "Egyiptom", - "El Salvador": "Salvador", - "Email": "E-mail", - "Email Address": "E-Mail Cím", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "E-Mail Jelszó Visszaállítása Link", - "Enable": "Engedélyezés", - "Ensure your account is using a long, random password to stay secure.": "Győződjön meg róla, hogy fiókja hosszú, véletlenszerű jelszót használ a biztonság érdekében.", - "Equatorial Guinea": "Egyenlítői-Guinea", - "Eritrea": "Eritrea", - "Estonia": "Észtország", - "Ethiopia": "Etiópia", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "A fizetés feldolgozásához további megerősítésre van szükség. Kérjük, erősítse meg fizetését az alábbi fizetési adatok kitöltésével.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "A fizetés feldolgozásához további megerősítésre van szükség. Kérjük, folytassa a Fizetési oldalt az alábbi gombra kattintva.", - "Falkland Islands (Malvinas)": "Falkland-Szigetek (Malvinas)", - "Faroe Islands": "Feröer-Szigetek", - "February": "Február", - "Fiji": "Fidzsi-szigetek", - "Finland": "Finnország", - "For your security, please confirm your password to continue.": "A biztonság érdekében kérjük, erősítse meg jelszavát a folytatáshoz.", "Forbidden": "Tiltott", - "Force Delete": "Törlés Kényszerítése", - "Force Delete Resource": "Az Erőforrás Törlése", - "Force Delete Selected": "A Kijelölt Törlés Kényszerítése", - "Forgot Your Password?": "Elfelejtett jelszó?", - "Forgot your password?": "Elfelejtette a jelszavát?", - "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.": "Elfelejtette a jelszavát? Semmi baj. Csak tudassa velünk az e-mail címét, majd e-mailben egy jelszó-visszaállítási linket, amely lehetővé teszi, hogy válasszon egy újat.", - "France": "Franciaország", - "French Guiana": "Francia Guyana", - "French Polynesia": "Francia Polinézia", - "French Southern Territories": "Francia Déli Területek", - "Full name": "Teljes név", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Grúzia", - "Germany": "Németország", - "Ghana": "Ghána", - "Gibraltar": "Gibraltár", - "Go back": "Menj vissza", - "Go Home": "Főoldalra", "Go to page :page": "Ugrás a :page. oldalra", - "Great! You have accepted the invitation to join the :team team.": "Zseniális! Elfogadta a meghívást, hogy csatlakozzon a :team-as csapathoz.", - "Greece": "Görögország", - "Greenland": "Grönland", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Bissau-Guinea", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Heard-sziget és McDonald-szigetek", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Helló!", - "Hide Content": "Tartalom Elrejtése", - "Hold Up!": "Állj!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hongkong", - "Hungary": "Magyarország", - "I agree to the :terms_of_service and :privacy_policy": "Elfogadom a :terms_of_service and :privacy_policy - t", - "Iceland": "Izland", - "ID": "ID", - "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.": "Ha szükséges, akkor jelentkezzen ki az összes többi böngésző ülés az összes eszköz. Néhány legutóbbi ülés alább felsorolt; azonban, ez a lista nem lehet kimerítő. Ha úgy érzi, hogy fiókja veszélybe került, frissítenie kell a jelszavát is.", "If necessary, you may logout 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.": "Szükség esetén kijelentkezhet az összes többi böngésző munkamenetről az összes eszközön. Néhány legutóbbi ülés alább felsorolt; azonban, ez a lista nem lehet kimerítő. Ha úgy érzi, hogy fiókja veszélybe került, frissítenie kell a jelszavát is.", - "If you already have an account, you may accept this invitation by clicking the button below:": "Ha már rendelkezik fiókkal, az alábbi gombra kattintva elfogadhatja ezt a meghívást:", "If you did not create an account, no further action is required.": "Ha nem Ön hozta létre ezt a fiókot, akkor nincs további teendője.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Ha nem számított arra, hogy meghívást kap a csapathoz, akkor eldobhatja ezt az e-mailt.", "If you did not receive the email": "Ha nem kapta meg az üzenetet", - "If you did not request a password reset, no further action is required.": "Ha nem kezdeményzett jelszó helyreállítást, nincs további teendője.", - "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:": "Ha nincs fiókja, létrehozhat egyet az alábbi gombra kattintva. Fiók létrehozása után az e-mailben található meghívó Elfogadás gombra kattintva elfogadhatja a csapat meghívását:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Ha problémákba ütközik a \":actionText\" gombra kattintáskor, másolja be az allábi hivatkozást\na böngészőjébe:", - "Increase": "Növekedés", - "India": "India", - "Indonesia": "Indonézia", "Invalid signature.": "Érvénytelen aláírás.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Irán", - "Iraq": "Irak", - "Ireland": "Írország", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Man-sziget", - "Israel": "Izrael", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Olaszország", - "Jamaica": "Jamaica", - "January": "Január", - "Japan": "Japán", - "Jersey": "Mez", - "Jordan": "Jordánia", - "July": "Július", - "June": "Június", - "Kazakhstan": "Kazahsztán", - "Kenya": "Kenya", - "Key": "Kulcs", - "Kiribati": "Kiribati", - "Korea": "Dél-Korea", - "Korea, Democratic People's Republic of": "Észak-Korea", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Koszovó", - "Kuwait": "Kuvait", - "Kyrgyzstan": "Kirgizisztán", - "Lao People's Democratic Republic": "Laosz", - "Last active": "Utolsó aktív", - "Last used": "Utoljára használt", - "Latvia": "Lettország", - "Leave": "Hagyja", - "Leave Team": "Hagyja Csapat", - "Lebanon": "Libanon", - "Lens": "Lencse", - "Lesotho": "Lesotho", - "Liberia": "Libéria", - "Libyan Arab Jamahiriya": "Líbia", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Litvánia", - "Load :perPage More": "Betöltése :perpage több", - "Log in": "Bejelentkezés", "Log out": "Kijelentkezés", - "Log Out": "Kijelentkezés", - "Log Out Other Browser Sessions": "Jelentkezzen Ki A Többi Böngésző Munkamenetből", - "Login": "Bejelentkezés", - "Logout": "Kijelentkezés", "Logout Other Browser Sessions": "Jelentkezzen Ki A Többi Böngésző Munkamenetből", - "Luxembourg": "Luxemburg", - "Macao": "Makaó", - "Macedonia": "Észak-Macedónia", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagaszkár", - "Malawi": "Malawi", - "Malaysia": "Malajzia", - "Maldives": "Maldív-szigetek", - "Mali": "Kicsi", - "Malta": "Málta", - "Manage Account": "Fiók Kezelése", - "Manage and log out your active sessions on other browsers and devices.": "Az aktív munkamenetek kezelése és kijelentkezése más böngészőkön és eszközökön.", "Manage and logout your active sessions on other browsers and devices.": "Az aktív munkamenetek kezelése és kijelentkezése más böngészőkön és eszközökön.", - "Manage API Tokens": "API tokenek kezelése", - "Manage Role": "Szerep Kezelése", - "Manage Team": "Csapat Kezelése", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Március", - "Marshall Islands": "Marshall-Szigetek", - "Martinique": "Martinique", - "Mauritania": "Mauritánia", - "Mauritius": "Mauritius", - "May": "Május", - "Mayotte": "Mayotte", - "Mexico": "Mexikó", - "Micronesia, Federated States Of": "Mikronézia", - "Moldova": "Moldova", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monaco", - "Mongolia": "Mongólia", - "Montenegro": "Montenegró", - "Month To Date": "Hónap A Mai Napig", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Marokkó", - "Mozambique": "Mozambik", - "Myanmar": "Mianmar", - "Name": "Név", - "Namibia": "Namíbia", - "Nauru": "Nauru", - "Nepal": "Nepál", - "Netherlands": "Hollandia", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Nevermind", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Új", - "New :resource": "Új :resource", - "New Caledonia": "Új-Kaledónia", - "New Password": "Új Jelszó", - "New Zealand": "Új-Zéland", - "Next": "Következő", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigéria", - "Niue": "Niue", - "No": "Nem", - "No :resource matched the given criteria.": "A :resource. szám megfelelt az adott kritériumoknak.", - "No additional information...": "Nincs további információ...", - "No Current Data": "Nincs Aktuális Adat", - "No Data": "Nincs Adat", - "no file selected": "nincs kijelölt fájl", - "No Increase": "Nincs Növekedés", - "No Prior Data": "Nincs Előzetes Adat", - "No Results Found.": "Nem Talált Eredményt.", - "Norfolk Island": "Norfolk-Sziget", - "Northern Mariana Islands": "Észak-Mariana-Szigetek", - "Norway": "Norvégia", "Not Found": "Nem található", - "Nova User": "Nova Felhasználó", - "November": "November", - "October": "Október", - "of": "a", "Oh no": "Ó ne", - "Oman": "Omán", - "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.": "A csapat törlése után minden erőforrása és adata véglegesen törlésre kerül. A csapat törlése előtt kérjük, töltsön le minden adatot vagy információt erről a csapatról, amelyet meg kíván őrizni.", - "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.": "A fiók törlése után minden erőforrása és adata véglegesen törlődik. A fiók törlése előtt kérjük, töltsön le minden olyan adatot vagy információt, amelyet meg kíván őrizni.", - "Only Trashed": "Csak Összetört", - "Original": "Eredeti", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Lejárt oldal", "Pagination Navigation": "Oldalszámozás Navigáció", - "Pakistan": "Pakisztán", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Palesztin Területek", - "Panama": "Panama", - "Papua New Guinea": "Pápua Új-Guinea", - "Paraguay": "Paraguay", - "Password": "Jelszó", - "Pay :amount": "Fizetés :amount", - "Payment Cancelled": "Fizetés Törölve", - "Payment Confirmation": "Fizetési Visszaigazolás", - "Payment Information": "Payment Information", - "Payment Successful": "A Fizetés Sikeres", - "Pending Team Invitations": "Függőben Lévő Csapatmeghívások", - "Per Page": "Oldalanként", - "Permanently delete this team.": "Véglegesen törölje ezt a csapatot.", - "Permanently delete your account.": "Véglegesen törölje fiókját.", - "Permissions": "Engedélyek", - "Peru": "Peru", - "Philippines": "Fülöp-szigetek", - "Photo": "Fotó", - "Pitcairn": "Pitcairn-Szigetek", "Please click the button below to verify your email address.": "Kérjük kattintson az alábbi gombra az e-mail címe megerősítéséhez.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Kérjük, erősítse meg a fiókhoz való hozzáférést az egyik vészhelyzeti helyreállítási kód megadásával.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Kérjük, erősítse meg a fiókhoz való hozzáférést a hitelesítő alkalmazás által biztosított hitelesítési kód megadásával.", "Please confirm your password before continuing.": "Kérjük erősítse meg a jelszavát, mielőtt folytatná.", - "Please copy your new API token. For your security, it won't be shown again.": "Kérjük, másolja az új API token. A biztonság kedvéért nem jelenik meg újra.", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Kérjük, adja meg a jelszavát annak megerősítéséhez, hogy ki szeretne jelentkezni a többi böngészőből az összes eszközön.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Kérjük, adja meg a jelszavát, hogy megerősítse, hogy az összes eszközén szeretné kijelentkezni a többi böngésző munkamenetéről.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "Please provide the email address of the person you would like to add to this team.": "Kérjük, adja meg annak a személynek az e-mail címét, akit hozzá szeretne adni ehhez a csapathoz.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Kérjük, adja meg annak a személynek az e-mail címét, akit hozzá szeretne adni ehhez a csapathoz. Az e-mail címet egy meglévő fiókhoz kell társítani.", - "Please provide your name.": "Kérjük, adja meg a nevét.", - "Poland": "Lengyelország", - "Portugal": "Portugália", - "Press \/ to search": "Nyomja meg a \/ gombot a kereséshez", - "Preview": "Előnézet", - "Previous": "Előző", - "Privacy Policy": "Adatvédelmi Irányelvek", - "Profile": "Profil", - "Profile Information": "Adatlap Információk", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Negyedév A Mai Napig", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Helyreállítási Kód", "Regards": "Üdvözlettel", - "Regenerate Recovery Codes": "Regenerálja A Helyreállítási Kódokat", - "Register": "Regisztráció", - "Reload": "Újratöltés", - "Remember me": "Emlékezz rám", - "Remember Me": "Emlékezzen rám", - "Remove": "Eltávolítás", - "Remove Photo": "Fotó Eltávolítása", - "Remove Team Member": "Csapat Tag Eltávolítása", - "Resend Verification Email": "Ellenőrző E-Mail Újraküldése", - "Reset Filters": "Szűrők Visszaállítása", - "Reset Password": "Jelszó helyreállítás", - "Reset Password Notification": "Jelszó helyreállítás emlékeztető", - "resource": "forrás", - "Resources": "Források", - "resources": "források", - "Restore": "Visszaállítás", - "Restore Resource": "Erőforrás Visszaállítása", - "Restore Selected": "A Kijelölt Visszaállítás", "results": "eredmények", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Találkozó", - "Role": "Szerep", - "Romania": "Románia", - "Run Action": "Művelet Futtatása", - "Russian Federation": "Orosz Föderáció", - "Rwanda": "Ruanda", - "Réunion": "Réunion", - "Saint Barthelemy": "Szent Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Szent Ilona", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "St. Kitts és Nevis", - "Saint Lucia": "St. Lucia", - "Saint Martin": "Szent Márton", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "St. Pierre és Miquelon", - "Saint Vincent And Grenadines": "St. Vincent és Grenadines", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Szamoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "São Tomé és Príncipe", - "Saudi Arabia": "Szaúd-Arábia", - "Save": "Mentés", - "Saved.": "Megmentve.", - "Search": "Keresés", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Válasszon Ki Egy Új Fényképet", - "Select Action": "Művelet Kiválasztása", - "Select All": "Összes Kijelölése", - "Select All Matching": "Válassza Ki Az Összes Megfelelőt", - "Send Password Reset Link": "Jelszó helyreállító hivatkozás küldése", - "Senegal": "Szenegál", - "September": "Szeptember", - "Serbia": "Szerbia", "Server Error": "Szerver hiba", "Service Unavailable": "Szolgáltatás nem elérhető", - "Seychelles": "Seychelle-szigetek", - "Show All Fields": "Összes Mező Megjelenítése", - "Show Content": "Tartalom Megjelenítése", - "Show Recovery Codes": "Helyreállítási Kódok Megjelenítése", "Showing": "Bemutató", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Szingapúr", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Szlovákia", - "Slovenia": "Szlovénia", - "Solomon Islands": "Salamon-Szigetek", - "Somalia": "Szomália", - "Something went wrong.": "Valami rosszul sült el.", - "Sorry! You are not authorized to perform this action.": "Bocsánat! Ön nem jogosult végrehajtani ezt a műveletet.", - "Sorry, your session has expired.": "Sajnálom, az ülés lejárt.", - "South Africa": "Dél-Afrika", - "South Georgia And Sandwich Isl.": "Dél-Grúzia és Dél-Sandwich-szigetek", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Dél-Szudán", - "Spain": "Spanyolország", - "Sri Lanka": "Srí Lanka", - "Start Polling": "Közvélemény-Kutatás Indítása", - "State \/ County": "State \/ County", - "Stop Polling": "A Közvélemény-Kutatás Leállítása", - "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.": "Tárolja ezeket a helyreállítási kódokat egy biztonságos jelszókezelőben. Felhasználhatók a fiókhoz való hozzáférés helyreállítására, ha a kéttényezős hitelesítési eszköz elveszik.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Szudán", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard és Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Svédország", - "Switch Teams": "Switch Csapatok", - "Switzerland": "Svájc", - "Syrian Arab Republic": "Szíria", - "Taiwan": "Tajvan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tádzsikisztán", - "Tanzania": "Tanzánia", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Csapat Adatai", - "Team Invitation": "Csapat Meghívó", - "Team Members": "A Csapat Tagjai", - "Team Name": "Csapat Neve", - "Team Owner": "Csapat Tulajdonosa", - "Team Settings": "Csapat Beállítások", - "Terms of Service": "Szolgáltatási feltételek", - "Thailand": "Thaiföld", - "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.": "Köszönjük, hogy feliratkozott! Mielőtt elkezdené, tudná ellenőrizni az e-mail címét, ha rákattint a linkre, amelyet csak e-mailben küldtünk Önnek? Ha nem kapta meg az e-mailt, örömmel küldünk Önnek egy másikat.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "A :attribute-nek érvényes szerepnek kell lennie.", - "The :attribute must be at least :length characters and contain at least one number.": "A :attribute karakternek legalább :length karakternek kell lennie, és legalább egy számot kell tartalmaznia.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": "A :attribute karakternek legalább :length karakternek kell lennie, és legalább egy különleges karaktert és egy számot kell tartalmaznia.", - "The :attribute must be at least :length characters and contain at least one special character.": "A :attribute karakternek legalább :length karakternek kell lennie, és legalább egy különleges karaktert kell tartalmaznia.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "A :attribute karakternek legalább :length karakternek kell lennie, és legalább egy nagybetűs karaktert és egy számot kell tartalmaznia.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "A :attribute karakternek legalább :length karakternek kell lennie, és legalább egy nagybetűs és egy különleges karaktert kell tartalmaznia.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "A :attribute-nek legalább :length karakternek kell lennie, és legalább egy nagybetűs karaktert, egy számot és egy különleges karaktert kell tartalmaznia.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": "Az :attribute-asnak legalább :length karakternek kell lennie, és legalább egy nagybetűs karaktert kell tartalmaznia.", - "The :attribute must be at least :length characters.": "Az :attribute-nek legalább :length karakternek kell lennie.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "A :resource jött létre!", - "The :resource was deleted!": "Az :resource-at törölték!", - "The :resource was restored!": "A :resource helyreállt!", - "The :resource was updated!": "A :resource frissült!", - "The action ran successfully!": "Az akció sikeresen futott!", - "The file was deleted!": "A fájlt törölték!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "A kormány nem engedi, hogy megmutassuk, mi van az ajtók mögött.", - "The HasOne relationship has already been filled.": "A HasOne kapcsolat már kitöltött.", - "The payment was successful.": "A fizetés sikeres volt.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "A megadott jelszó nem egyezik meg az aktuális jelszóval.", - "The provided password was incorrect.": "A megadott jelszó helytelen volt.", - "The provided two factor authentication code was invalid.": "A megadott kéttényezős hitelesítési kód érvénytelen volt.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Az erőforrás frissült!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "A csapat neve és a tulajdonos adatai.", - "There are no available options for this resource.": "Nincs elérhető lehetőség erre az erőforrásra.", - "There was a problem executing the action.": "Probléma volt az akció végrehajtásával.", - "There was a problem submitting the form.": "Probléma volt az űrlap benyújtásával.", - "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.": "Ezeket az embereket meghívták a csapatába, és meghívó e-mailt küldtek nekik. Az e-mail meghívás elfogadásával csatlakozhatnak a csapathoz.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Ez a művelet nem engedélyezett.", - "This device": "Ez az eszköz", - "This file field is read-only.": "Ez a fájl mező csak olvasható.", - "This image": "Ez a kép", - "This is a secure area of the application. Please confirm your password before continuing.": "Ez az alkalmazás biztonságos területe. Kérjük, erősítse meg jelszavát, mielőtt folytatná.", - "This password does not match our records.": "Ez a jelszó nem egyezik a nyilvántartásunkkal.", "This password reset link will expire in :count minutes.": "Ez a jelszó helyreállító hivatkozás :count perc múlva le fog járni.", - "This payment was already successfully confirmed.": "Ezt a kifizetést már sikeresen megerősítették.", - "This payment was cancelled.": "Ezt a kifizetést törölték.", - "This resource no longer exists": "Ez az erőforrás már nem létezik", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Ez a felhasználó már a csapathoz tartozik.", - "This user has already been invited to the team.": "Ezt a felhasználót már meghívták a csapatba.", - "Timor-Leste": "Timor-Leste", "to": "hogy", - "Today": "Ma", "Toggle navigation": "Navigáció be\/ki", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Token Név", - "Tonga": "Gyere", "Too Many Attempts.": "Túl sok próbálkozás.", "Too Many Requests": "Túl sok lekérés", - "total": "összesen", - "Total:": "Total:", - "Trashed": "Romba dőlt", - "Trinidad And Tobago": "Trinidad és Tobago", - "Tunisia": "Tunézia", - "Turkey": "Törökország", - "Turkmenistan": "Türkmenisztán", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Turks - és Caicos-szigetek", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Két Tényezős Hitelesítés", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Két tényező hitelesítés most engedélyezve van. Szkennelje be a következő QR-kódot a telefon hitelesítő alkalmazásával.", - "Uganda": "Uganda", - "Ukraine": "Ukrajna", "Unauthorized": "Jogosulatlan", - "United Arab Emirates": "Egyesült Arab Emírségek", - "United Kingdom": "Egyesült Királyság", - "United States": "Egyesült Államok", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "Amerikai külvilág-szigetek", - "Update": "Frissítés", - "Update & Continue Editing": "Frissítés & Szerkesztés Folytatása", - "Update :resource": "Frissítés :resource", - "Update :resource: :title": "Frissítés :resource: :title", - "Update attached :resource: :title": "Frissítés csatolt :resource: :title", - "Update Password": "Jelszó Frissítése", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Frissítse fiókja profiladatait és e-mail címét.", - "Uruguay": "Uruguay", - "Use a recovery code": "Helyreállítási kód használata", - "Use an authentication code": "Hitelesítési kód használata", - "Uzbekistan": "Üzbegisztán", - "Value": "Érték", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "E-mail cím megerősítése", "Verify Your Email Address": "Erősítse meg e-mail címét", - "Viet Nam": "Vietnam", - "View": "Nézet", - "Virgin Islands, British": "Brit Virgin-Szigetek", - "Virgin Islands, U.S.": "Amerikai Virgin-szigetek", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis és Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Nem találtunk regisztrált felhasználót ezzel az e-mail címmel.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Néhány órán keresztül nem fogjuk újra kérni a jelszavát.", - "We're lost in space. The page you were trying to view does not exist.": "Eltévedtünk az űrben. A megtekinteni kívánt oldal nem létezik.", - "Welcome Back!": "Üdv Újra Itt!", - "Western Sahara": "Nyugat-Szahara", - "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.": "Ha a kéttényezős hitelesítés engedélyezve van, a rendszer egy biztonságos, véletlenszerű tokent kér a hitelesítés során. Lehet letölteni ezt a tokent a telefon Google Hitelesítő alkalmazás.", - "Whoops": "Hoppá", - "Whoops!": "Hoppá!", - "Whoops! Something went wrong.": "Hoppá! Valami rosszul sült el.", - "With Trashed": "A Szétzúzott", - "Write": "Írás", - "Year To Date": "Év A Mai Napig", - "Yearly": "Yearly", - "Yemen": "Jemeni", - "Yes": "Igen", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Be vagy jelentkezve!", - "You are receiving this email because we received a password reset request for your account.": "Azért kapja ezt az üzenetet, mert a fiókjára jelszó helyreállítási kérés érkezett.", - "You have been invited to join the :team team!": "Meghívtak, hogy csatlakozzon az :team csapathoz!", - "You have enabled two factor authentication.": "Két tényező hitelesítését engedélyezte.", - "You have not enabled two factor authentication.": "Nem engedélyezte a két tényező hitelesítését.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "Törölheti a meglévő tokeneket, ha már nincs rájuk szükség.", - "You may not delete your personal team.": "Lehet, hogy nem törli a személyes csapat.", - "You may not leave a team that you created.": "Nem hagyhatsz el egy csapatot, amit létrehoztál.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Az e-mail címe nincs megerősítve.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Az e-mail címe nincs megerősítve." } diff --git a/locales/hu/packages/cashier.json b/locales/hu/packages/cashier.json new file mode 100644 index 00000000000..7e41620257b --- /dev/null +++ b/locales/hu/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Minden jog fenntartva.", + "Card": "Kártya", + "Confirm Payment": "Fizetés Megerősítése", + "Confirm your :amount payment": "Erősítse meg a :amount-as fizetést", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "A fizetés feldolgozásához további megerősítésre van szükség. Kérjük, erősítse meg fizetését az alábbi fizetési adatok kitöltésével.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "A fizetés feldolgozásához további megerősítésre van szükség. Kérjük, folytassa a Fizetési oldalt az alábbi gombra kattintva.", + "Full name": "Teljes név", + "Go back": "Menj vissza", + "Jane Doe": "Jane Doe", + "Pay :amount": "Fizetés :amount", + "Payment Cancelled": "Fizetés Törölve", + "Payment Confirmation": "Fizetési Visszaigazolás", + "Payment Successful": "A Fizetés Sikeres", + "Please provide your name.": "Kérjük, adja meg a nevét.", + "The payment was successful.": "A fizetés sikeres volt.", + "This payment was already successfully confirmed.": "Ezt a kifizetést már sikeresen megerősítették.", + "This payment was cancelled.": "Ezt a kifizetést törölték." +} diff --git a/locales/hu/packages/fortify.json b/locales/hu/packages/fortify.json new file mode 100644 index 00000000000..03c1bcaf811 --- /dev/null +++ b/locales/hu/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": "A :attribute karakternek legalább :length karakternek kell lennie, és legalább egy számot kell tartalmaznia.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "A :attribute karakternek legalább :length karakternek kell lennie, és legalább egy különleges karaktert és egy számot kell tartalmaznia.", + "The :attribute must be at least :length characters and contain at least one special character.": "A :attribute karakternek legalább :length karakternek kell lennie, és legalább egy különleges karaktert kell tartalmaznia.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "A :attribute karakternek legalább :length karakternek kell lennie, és legalább egy nagybetűs karaktert és egy számot kell tartalmaznia.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "A :attribute karakternek legalább :length karakternek kell lennie, és legalább egy nagybetűs és egy különleges karaktert kell tartalmaznia.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "A :attribute-nek legalább :length karakternek kell lennie, és legalább egy nagybetűs karaktert, egy számot és egy különleges karaktert kell tartalmaznia.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Az :attribute-asnak legalább :length karakternek kell lennie, és legalább egy nagybetűs karaktert kell tartalmaznia.", + "The :attribute must be at least :length characters.": "Az :attribute-nek legalább :length karakternek kell lennie.", + "The provided password does not match your current password.": "A megadott jelszó nem egyezik meg az aktuális jelszóval.", + "The provided password was incorrect.": "A megadott jelszó helytelen volt.", + "The provided two factor authentication code was invalid.": "A megadott kéttényezős hitelesítési kód érvénytelen volt." +} diff --git a/locales/hu/packages/jetstream.json b/locales/hu/packages/jetstream.json new file mode 100644 index 00000000000..ebcb967ff6b --- /dev/null +++ b/locales/hu/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Egy új ellenőrző linket küldtek a regisztráció során megadott e-mail címre.", + "Accept Invitation": "Meghívó Elfogadása", + "Add": "Hozzáadás", + "Add a new team member to your team, allowing them to collaborate with you.": "Adjon hozzá egy új csapattagot a csapatához, lehetővé téve számukra, hogy együttműködjenek veled.", + "Add additional security to your account using two factor authentication.": "Adjon hozzá további biztonságot fiókjához kéttényezős hitelesítéssel.", + "Add Team Member": "Csapat Tag Hozzáadása", + "Added.": "Tette hozzá.", + "Administrator": "Adminisztrátor", + "Administrator users can perform any action.": "A rendszergazdai felhasználók bármilyen műveletet végrehajthatnak.", + "All of the people that are part of this team.": "Mindenki, aki a csapat tagja.", + "Already registered?": "Már regisztrált?", + "API Token": "API Token", + "API Token Permissions": "API Token engedélyek", + "API Tokens": "API tokenek", + "API tokens allow third-party services to authenticate with our application on your behalf.": "Az API tokenek lehetővé teszik a harmadik féltől származó szolgáltatások hitelesítését az alkalmazásunkkal az Ön nevében.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Biztos, hogy törölni akarja ezt a csapatot? A csapat törlése után minden erőforrása és adata véglegesen törlésre kerül.", + "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.": "Biztos benne, hogy törölni szeretné fiókját? A fiók törlése után minden erőforrása és adata véglegesen törlődik. Kérjük, adja meg jelszavát annak megerősítéséhez, hogy véglegesen törölni szeretné fiókját.", + "Are you sure you would like to delete this API token?": "Biztos benne, hogy törölni szeretné ezt az API tokent?", + "Are you sure you would like to leave this team?": "Biztos, hogy el akarja hagyni ezt a csapatot?", + "Are you sure you would like to remove this person from the team?": "Biztos benne, hogy el akarja távolítani ezt a személyt a csapatból?", + "Browser Sessions": "Böngésző Munkamenetek", + "Cancel": "Mégsem", + "Close": "Bezárás", + "Code": "Kód", + "Confirm": "Megerősítés", + "Confirm Password": "Jelszó megerősítése", + "Create": "Létrehozás", + "Create a new team to collaborate with others on projects.": "Hozzon létre egy új csapatot, hogy együttműködjön másokkal a projektekben.", + "Create Account": "Fiók Létrehozása", + "Create API Token": "API Token létrehozása", + "Create New Team": "Új Csapat Létrehozása", + "Create Team": "Csapat Létrehozása", + "Created.": "Létrehozva.", + "Current Password": "Aktuális Jelszó", + "Dashboard": "Műszerfal", + "Delete": "Törlés", + "Delete Account": "Fiók Törlése", + "Delete API Token": "API Token törlése", + "Delete Team": "Csapat Törlése", + "Disable": "Letiltás", + "Done.": "Kész.", + "Editor": "Szerkesztő", + "Editor users have the ability to read, create, and update.": "A szerkesztő felhasználók képesek olvasni, létrehozni és frissíteni.", + "Email": "E-mail", + "Email Password Reset Link": "E-Mail Jelszó Visszaállítása Link", + "Enable": "Engedélyezés", + "Ensure your account is using a long, random password to stay secure.": "Győződjön meg róla, hogy fiókja hosszú, véletlenszerű jelszót használ a biztonság érdekében.", + "For your security, please confirm your password to continue.": "A biztonság érdekében kérjük, erősítse meg jelszavát a folytatáshoz.", + "Forgot your password?": "Elfelejtette a jelszavát?", + "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.": "Elfelejtette a jelszavát? Semmi baj. Csak tudassa velünk az e-mail címét, majd e-mailben egy jelszó-visszaállítási linket, amely lehetővé teszi, hogy válasszon egy újat.", + "Great! You have accepted the invitation to join the :team team.": "Zseniális! Elfogadta a meghívást, hogy csatlakozzon a :team-as csapathoz.", + "I agree to the :terms_of_service and :privacy_policy": "Elfogadom a :terms_of_service and :privacy_policy - t", + "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.": "Ha szükséges, akkor jelentkezzen ki az összes többi böngésző ülés az összes eszköz. Néhány legutóbbi ülés alább felsorolt; azonban, ez a lista nem lehet kimerítő. Ha úgy érzi, hogy fiókja veszélybe került, frissítenie kell a jelszavát is.", + "If you already have an account, you may accept this invitation by clicking the button below:": "Ha már rendelkezik fiókkal, az alábbi gombra kattintva elfogadhatja ezt a meghívást:", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Ha nem számított arra, hogy meghívást kap a csapathoz, akkor eldobhatja ezt az e-mailt.", + "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:": "Ha nincs fiókja, létrehozhat egyet az alábbi gombra kattintva. Fiók létrehozása után az e-mailben található meghívó Elfogadás gombra kattintva elfogadhatja a csapat meghívását:", + "Last active": "Utolsó aktív", + "Last used": "Utoljára használt", + "Leave": "Hagyja", + "Leave Team": "Hagyja Csapat", + "Log in": "Bejelentkezés", + "Log Out": "Kijelentkezés", + "Log Out Other Browser Sessions": "Jelentkezzen Ki A Többi Böngésző Munkamenetből", + "Manage Account": "Fiók Kezelése", + "Manage and log out your active sessions on other browsers and devices.": "Az aktív munkamenetek kezelése és kijelentkezése más böngészőkön és eszközökön.", + "Manage API Tokens": "API tokenek kezelése", + "Manage Role": "Szerep Kezelése", + "Manage Team": "Csapat Kezelése", + "Name": "Név", + "New Password": "Új Jelszó", + "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.": "A csapat törlése után minden erőforrása és adata véglegesen törlésre kerül. A csapat törlése előtt kérjük, töltsön le minden adatot vagy információt erről a csapatról, amelyet meg kíván őrizni.", + "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.": "A fiók törlése után minden erőforrása és adata véglegesen törlődik. A fiók törlése előtt kérjük, töltsön le minden olyan adatot vagy információt, amelyet meg kíván őrizni.", + "Password": "Jelszó", + "Pending Team Invitations": "Függőben Lévő Csapatmeghívások", + "Permanently delete this team.": "Véglegesen törölje ezt a csapatot.", + "Permanently delete your account.": "Véglegesen törölje fiókját.", + "Permissions": "Engedélyek", + "Photo": "Fotó", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Kérjük, erősítse meg a fiókhoz való hozzáférést az egyik vészhelyzeti helyreállítási kód megadásával.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Kérjük, erősítse meg a fiókhoz való hozzáférést a hitelesítő alkalmazás által biztosított hitelesítési kód megadásával.", + "Please copy your new API token. For your security, it won't be shown again.": "Kérjük, másolja az új API token. A biztonság kedvéért nem jelenik meg újra.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Kérjük, adja meg a jelszavát annak megerősítéséhez, hogy ki szeretne jelentkezni a többi böngészőből az összes eszközön.", + "Please provide the email address of the person you would like to add to this team.": "Kérjük, adja meg annak a személynek az e-mail címét, akit hozzá szeretne adni ehhez a csapathoz.", + "Privacy Policy": "Adatvédelmi Irányelvek", + "Profile": "Profil", + "Profile Information": "Adatlap Információk", + "Recovery Code": "Helyreállítási Kód", + "Regenerate Recovery Codes": "Regenerálja A Helyreállítási Kódokat", + "Register": "Regisztráció", + "Remember me": "Emlékezz rám", + "Remove": "Eltávolítás", + "Remove Photo": "Fotó Eltávolítása", + "Remove Team Member": "Csapat Tag Eltávolítása", + "Resend Verification Email": "Ellenőrző E-Mail Újraküldése", + "Reset Password": "Jelszó helyreállítás", + "Role": "Szerep", + "Save": "Mentés", + "Saved.": "Megmentve.", + "Select A New Photo": "Válasszon Ki Egy Új Fényképet", + "Show Recovery Codes": "Helyreállítási Kódok Megjelenítése", + "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.": "Tárolja ezeket a helyreállítási kódokat egy biztonságos jelszókezelőben. Felhasználhatók a fiókhoz való hozzáférés helyreállítására, ha a kéttényezős hitelesítési eszköz elveszik.", + "Switch Teams": "Switch Csapatok", + "Team Details": "Csapat Adatai", + "Team Invitation": "Csapat Meghívó", + "Team Members": "A Csapat Tagjai", + "Team Name": "Csapat Neve", + "Team Owner": "Csapat Tulajdonosa", + "Team Settings": "Csapat Beállítások", + "Terms of Service": "Szolgáltatási feltételek", + "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.": "Köszönjük, hogy feliratkozott! Mielőtt elkezdené, tudná ellenőrizni az e-mail címét, ha rákattint a linkre, amelyet csak e-mailben küldtünk Önnek? Ha nem kapta meg az e-mailt, örömmel küldünk Önnek egy másikat.", + "The :attribute must be a valid role.": "A :attribute-nek érvényes szerepnek kell lennie.", + "The :attribute must be at least :length characters and contain at least one number.": "A :attribute karakternek legalább :length karakternek kell lennie, és legalább egy számot kell tartalmaznia.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "A :attribute karakternek legalább :length karakternek kell lennie, és legalább egy különleges karaktert és egy számot kell tartalmaznia.", + "The :attribute must be at least :length characters and contain at least one special character.": "A :attribute karakternek legalább :length karakternek kell lennie, és legalább egy különleges karaktert kell tartalmaznia.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "A :attribute karakternek legalább :length karakternek kell lennie, és legalább egy nagybetűs karaktert és egy számot kell tartalmaznia.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "A :attribute karakternek legalább :length karakternek kell lennie, és legalább egy nagybetűs és egy különleges karaktert kell tartalmaznia.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "A :attribute-nek legalább :length karakternek kell lennie, és legalább egy nagybetűs karaktert, egy számot és egy különleges karaktert kell tartalmaznia.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Az :attribute-asnak legalább :length karakternek kell lennie, és legalább egy nagybetűs karaktert kell tartalmaznia.", + "The :attribute must be at least :length characters.": "Az :attribute-nek legalább :length karakternek kell lennie.", + "The provided password does not match your current password.": "A megadott jelszó nem egyezik meg az aktuális jelszóval.", + "The provided password was incorrect.": "A megadott jelszó helytelen volt.", + "The provided two factor authentication code was invalid.": "A megadott kéttényezős hitelesítési kód érvénytelen volt.", + "The team's name and owner information.": "A csapat neve és a tulajdonos adatai.", + "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.": "Ezeket az embereket meghívták a csapatába, és meghívó e-mailt küldtek nekik. Az e-mail meghívás elfogadásával csatlakozhatnak a csapathoz.", + "This device": "Ez az eszköz", + "This is a secure area of the application. Please confirm your password before continuing.": "Ez az alkalmazás biztonságos területe. Kérjük, erősítse meg jelszavát, mielőtt folytatná.", + "This password does not match our records.": "Ez a jelszó nem egyezik a nyilvántartásunkkal.", + "This user already belongs to the team.": "Ez a felhasználó már a csapathoz tartozik.", + "This user has already been invited to the team.": "Ezt a felhasználót már meghívták a csapatba.", + "Token Name": "Token Név", + "Two Factor Authentication": "Két Tényezős Hitelesítés", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Két tényező hitelesítés most engedélyezve van. Szkennelje be a következő QR-kódot a telefon hitelesítő alkalmazásával.", + "Update Password": "Jelszó Frissítése", + "Update your account's profile information and email address.": "Frissítse fiókja profiladatait és e-mail címét.", + "Use a recovery code": "Helyreállítási kód használata", + "Use an authentication code": "Hitelesítési kód használata", + "We were unable to find a registered user with this email address.": "Nem találtunk regisztrált felhasználót ezzel az e-mail címmel.", + "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.": "Ha a kéttényezős hitelesítés engedélyezve van, a rendszer egy biztonságos, véletlenszerű tokent kér a hitelesítés során. Lehet letölteni ezt a tokent a telefon Google Hitelesítő alkalmazás.", + "Whoops! Something went wrong.": "Hoppá! Valami rosszul sült el.", + "You have been invited to join the :team team!": "Meghívtak, hogy csatlakozzon az :team csapathoz!", + "You have enabled two factor authentication.": "Két tényező hitelesítését engedélyezte.", + "You have not enabled two factor authentication.": "Nem engedélyezte a két tényező hitelesítését.", + "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.": "Törölheti a meglévő tokeneket, ha már nincs rájuk szükség.", + "You may not delete your personal team.": "Lehet, hogy nem törli a személyes csapat.", + "You may not leave a team that you created.": "Nem hagyhatsz el egy csapatot, amit létrehoztál." +} diff --git a/locales/hu/packages/nova.json b/locales/hu/packages/nova.json new file mode 100644 index 00000000000..c17f0ccd6e3 --- /dev/null +++ b/locales/hu/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 nap", + "60 Days": "60 nap", + "90 Days": "90 nap", + ":amount Total": ":amount összesen", + ":resource Details": ":resource Részletek", + ":resource Details: :title": ":resource Részletek: :title", + "Action": "Akció", + "Action Happened At": "Történt", + "Action Initiated By": "Által Kezdeményezett", + "Action Name": "Név", + "Action Status": "Állapot", + "Action Target": "Cél", + "Actions": "Intézkedések", + "Add row": "Sor hozzáadása", + "Afghanistan": "Afganisztán", + "Aland Islands": "Åland-Szigetek", + "Albania": "Albánia", + "Algeria": "Algéria", + "All resources loaded.": "Minden erőforrás betöltve.", + "American Samoa": "Amerikai Szamoa", + "An error occured while uploading the file.": "Hiba történt a fájl feltöltése közben.", + "Andorra": "Andorrán", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Egy másik felhasználó frissítette ezt az erőforrást az oldal betöltése óta. Kérjük, frissítse az oldalt, majd próbálja újra.", + "Antarctica": "Antarktisz", + "Antigua And Barbuda": "Antigua és Barbuda", + "April": "Április", + "Are you sure you want to delete the selected resources?": "Biztos benne, hogy törölni szeretné a kiválasztott erőforrásokat?", + "Are you sure you want to delete this file?": "Biztos, hogy törölni szeretné ezt a fájlt?", + "Are you sure you want to delete this resource?": "Biztos benne, hogy törölni szeretné ezt az erőforrást?", + "Are you sure you want to detach the selected resources?": "Biztos benne, hogy el akarja távolítani a kiválasztott erőforrásokat?", + "Are you sure you want to detach this resource?": "Biztos benne, hogy el akarja távolítani ezt az erőforrást?", + "Are you sure you want to force delete the selected resources?": "Biztos benne, hogy kényszeríteni akarja a kiválasztott erőforrások törlését?", + "Are you sure you want to force delete this resource?": "Biztos benne, hogy kényszeríteni akarja az erőforrás törlését?", + "Are you sure you want to restore the selected resources?": "Biztos benne, hogy vissza akarja állítani a kiválasztott erőforrásokat?", + "Are you sure you want to restore this resource?": "Biztos benne, hogy vissza akarja állítani ezt az erőforrást?", + "Are you sure you want to run this action?": "Biztos vagy benne, hogy le akarod futtatni ezt az akciót?", + "Argentina": "Argentína", + "Armenia": "Örményország", + "Aruba": "Aruba", + "Attach": "Csatolás", + "Attach & Attach Another": "Csatolás & Csatolás", + "Attach :resource": "Csatolás :resource", + "August": "Augusztus", + "Australia": "Ausztrália", + "Austria": "Ausztria", + "Azerbaijan": "Azerbajdzsán", + "Bahamas": "Bahama-szigetek", + "Bahrain": "Bahrein", + "Bangladesh": "Banglades", + "Barbados": "Barbados", + "Belarus": "Fehéroroszország", + "Belgium": "Belgium", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhután", + "Bolivia": "Bolívia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius és Sábado", + "Bosnia And Herzegovina": "Bosznia-Hercegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet-Sziget", + "Brazil": "Brazília", + "British Indian Ocean Territory": "Brit Indiai-Óceáni Terület", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgária", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodzsa", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel": "Mégsem", + "Cape Verde": "Zöld-Foki-Szigetek", + "Cayman Islands": "Kajmán-Szigetek", + "Central African Republic": "Közép-Afrikai Köztársaság", + "Chad": "Csád", + "Changes": "Változások", + "Chile": "Chile", + "China": "Kína", + "Choose": "Válasszon", + "Choose :field": "Válasszon :field", + "Choose :resource": "Válasszon :resource", + "Choose an option": "Válasszon egy lehetőséget", + "Choose date": "Dátum kiválasztása", + "Choose File": "Fájl Kiválasztása", + "Choose Type": "Válasszon Típust", + "Christmas Island": "Karácsony-Sziget", + "Click to choose": "Kattintson a választáshoz", + "Cocos (Keeling) Islands": "Cocos (Keeling) - Szigetek", + "Colombia": "Kolumbia", + "Comoros": "Comore-szigetek", + "Confirm Password": "Jelszó megerősítése", + "Congo": "Kongó", + "Congo, Democratic Republic": "Kongói Demokratikus Köztársaság", + "Constant": "Állandó", + "Cook Islands": "Szakács-Szigetek", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "nem találtam.", + "Create": "Létrehozás", + "Create & Add Another": "Létrehozás és Egy Másik Hozzáadása", + "Create :resource": "Létrehozása :resource", + "Croatia": "Horvátország", + "Cuba": "Kuba", + "Curaçao": "Curacao", + "Customize": "Testreszabás", + "Cyprus": "Ciprus", + "Czech Republic": "Csehország", + "Dashboard": "Műszerfal", + "December": "December", + "Decrease": "Csökkenés", + "Delete": "Törlés", + "Delete File": "Fájl Törlése", + "Delete Resource": "Forrás Törlése", + "Delete Selected": "Kijelölt Törlése", + "Denmark": "Dánia", + "Detach": "Leválasztás", + "Detach Resource": "Forrás Leválasztása", + "Detach Selected": "Kiválasztott Leválasztás", + "Details": "Részletek", + "Djibouti": "Dzsibuti", + "Do you really want to leave? You have unsaved changes.": "Tényleg el akarsz menni? Nem mentett változások vannak.", + "Dominica": "Vasárnap", + "Dominican Republic": "Dominikai Köztársaság", + "Download": "Letöltés", + "Ecuador": "Ecuador", + "Edit": "Szerkesztés", + "Edit :resource": ":resource Edit", + "Edit Attached": "Csatolt Szerkesztés", + "Egypt": "Egyiptom", + "El Salvador": "Salvador", + "Email Address": "E-Mail Cím", + "Equatorial Guinea": "Egyenlítői-Guinea", + "Eritrea": "Eritrea", + "Estonia": "Észtország", + "Ethiopia": "Etiópia", + "Falkland Islands (Malvinas)": "Falkland-Szigetek (Malvinas)", + "Faroe Islands": "Feröer-Szigetek", + "February": "Február", + "Fiji": "Fidzsi-szigetek", + "Finland": "Finnország", + "Force Delete": "Törlés Kényszerítése", + "Force Delete Resource": "Az Erőforrás Törlése", + "Force Delete Selected": "A Kijelölt Törlés Kényszerítése", + "Forgot Your Password?": "Elfelejtett jelszó?", + "Forgot your password?": "Elfelejtette a jelszavát?", + "France": "Franciaország", + "French Guiana": "Francia Guyana", + "French Polynesia": "Francia Polinézia", + "French Southern Territories": "Francia Déli Területek", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Grúzia", + "Germany": "Németország", + "Ghana": "Ghána", + "Gibraltar": "Gibraltár", + "Go Home": "Főoldalra", + "Greece": "Görögország", + "Greenland": "Grönland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Bissau-Guinea", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Heard-sziget és McDonald-szigetek", + "Hide Content": "Tartalom Elrejtése", + "Hold Up!": "Állj!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hongkong", + "Hungary": "Magyarország", + "Iceland": "Izland", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "Ha nem kezdeményzett jelszó helyreállítást, nincs további teendője.", + "Increase": "Növekedés", + "India": "India", + "Indonesia": "Indonézia", + "Iran, Islamic Republic Of": "Irán", + "Iraq": "Irak", + "Ireland": "Írország", + "Isle Of Man": "Man-sziget", + "Israel": "Izrael", + "Italy": "Olaszország", + "Jamaica": "Jamaica", + "January": "Január", + "Japan": "Japán", + "Jersey": "Mez", + "Jordan": "Jordánia", + "July": "Július", + "June": "Június", + "Kazakhstan": "Kazahsztán", + "Kenya": "Kenya", + "Key": "Kulcs", + "Kiribati": "Kiribati", + "Korea": "Dél-Korea", + "Korea, Democratic People's Republic of": "Észak-Korea", + "Kosovo": "Koszovó", + "Kuwait": "Kuvait", + "Kyrgyzstan": "Kirgizisztán", + "Lao People's Democratic Republic": "Laosz", + "Latvia": "Lettország", + "Lebanon": "Libanon", + "Lens": "Lencse", + "Lesotho": "Lesotho", + "Liberia": "Libéria", + "Libyan Arab Jamahiriya": "Líbia", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litvánia", + "Load :perPage More": "Betöltése :perpage több", + "Login": "Bejelentkezés", + "Logout": "Kijelentkezés", + "Luxembourg": "Luxemburg", + "Macao": "Makaó", + "Macedonia": "Észak-Macedónia", + "Madagascar": "Madagaszkár", + "Malawi": "Malawi", + "Malaysia": "Malajzia", + "Maldives": "Maldív-szigetek", + "Mali": "Kicsi", + "Malta": "Málta", + "March": "Március", + "Marshall Islands": "Marshall-Szigetek", + "Martinique": "Martinique", + "Mauritania": "Mauritánia", + "Mauritius": "Mauritius", + "May": "Május", + "Mayotte": "Mayotte", + "Mexico": "Mexikó", + "Micronesia, Federated States Of": "Mikronézia", + "Moldova": "Moldova", + "Monaco": "Monaco", + "Mongolia": "Mongólia", + "Montenegro": "Montenegró", + "Month To Date": "Hónap A Mai Napig", + "Montserrat": "Montserrat", + "Morocco": "Marokkó", + "Mozambique": "Mozambik", + "Myanmar": "Mianmar", + "Namibia": "Namíbia", + "Nauru": "Nauru", + "Nepal": "Nepál", + "Netherlands": "Hollandia", + "New": "Új", + "New :resource": "Új :resource", + "New Caledonia": "Új-Kaledónia", + "New Zealand": "Új-Zéland", + "Next": "Következő", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigéria", + "Niue": "Niue", + "No": "Nem", + "No :resource matched the given criteria.": "A :resource. szám megfelelt az adott kritériumoknak.", + "No additional information...": "Nincs további információ...", + "No Current Data": "Nincs Aktuális Adat", + "No Data": "Nincs Adat", + "no file selected": "nincs kijelölt fájl", + "No Increase": "Nincs Növekedés", + "No Prior Data": "Nincs Előzetes Adat", + "No Results Found.": "Nem Talált Eredményt.", + "Norfolk Island": "Norfolk-Sziget", + "Northern Mariana Islands": "Észak-Mariana-Szigetek", + "Norway": "Norvégia", + "Nova User": "Nova Felhasználó", + "November": "November", + "October": "Október", + "of": "a", + "Oman": "Omán", + "Only Trashed": "Csak Összetört", + "Original": "Eredeti", + "Pakistan": "Pakisztán", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palesztin Területek", + "Panama": "Panama", + "Papua New Guinea": "Pápua Új-Guinea", + "Paraguay": "Paraguay", + "Password": "Jelszó", + "Per Page": "Oldalanként", + "Peru": "Peru", + "Philippines": "Fülöp-szigetek", + "Pitcairn": "Pitcairn-Szigetek", + "Poland": "Lengyelország", + "Portugal": "Portugália", + "Press \/ to search": "Nyomja meg a \/ gombot a kereséshez", + "Preview": "Előnézet", + "Previous": "Előző", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Negyedév A Mai Napig", + "Reload": "Újratöltés", + "Remember Me": "Emlékezzen rám", + "Reset Filters": "Szűrők Visszaállítása", + "Reset Password": "Jelszó helyreállítás", + "Reset Password Notification": "Jelszó helyreállítás emlékeztető", + "resource": "forrás", + "Resources": "Források", + "resources": "források", + "Restore": "Visszaállítás", + "Restore Resource": "Erőforrás Visszaállítása", + "Restore Selected": "A Kijelölt Visszaállítás", + "Reunion": "Találkozó", + "Romania": "Románia", + "Run Action": "Művelet Futtatása", + "Russian Federation": "Orosz Föderáció", + "Rwanda": "Ruanda", + "Saint Barthelemy": "Szent Barthélemy", + "Saint Helena": "Szent Ilona", + "Saint Kitts And Nevis": "St. Kitts és Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin": "Szent Márton", + "Saint Pierre And Miquelon": "St. Pierre és Miquelon", + "Saint Vincent And Grenadines": "St. Vincent és Grenadines", + "Samoa": "Szamoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "São Tomé és Príncipe", + "Saudi Arabia": "Szaúd-Arábia", + "Search": "Keresés", + "Select Action": "Művelet Kiválasztása", + "Select All": "Összes Kijelölése", + "Select All Matching": "Válassza Ki Az Összes Megfelelőt", + "Send Password Reset Link": "Jelszó helyreállító hivatkozás küldése", + "Senegal": "Szenegál", + "September": "Szeptember", + "Serbia": "Szerbia", + "Seychelles": "Seychelle-szigetek", + "Show All Fields": "Összes Mező Megjelenítése", + "Show Content": "Tartalom Megjelenítése", + "Sierra Leone": "Sierra Leone", + "Singapore": "Szingapúr", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Szlovákia", + "Slovenia": "Szlovénia", + "Solomon Islands": "Salamon-Szigetek", + "Somalia": "Szomália", + "Something went wrong.": "Valami rosszul sült el.", + "Sorry! You are not authorized to perform this action.": "Bocsánat! Ön nem jogosult végrehajtani ezt a műveletet.", + "Sorry, your session has expired.": "Sajnálom, az ülés lejárt.", + "South Africa": "Dél-Afrika", + "South Georgia And Sandwich Isl.": "Dél-Grúzia és Dél-Sandwich-szigetek", + "South Sudan": "Dél-Szudán", + "Spain": "Spanyolország", + "Sri Lanka": "Srí Lanka", + "Start Polling": "Közvélemény-Kutatás Indítása", + "Stop Polling": "A Közvélemény-Kutatás Leállítása", + "Sudan": "Szudán", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard és Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Svédország", + "Switzerland": "Svájc", + "Syrian Arab Republic": "Szíria", + "Taiwan": "Tajvan", + "Tajikistan": "Tádzsikisztán", + "Tanzania": "Tanzánia", + "Thailand": "Thaiföld", + "The :resource was created!": "A :resource jött létre!", + "The :resource was deleted!": "Az :resource-at törölték!", + "The :resource was restored!": "A :resource helyreállt!", + "The :resource was updated!": "A :resource frissült!", + "The action ran successfully!": "Az akció sikeresen futott!", + "The file was deleted!": "A fájlt törölték!", + "The government won't let us show you what's behind these doors": "A kormány nem engedi, hogy megmutassuk, mi van az ajtók mögött.", + "The HasOne relationship has already been filled.": "A HasOne kapcsolat már kitöltött.", + "The resource was updated!": "Az erőforrás frissült!", + "There are no available options for this resource.": "Nincs elérhető lehetőség erre az erőforrásra.", + "There was a problem executing the action.": "Probléma volt az akció végrehajtásával.", + "There was a problem submitting the form.": "Probléma volt az űrlap benyújtásával.", + "This file field is read-only.": "Ez a fájl mező csak olvasható.", + "This image": "Ez a kép", + "This resource no longer exists": "Ez az erőforrás már nem létezik", + "Timor-Leste": "Timor-Leste", + "Today": "Ma", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Gyere", + "total": "összesen", + "Trashed": "Romba dőlt", + "Trinidad And Tobago": "Trinidad és Tobago", + "Tunisia": "Tunézia", + "Turkey": "Törökország", + "Turkmenistan": "Türkmenisztán", + "Turks And Caicos Islands": "Turks - és Caicos-szigetek", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukrajna", + "United Arab Emirates": "Egyesült Arab Emírségek", + "United Kingdom": "Egyesült Királyság", + "United States": "Egyesült Államok", + "United States Outlying Islands": "Amerikai külvilág-szigetek", + "Update": "Frissítés", + "Update & Continue Editing": "Frissítés & Szerkesztés Folytatása", + "Update :resource": "Frissítés :resource", + "Update :resource: :title": "Frissítés :resource: :title", + "Update attached :resource: :title": "Frissítés csatolt :resource: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Üzbegisztán", + "Value": "Érték", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Nézet", + "Virgin Islands, British": "Brit Virgin-Szigetek", + "Virgin Islands, U.S.": "Amerikai Virgin-szigetek", + "Wallis And Futuna": "Wallis és Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Eltévedtünk az űrben. A megtekinteni kívánt oldal nem létezik.", + "Welcome Back!": "Üdv Újra Itt!", + "Western Sahara": "Nyugat-Szahara", + "Whoops": "Hoppá", + "Whoops!": "Hoppá!", + "With Trashed": "A Szétzúzott", + "Write": "Írás", + "Year To Date": "Év A Mai Napig", + "Yemen": "Jemeni", + "Yes": "Igen", + "You are receiving this email because we received a password reset request for your account.": "Azért kapja ezt az üzenetet, mert a fiókjára jelszó helyreállítási kérés érkezett.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/hu/packages/spark-paddle.json b/locales/hu/packages/spark-paddle.json new file mode 100644 index 00000000000..2a9e3f63228 --- /dev/null +++ b/locales/hu/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Szolgáltatási feltételek", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Hoppá! Valami rosszul sült el.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/hu/packages/spark-stripe.json b/locales/hu/packages/spark-stripe.json new file mode 100644 index 00000000000..8d41a319205 --- /dev/null +++ b/locales/hu/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afganisztán", + "Albania": "Albánia", + "Algeria": "Algéria", + "American Samoa": "Amerikai Szamoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorrán", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarktisz", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentína", + "Armenia": "Örményország", + "Aruba": "Aruba", + "Australia": "Ausztrália", + "Austria": "Ausztria", + "Azerbaijan": "Azerbajdzsán", + "Bahamas": "Bahama-szigetek", + "Bahrain": "Bahrein", + "Bangladesh": "Banglades", + "Barbados": "Barbados", + "Belarus": "Fehéroroszország", + "Belgium": "Belgium", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhután", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet-Sziget", + "Brazil": "Brazília", + "British Indian Ocean Territory": "Brit Indiai-Óceáni Terület", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgária", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodzsa", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Zöld-Foki-Szigetek", + "Card": "Kártya", + "Cayman Islands": "Kajmán-Szigetek", + "Central African Republic": "Közép-Afrikai Köztársaság", + "Chad": "Csád", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Chile", + "China": "Kína", + "Christmas Island": "Karácsony-Sziget", + "City": "City", + "Cocos (Keeling) Islands": "Cocos (Keeling) - Szigetek", + "Colombia": "Kolumbia", + "Comoros": "Comore-szigetek", + "Confirm Payment": "Fizetés Megerősítése", + "Confirm your :amount payment": "Erősítse meg a :amount-as fizetést", + "Congo": "Kongó", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Szakács-Szigetek", + "Costa Rica": "Costa Rica", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Horvátország", + "Cuba": "Kuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Ciprus", + "Czech Republic": "Csehország", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Dánia", + "Djibouti": "Dzsibuti", + "Dominica": "Vasárnap", + "Dominican Republic": "Dominikai Köztársaság", + "Download Receipt": "Download Receipt", + "Ecuador": "Ecuador", + "Egypt": "Egyiptom", + "El Salvador": "Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Egyenlítői-Guinea", + "Eritrea": "Eritrea", + "Estonia": "Észtország", + "Ethiopia": "Etiópia", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "A fizetés feldolgozásához további megerősítésre van szükség. Kérjük, folytassa a Fizetési oldalt az alábbi gombra kattintva.", + "Falkland Islands (Malvinas)": "Falkland-Szigetek (Malvinas)", + "Faroe Islands": "Feröer-Szigetek", + "Fiji": "Fidzsi-szigetek", + "Finland": "Finnország", + "France": "Franciaország", + "French Guiana": "Francia Guyana", + "French Polynesia": "Francia Polinézia", + "French Southern Territories": "Francia Déli Területek", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Grúzia", + "Germany": "Németország", + "Ghana": "Ghána", + "Gibraltar": "Gibraltár", + "Greece": "Görögország", + "Greenland": "Grönland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Bissau-Guinea", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hongkong", + "Hungary": "Magyarország", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Izland", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "India", + "Indonesia": "Indonézia", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Irak", + "Ireland": "Írország", + "Isle of Man": "Isle of Man", + "Israel": "Izrael", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Olaszország", + "Jamaica": "Jamaica", + "Japan": "Japán", + "Jersey": "Mez", + "Jordan": "Jordánia", + "Kazakhstan": "Kazahsztán", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Észak-Korea", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuvait", + "Kyrgyzstan": "Kirgizisztán", + "Lao People's Democratic Republic": "Laosz", + "Latvia": "Lettország", + "Lebanon": "Libanon", + "Lesotho": "Lesotho", + "Liberia": "Libéria", + "Libyan Arab Jamahiriya": "Líbia", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litvánia", + "Luxembourg": "Luxemburg", + "Macao": "Makaó", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagaszkár", + "Malawi": "Malawi", + "Malaysia": "Malajzia", + "Maldives": "Maldív-szigetek", + "Mali": "Kicsi", + "Malta": "Málta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marshall-Szigetek", + "Martinique": "Martinique", + "Mauritania": "Mauritánia", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mexikó", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monaco", + "Mongolia": "Mongólia", + "Montenegro": "Montenegró", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Marokkó", + "Mozambique": "Mozambik", + "Myanmar": "Mianmar", + "Namibia": "Namíbia", + "Nauru": "Nauru", + "Nepal": "Nepál", + "Netherlands": "Hollandia", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Új-Kaledónia", + "New Zealand": "Új-Zéland", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigéria", + "Niue": "Niue", + "Norfolk Island": "Norfolk-Sziget", + "Northern Mariana Islands": "Észak-Mariana-Szigetek", + "Norway": "Norvégia", + "Oman": "Omán", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakisztán", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palesztin Területek", + "Panama": "Panama", + "Papua New Guinea": "Pápua Új-Guinea", + "Paraguay": "Paraguay", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Fülöp-szigetek", + "Pitcairn": "Pitcairn-Szigetek", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Lengyelország", + "Portugal": "Portugália", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Románia", + "Russian Federation": "Orosz Föderáció", + "Rwanda": "Ruanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Szent Ilona", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Szamoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Szaúd-Arábia", + "Save": "Mentés", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Szenegál", + "Serbia": "Szerbia", + "Seychelles": "Seychelle-szigetek", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Szingapúr", + "Slovakia": "Szlovákia", + "Slovenia": "Szlovénia", + "Solomon Islands": "Salamon-Szigetek", + "Somalia": "Szomália", + "South Africa": "Dél-Afrika", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Spanyolország", + "Sri Lanka": "Srí Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Szudán", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Svédország", + "Switzerland": "Svájc", + "Syrian Arab Republic": "Szíria", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tádzsikisztán", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Szolgáltatási feltételek", + "Thailand": "Thaiföld", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Gyere", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunézia", + "Turkey": "Törökország", + "Turkmenistan": "Türkmenisztán", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukrajna", + "United Arab Emirates": "Egyesült Arab Emírségek", + "United Kingdom": "Egyesült Királyság", + "United States": "Egyesült Államok", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Frissítés", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Üzbegisztán", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Brit Virgin-Szigetek", + "Virgin Islands, U.S.": "Amerikai Virgin-szigetek", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Nyugat-Szahara", + "Whoops! Something went wrong.": "Hoppá! Valami rosszul sült el.", + "Yearly": "Yearly", + "Yemen": "Jemeni", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/hy/hy.json b/locales/hy/hy.json index 4d1c196166e..ba664fc8681 100644 --- a/locales/hy/hy.json +++ b/locales/hy/hy.json @@ -1,710 +1,48 @@ { - "30 Days": "30 օր", - "60 Days": "60 օր", - "90 Days": "90 օր", - ":amount Total": "Ընդամենը :amount", - ":days day trial": ":days day trial", - ":resource Details": ":resource մանրամասն", - ":resource Details: :title": ":resource մանրամասն: :title", "A fresh verification link has been sent to your email address.": "Գաղտնաբառի վերականգնման հղումն ուղարկվել է ձեր Էլ-փոստի հասցեին։", - "A new verification link has been sent to the email address you provided during registration.": "Նոր ստուգման հղումը ուղարկվել է գրանցման ժամանակ ձեր կողմից նշված էլեկտրոնային փոստի հասցեին:", - "Accept Invitation": "Ընդունել Հրավերը", - "Action": "Գործողություն", - "Action Happened At": "Տեղի Է Ունեցել", - "Action Initiated By": "Նախաձեռնվել", - "Action Name": "Անունը", - "Action Status": "Կարգավիճակ", - "Action Target": "Նպատակը", - "Actions": "Գործողություններ", - "Add": "Ավելացնել", - "Add a new team member to your team, allowing them to collaborate with you.": "Ավելացրեք թիմի նոր անդամ, որպեսզի նա կարողանա համագործակցել ձեզ հետ:", - "Add additional security to your account using two factor authentication.": "Ավելացրեք լրացուցիչ անվտանգություն Ձեր հաշվին, օգտագործելով երկու գործոնով իսկությունը", - "Add row": "Ավելացնել տող", - "Add Team Member": "Ավելացնել Թիմի Անդամ", - "Add VAT Number": "Add VAT Number", - "Added.": "Ավելացված.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Ադմինիստրատոր", - "Administrator users can perform any action.": "Օգտատերեր-ադմինիստրատորները կարող են կատարել ցանկացած գործողություն:", - "Afghanistan": "Աֆղանստան", - "Aland Islands": "Ալանդյան կղզիներ", - "Albania": "Ալբանիա", - "Algeria": "Ալժիրի ժողովրդավարական դեմոկրատական հանրապետություն", - "All of the people that are part of this team.": "Բոլոր մարդիկ, ովքեր մաս են կազմում այս թիմում.", - "All resources loaded.": "Բոլոր ռեսուրսները բեռնված են։", - "All rights reserved.": "Բոլոր իրավունքները պաշտպանված են։", - "Already registered?": "Արդեն գրանցվա՞ծ եք։", - "American Samoa": "Ամերիկյան Սամոա", - "An error occured while uploading the file.": "Ֆայլը բեռնելիս սխալ է տեղի ունեցել:", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Հունաստան", - "Angola": "Անգոլա", - "Anguilla": "Անգիլիա", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Մեկ այլ օգտատեր թարմացրել է այս ռեսուրսը այս էջը բեռնելու ընտացքում։ Խնդրում ենք թարմացնել էջը եւ կրկին փորձել։", - "Antarctica": "Անտարկտիկա", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Անտիգուա եւ Բարբուդա", - "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 տառերը թույլ են տալիս երրորդ կողմի ծառայությունները Ձեր անունից վավերացնել մեր հավելվածում:", - "April": "Ապրիլ", - "Are you sure you want to delete the selected resources?": "Վստահ եք, որ ցանկանում եք ջնջել ընտրված ռեսուրսները:", - "Are you sure you want to delete this file?": "Վստահ եք, որ ցանկանում եք ջնջել այս ֆայլը?", - "Are you sure you want to delete this resource?": "Վստահ եք, որ ցանկանում եք հեռացնել այս ռեսուրսը:", - "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 detach the selected resources?": "Վստահ եք, որ ցանկանում եք անջատել ընտրված ռեսուրսները:", - "Are you sure you want to detach this resource?": "Վստահ եք, որ ցանկանում եք անջատել այդ ռեսուրսը։", - "Are you sure you want to force delete the selected resources?": "Վստահ եք, որ ցանկանում եք հարկադրաբար հեռացնել ընտրված ռեսուրսները։", - "Are you sure you want to force delete this resource?": "Դուք վստահ եք, որ ցանկանում եք հարկադրաբար հեռացնել այդ ռեսուրսը։", - "Are you sure you want to restore the selected resources?": "Վստահ եք, որ ցանկանում եք վերականգնել ընտրված ռեսուրսները:", - "Are you sure you want to restore this resource?": "Վստահ եք, որ ցանկանում եք վերականգնել այդ ռեսուրսը։", - "Are you sure you want to run this action?": "Վստահ եք, որ ցանկանում եք գործարկել այս գործողությունը:", - "Are you sure you would like to delete this API token?": "Համոզված եք, որ ցանկանում եք ջնջել այս API նշանը:", - "Are you sure you would like to leave this team?": "Վստահ եք, որ կցանկանայիք հեռանալ այդ թիմից:", - "Are you sure you would like to remove this person from the team?": "Վստահ եք, որ ցանկանում եք հեռացնել այս մարդուն թիմից:", - "Argentina": "Արգենտինա", - "Armenia": "Հայաստան", - "Aruba": "Արուբա", - "Attach": "Կցել", - "Attach & Attach Another": "Կցել եւ կցել եւս մեկը", - "Attach :resource": "Կցել :resource", - "August": "Օգոստոս", - "Australia": "Ավստրալիա", - "Austria": "Ավստրիա", - "Azerbaijan": "Ադրբեջան", - "Bahamas": "Բահամներ", - "Bahrain": "Բահրեյն", - "Bangladesh": "Բանգլադեշ", - "Barbados": "Բարբադոս", "Before proceeding, please check your email for a verification link.": "Շարունակելուց առաջ խնդրում ենք վերականգնման հղումը ստուգել ձեր Էլ․ փոստում", - "Belarus": "Բելառուս", - "Belgium": "Բելգիա", - "Belize": "Բելիզ", - "Benin": "Բենին", - "Bermuda": "Բերմուդյան կղզիներ", - "Bhutan": "Բուտան", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Բոլիվիա", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sabbath", - "Bosnia And Herzegovina": "Բոսնիա եւ Հերցեգովինա", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Բոթսվանա", - "Bouvet Island": "Բուվե Կղզի", - "Brazil": "Բրազիլիա", - "British Indian Ocean Territory": "Բրիտանական Տարածք Հնդկական օվկիանոսում", - "Browser Sessions": "Զննարկիչի նիստերը", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Բուլղարիա", - "Burkina Faso": "Բուրկինա Ֆասո", - "Burundi": "Բուրունդի", - "Cambodia": "Կամբոջա", - "Cameroon": "Կամերուն", - "Canada": "Կանադա", - "Cancel": "Չեղարկել", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Կաբո Վերդե", - "Card": "Քարտեզ", - "Cayman Islands": "Կայման կղզիներ", - "Central African Republic": "Կենտրոնական Աֆրիկյան Հանրապետություն", - "Chad": "Չադ", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Փոփոխություններ", - "Chile": "Չիլի", - "China": "Չինաստան", - "Choose": "Ընտրել", - "Choose :field": "Ընտրեք :field", - "Choose :resource": "Ընտրեք :resource", - "Choose an option": "Ընտրեք տարբերակը", - "Choose date": "Ընտրեք ամսաթիվը", - "Choose File": "Ընտրեք Ֆայլը", - "Choose Type": "Ընտրեք Տեսակը", - "Christmas Island": "Սուրբ Ծննդյան Կղզի", - "City": "City", "click here to request another": "Սեղմեք այստեղ ևս մեկ անգամ հայց ուղարկելու համար", - "Click to choose": "Սեղմեք Ընտրել", - "Close": "Փակել", - "Cocos (Keeling) Islands": "Կոկոս (Կիլինգ) Կղզիներ", - "Code": "Կոդ", - "Colombia": "Կոլումբիա", - "Comoros": "Կոմորոս", - "Confirm": "Հաստատել", - "Confirm Password": "Հաստատել գաղտնաբառը", - "Confirm Payment": "Հաստատեք Վճարումը", - "Confirm your :amount payment": "Հաստատեք ձեր վճարումը :amount", - "Congo": "Կոնգո", - "Congo, Democratic Republic": "Կոնգո, Դեմոկրատական Հանրապետություն", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Մշտական", - "Cook Islands": "Կուկի Կղզիներ", - "Costa Rica": "Կոստա Ռիկա", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "© 2005-2017 ԱՄԻ \"Նովոստի-Արմենիա\" ։ ", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Ստեղծել", - "Create & Add Another": "Ստեղծել եւ ավելացնել եւս մեկը", - "Create :resource": "Ստեղծել :resource", - "Create a new team to collaborate with others on projects.": "Ստեղծեք նոր թիմ, համատեղ աշխատելու նախագծերի վրա:", - "Create Account": "ստեղծել հաշիվ", - "Create API Token": "Ստեղծելով API նշան", - "Create New Team": "Ստեղծել Նոր Թիմ", - "Create Team": "Ստեղծել թիմ", - "Created.": "Ստեղծված.", - "Croatia": "Խորվաթիա", - "Cuba": "Կուբա", - "Curaçao": "Կյուրասաո", - "Current Password": "ընթացիկ գաղտնաբառ", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Հարմարեցնել", - "Cyprus": "Կիպրոս", - "Czech Republic": "Չեխիա", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Վահան", - "December": "Դեկտեմբեր", - "Decrease": "Կրճատել", - "Delete": "Ջնջել", - "Delete Account": "Ջնջել հաշիվը", - "Delete API Token": "Հեռացնել API Մարկեր", - "Delete File": "Ջնջել ֆայլը", - "Delete Resource": "Հեռացնել ռեսուրսը", - "Delete Selected": "Ջնջել Ընտրված", - "Delete Team": "Հեռացնել հրամանը", - "Denmark": "Դանիա", - "Detach": "Անջատել", - "Detach Resource": "Անջատել ռեսուրսը", - "Detach Selected": "Անջատել Ընտրված", - "Details": "Մանրամասները", - "Disable": "Անջատեք", - "Djibouti": "Ջիբութի", - "Do you really want to leave? You have unsaved changes.": "Դուք իսկապես ուզում եք հեռանալ. Դուք ունեք չպահված փոփոխություններ.", - "Dominica": "Կիրակի", - "Dominican Republic": "Դոմինիկյան Հանրապետություն", - "Done.": "Պատրաստված.", - "Download": "Բեռնել", - "Download Receipt": "Download Receipt", "E-Mail Address": "Էլ-փոստի հասցե", - "Ecuador": "Էկվադոր", - "Edit": "Խմբագրել", - "Edit :resource": "Խմբագրում :resource", - "Edit Attached": "Խմբագրումը Կցվում Է", - "Editor": "Խմբագիր", - "Editor users have the ability to read, create, and update.": "Խմբագրի օգտվողները հնարավորություն ունեն կարդալ, ստեղծել եւ թարմացնել.", - "Egypt": "Եգիպտոս", - "El Salvador": "Փրկիչ", - "Email": "Էլեկտրոնային փոստ", - "Email Address": "էլեկտրոնային փոստի հասցե", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Հղում վերականգնել էլփոստի գաղտնաբառը", - "Enable": "Միացնել", - "Ensure your account is using a long, random password to stay secure.": "Համոզվեք, որ ձեր հաշիվը օգտագործում է երկար պատահական գաղտնաբառը մնալ անվտանգ.", - "Equatorial Guinea": "Հասարակածային Գվինեա", - "Eritrea": "Էրիթրեա", - "Estonia": "Էստոնիա", - "Ethiopia": "Եթովպիա", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Ձեր վճարումը մշակելու համար պահանջվում է լրացուցիչ հաստատում: Խնդրում ենք հաստատել ձեր վճարումը լրացնելով վճարման մանրամասները ստորեւ.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Ձեր վճարումը մշակելու համար պահանջվում է լրացուցիչ հաստատում: Խնդրում ենք գնալ վճարման էջ, սեղմելով ստորեւ կոճակը:", - "Falkland Islands (Malvinas)": "Ֆոլկլենդյան կղզիներ (Մալվինյան))", - "Faroe Islands": "Ֆարերյան կղզիներ", - "February": "Փետրվար", - "Fiji": "Ֆիջի", - "Finland": "Ֆինլանդիա", - "For your security, please confirm your password to continue.": "Ձեր անվտանգության համար, խնդրում ենք հաստատել ձեր գաղտնաբառը շարունակելու համար:", "Forbidden": "Արգելված է", - "Force Delete": "Հարկադիր հեռացում", - "Force Delete Resource": "Հարկադիր վերացումը ռեսուրսի", - "Force Delete Selected": "Հարկադիր Հեռացումը Ընտրված", - "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.": "Մոռացել եք ձեր գաղտնաբառը: Առանց խնդիրների. Պարզապես մեզ Ձեր էլփոստի հասցեն, եւ մենք կուղարկենք Ձեզ հղումը վերականգնել գաղտնաբառը, որը թույլ է տալիս Ձեզ ընտրել նորը.", - "France": "Ֆրանսիա", - "French Guiana": "Ֆրանսիական Գվիանա", - "French Polynesia": "Ֆրանսիական Պոլինեզիա", - "French Southern Territories": "Ֆրանսիական Հարավային Տարածքներ", - "Full name": "Լրիվ անունը", - "Gabon": "Գաբոն", - "Gambia": "Գամբիա", - "Georgia": "Վրաստան", - "Germany": "Գերմանիա", - "Ghana": "Գանա", - "Gibraltar": "Ջիբրալթար", - "Go back": "Վերադառնալ", - "Go Home": "Գլխավոր էջ", "Go to page :page": "Գնալ դեպի :page էջ", - "Great! You have accepted the invitation to join the :team team.": "Գերազանց! Դուք ընդունեցիք :team-ի թիմին միանալու հրավերը:", - "Greece": "Հունաստան", - "Greenland": "Գրենլանդիա", - "Grenada": "Գրենադա", - "Guadeloupe": "Գվադելուպա", - "Guam": "Գուամ", - "Guatemala": "Գվատեմալա", - "Guernsey": "Գերնսի", - "Guinea": "Գվինեա", - "Guinea-Bissau": "Գվինեա-Բիսաու", - "Guyana": "Գայանա", - "Haiti": "Հաիթի", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Հերդ Եւ Մակդոնալդ կղզիներ", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Ողջու՜յն", - "Hide Content": "Թաքցնել բովանդակությունը", - "Hold Up!": "- Սպասիր:", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Հոնդուրաս", - "Hong Kong": "Հոնկոնգ", - "Hungary": "Հունգարիա", - "I agree to the :terms_of_service and :privacy_policy": "Ես համաձայն եմ :terms_of_service եւ :privacy_policy", - "Iceland": "Իսլանդիա", - "ID": "ID", - "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 logout 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 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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Եթե ունեք խնդիրներ, սեղմելով \":actionText\" կոճակը, պատճենեք եւ տեղադրեք URL-ը ստորեւ\nՁեր վեբ բրաուզերի:", - "Increase": "Աճ", - "India": "Հնդկաստան", - "Indonesia": "Ինդոնեզիա", "Invalid signature.": "Անվավեր ստորագրություն", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Իրան", - "Iraq": "Իրաք", - "Ireland": "Իռլանդիա", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Մեն Կղզի", - "Israel": "Իսրայել", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Իտալիա", - "Jamaica": "Ջամայկա", - "January": "Հունվար", - "Japan": "Ճապոնիա", - "Jersey": "Ջերսի", - "Jordan": "Հորդանան", - "July": "Հուլիս", - "June": "Հունիս", - "Kazakhstan": "Ղազախստան", - "Kenya": "Քենիա", - "Key": "Բանալին", - "Kiribati": "Կիրիբատի", - "Korea": "Հարավային Կորեա", - "Korea, Democratic People's Republic of": "Հյուսիսային Կորեա", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Կոսովոն", - "Kuwait": "Քուվեյթ", - "Kyrgyzstan": "Ղրղզստան", - "Lao People's Democratic Republic": "Լաոս", - "Last active": "Վերջին ակտիվ", - "Last used": "Վերջին անգամ օգտագործվել է", - "Latvia": "Լատվիա", - "Leave": "Հեռանալ", - "Leave Team": "Հեռանալ թիմից", - "Lebanon": "Լիբանան", - "Lens": "Տեսապակի", - "Lesotho": "Լեսոտո", - "Liberia": "Լիբերիա", - "Libyan Arab Jamahiriya": "Լիբիա", - "Liechtenstein": "Լիխտենշտեյն", - "Lithuania": "Լիտվա", - "Load :perPage More": "Ներբեռնեք :per Էջ Ավելին", - "Log in": "Մուտք գործել", "Log out": "Դուրս գալ համակարգից", - "Log Out": "դուրս գալ համակարգից", - "Log Out Other Browser Sessions": "Դուրս Այլ Զննարկիչի Նիստերին", - "Login": "Մուտք", - "Logout": "Դուրս գալ", "Logout Other Browser Sessions": "Ելք Այլ Բրաուզերի Նիստերին", - "Luxembourg": "Luxembourg", - "Macao": "Մակաո", - "Macedonia": "Հյուսիսային Մակեդոնիա", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Մադագասկար", - "Malawi": "Մալավի", - "Malaysia": "Մալայզիա", - "Maldives": "Մալդիվներ", - "Mali": "Փոքր", - "Malta": "Մալթա", - "Manage Account": "Հաշվի Կառավարում", - "Manage and log out your active sessions on other browsers and devices.": "Կառավարեք ակտիվ նիստերը եւ դուրս գալ նրանցից այլ բրաուզերների եւ սարքերի.", "Manage and logout your active sessions on other browsers and devices.": "Կառավարեք ակտիվ նիստերը եւ դուրս գալ նրանցից այլ բրաուզերների եւ սարքերի.", - "Manage API Tokens": "API տառերի կառավարում", - "Manage Role": "Դեր կառավարում", - "Manage Team": "Թիմի կառավարում", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Մարտ", - "Marshall Islands": "Մարշալյան կղզիներ", - "Martinique": "Մարտինիկ", - "Mauritania": "Մավրիտանիա", - "Mauritius": "Մավրիկիոս", - "May": "Մայիս", - "Mayotte": "Մայոտ", - "Mexico": "Մեքսիկա", - "Micronesia, Federated States Of": "Միկրոնեզիա", - "Moldova": "Մոլդովա", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Մոնակո", - "Mongolia": "Մոնղոլիա", - "Montenegro": "Մոնտենեգրո", - "Month To Date": "Ամիս Մինչ Օրս", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Մոնտսերրատ", - "Morocco": "Մարոկկո", - "Mozambique": "Մոզամբիկ", - "Myanmar": "Մյանմար", - "Name": "Անուն", - "Namibia": "Նամիբիա", - "Nauru": "Նաուրու", - "Nepal": "Նեպալ", - "Netherlands": "Հոլանդիա", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Մի վերցրեք գլուխը", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Նոր", - "New :resource": "Նոր :resource", - "New Caledonia": "Նոր Կալեդոնիա", - "New Password": "Նոր գաղտնաբառ", - "New Zealand": "Նոր Զելանդիա", - "Next": "Հաջորդ", - "Nicaragua": "Նիկարագուա", - "Niger": "Նիգեր", - "Nigeria": "Նիգերիա", - "Niue": "Նիուե", - "No": "Ոչ", - "No :resource matched the given criteria.": "Ոչ մի թիվ :resource չի համապատասխանել սահմանված չափանիշներին.", - "No additional information...": "Ոչ մի լրացուցիչ տեղեկություններ...", - "No Current Data": "Ընթացիկ Տվյալներ Չկան", - "No Data": "Տվյալներ Չկան", - "no file selected": "ֆայլը չի ընտրված", - "No Increase": "Ոչ Ավելացում", - "No Prior Data": "Ոչ Նախնական Տվյալներ", - "No Results Found.": "Ոչ Մի Արդյունք Չի Գտնվել։", - "Norfolk Island": "Նորֆոլկ Կղզի", - "Northern Mariana Islands": "Հյուսիսային Մարիանա կղզիներ", - "Norway": "Նորվեգիա", "Not Found": "Չի գտնվել", - "Nova User": "Նովա Օգտվող", - "November": "Նոյեմբեր", - "October": "Հոկտեմբեր", - "of": "- ից", "Oh no": "Օ՜ ոչ", - "Oman": "Օման", - "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 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 Trashed": "Միայն Ջախջախեցին", - "Original": "Բնօրինակը", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Էջը ժամկետանց է", "Pagination Navigation": "Էջ նավարկություն", - "Pakistan": "Պակիստան", - "Palau": "Պալաու", - "Palestinian Territory, Occupied": "Պաղեստինյան տարածքներ", - "Panama": "Պանամա", - "Papua New Guinea": "Պապուա Նոր Գվինեա", - "Paraguay": "Պարագվայ", - "Password": "Գաղտնաբառ", - "Pay :amount": "Վճարում :amount", - "Payment Cancelled": "Վճարումը Չեղյալ Է Հայտարարվել", - "Payment Confirmation": "Վճարման հաստատում", - "Payment Information": "Payment Information", - "Payment Successful": "Վճարումը Հաջող Է Անցել", - "Pending Team Invitations": "Սպասում Թիմի Հրավերներ", - "Per Page": "Էջ", - "Permanently delete this team.": "Մշտապես հեռացրեք այս հրամանը:", - "Permanently delete your account.": "Մշտապես հեռացրեք ձեր հաշիվը:", - "Permissions": "Թույլտվությունները", - "Peru": "Պերու", - "Philippines": "Ֆիլիպիններ", - "Photo": "Լուսանկարը ' Մեդիամաքս", - "Pitcairn": "Pitcairn Islands", "Please click the button below to verify your email address.": "Խնդրում ենք սեղմել ներքևի կոճակին՝ ձեր Էլ-փոստի հասցեն հաստատելու համար։", - "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 your password before continuing.": "Նախքան շարունակելը խնդրում ենք հաստատել ձեր գաղտնաբառը։", - "Please copy your new API token. For your security, it won't be shown again.": "Խնդրում ենք պատճենել Ձեր նոր API նշան. Ձեր անվտանգության համար այն այլեւս չի ցուցադրվի:", - "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 logout of your other browser sessions across all of your devices.": "Խնդրում ենք մուտքագրել Ձեր գաղտնաբառը հաստատելու համար, որ ցանկանում եք դուրս գալ ձեր բոլոր սարքերի այլ զննարկիչի նիստերից:", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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. The email address must be associated with an existing account.": "Խնդրում ենք նշել այն անձի էլեկտրոնային փոստի հասցեն, որը ցանկանում եք ավելացնել այս հրամանը: Փոստի հասցեն պետք է կապված լինի գոյություն ունեցող հաշվի.", - "Please provide your name.": "Խնդրում ենք զանգահարել ձեր անունը.", - "Poland": "Լեհաստան", - "Portugal": "Պորտուգալիա", - "Press \/ to search": "Սեղմեք \/ որոնել", - "Preview": "Նախադիտում", - "Previous": "Նախորդ", - "Privacy Policy": "Գաղտնիության քաղաքականություն", - "Profile": "Անձնագիր", - "Profile Information": "Պրոֆիլի մասին տեղեկություններ", - "Puerto Rico": "Պուերտո Ռիկո", - "Qatar": "Qatar", - "Quarter To Date": "Եռամսյակ Մինչեւ Օրս", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Վերականգնման կոդը", "Regards": "Հարգանքներով", - "Regenerate Recovery Codes": "Վերականգնում վերականգնման կոդերը", - "Register": "Գրանցվել", - "Reload": "Վերագործարկեք", - "Remember me": "Հիշիր ինձ", - "Remember Me": "Հիշել ինձ", - "Remove": "Հեռացնել", - "Remove Photo": "Ջնջել Լուսանկարը", - "Remove Team Member": "Հեռացնել Թիմի Անդամին", - "Resend Verification Email": "Ստուգման Նամակի Վերահասցեավորում", - "Reset Filters": "Ֆիլտրերի վերականգնում", - "Reset Password": "Վերականգնել գաղտնաբառը", - "Reset Password Notification": "Գաղտնաբառի վերականգնման ծանուցում", - "resource": "ռեսուրս", - "Resources": "Ռեսուրսներ", - "resources": "ռեսուրսներ", - "Restore": "Վերականգնել", - "Restore Resource": "Ռեսուրսների վերականգնում", - "Restore Selected": "Վերականգնել Ընտրված", "results": "արդյունքները", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Ռեյունիոն", - "Role": "Դերը", - "Romania": "Ռումինիա", - "Run Action": "Կատարել գործողություն", - "Russian Federation": "Ռուսաստանի Դաշնություն", - "Rwanda": "Ռուանդա", - "Réunion": "Réunion", - "Saint Barthelemy": "Սուրբ Բարդուղիմեոս", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Սուրբ Հելենա Կղզի", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "Սենտ Կիտս և Նևիս", - "Saint Lucia": "Սենթ Լուչիա", - "Saint Martin": "Սուրբ Մարտին", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "Սեն Պիեռ եւ Միկելոն", - "Saint Vincent And Grenadines": "Սենտ Վինսենթ եւ Գրենադիններ", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Սամոա", - "San Marino": "Սան Մարինո", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "Սան Տոմե եւ Պրինսիպի", - "Saudi Arabia": "Սաուդյան Արաբիա", - "Save": "Պահպանել", - "Saved.": "Պահպանված.", - "Search": "\"ՍԻՍ\" ՍՊԸ", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Ընտրեք Նոր Լուսանկար", - "Select Action": "Ընտրեք Գործողություն", - "Select All": "Ընտրել բոլորը", - "Select All Matching": "Ընտրեք Բոլոր Հանդիպումները", - "Send Password Reset Link": "Ուղարկել գաղտնաբառի վերականգնման հղում", - "Senegal": "Սենեգալ", - "September": "Սեպտեմբեր", - "Serbia": "Սերբիա", "Server Error": "Սերվերի սխալ", "Service Unavailable": "Ծառայությունն անհասանելի է", - "Seychelles": "Սեյշելյան կղզիներ", - "Show All Fields": "Ցույց Տալ Բոլոր Դաշտերը", - "Show Content": "Ցուցադրել բովանդակությունը", - "Show Recovery Codes": "Ցույց Տալ Վերականգնման Կոդերը", "Showing": "Ցուցադրում", - "Sierra Leone": "Սիերա Լեոնե", - "Signed in as": "Signed in as", - "Singapore": "Սինգապուր", - "Sint Maarten (Dutch part)": "Սինտ Մարտեն", - "Slovakia": "Սլովակիա", - "Slovenia": "Սլովենիա", - "Solomon Islands": "Սողոմոնյան կղզիներ", - "Somalia": "Սոմալի", - "Something went wrong.": "Ինչ-որ բան սխալ է գնացել.", - "Sorry! You are not authorized to perform this action.": "Ներիր! Դուք չեք լիազորված է կատարել այս գործողությունը.", - "Sorry, your session has expired.": "Կներեք, ձեր նիստը լրացել է ։ ", - "South Africa": "Հարավային Աֆրիկա", - "South Georgia And Sandwich Isl.": "Հարավային Ջորջիա եւ Հարավային Սենդվիչյան կղզիներ", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Հարավային Սուդան", - "Spain": "Իսպանիա", - "Sri Lanka": "Շրի Լանկա", - "Start Polling": "Սկսել հետազոտություն", - "State \/ County": "State \/ County", - "Stop Polling": "Դադարեցնել հարցումը", - "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.": "Պահպանեք այդ վերականգնման կոդերը Անվտանգ Գաղտնաբառ մենեջեր. Նրանք կարող են օգտագործվել վերականգնել մուտք գործել Ձեր հաշիվը, եթե Ձեր սարքը երկու գործոն իսկությունը կորել.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Սուդան", - "Suriname": "Սուրինամ", - "Svalbard And Jan Mayen": "Շպիցբերգեն եւ Յան Մայեն", - "Swaziland": "Eswatini", - "Sweden": "Շվեդիա", - "Switch Teams": "Հրամանների անջատում", - "Switzerland": "Շվեյցարիա", - "Syrian Arab Republic": "Սիրիա", - "Taiwan": "Թայվան", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Տաջիկստան", - "Tanzania": "Տանզանիա", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Թիմի մանրամասները", - "Team Invitation": "Հրավեր թիմից", - "Team Members": "Թիմի անդամներ", - "Team Name": "Թիմի անունը", - "Team Owner": "Թիմի սեփականատեր", - "Team Settings": "Հրամանի կարգավորումները", - "Terms of Service": "սպասարկման պայմաններ", - "Thailand": "Թաիլանդ", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute պետք է լինի վավեր դեր.", - "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 and 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 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 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.": ":attribute պետք է պարունակի առնվազն :length նիշ.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource ստեղծվել է!", - "The :resource was deleted!": ":resource ջնջվել!", - "The :resource was restored!": ":resource-ը վերականգնվել է:", - "The :resource was updated!": ":resource Թարմացվել է!", - "The action ran successfully!": "Ակցիան հաջող է անցել։", - "The file was deleted!": "Ֆայլը ջնջվել է:", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Կառավարությունը մեզ թույլ չի տա ձեզ ցույց տալ, թե ինչ է այդ դռների հետեւում", - "The HasOne relationship has already been filled.": "HasOne հարաբերությունները արդեն լցված.", - "The payment was successful.": "Վճարումը հաջող է անցել։", - "The provided coupon code is invalid.": "The provided coupon code is 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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Ռեսուրսը Թարմացվել է!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Թիմի անունը եւ սեփականատիրոջ մասին տեղեկատվությունը:", - "There are no available options for this resource.": "Համար, Այս ռեսուրսի չկան տարբերակներ մատչելի.", - "There was a problem executing the action.": "Խնդիր է առաջացել գործողության կատարման հետ ։ ", - "There was a problem submitting the form.": "Խնդիր է առաջացել ձևի մատուցման հետ։", - "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.": "Այդ մարդիկ հրավիրվել են ձեր թիմի եւ ստացել է էլեկտրոնային փոստով հրավերը. Նրանք կարող են միանալ թիմին ընդունելով հրավերը փոստով.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Այս գործողությունը չի թույլատրվում։", - "This device": "Այս սարքը", - "This file field is read-only.": "Այս ֆայլի դաշտը հասանելի է միայն կարդալու համար:", - "This image": "Այս պատկերը", - "This is a secure area of the application. Please confirm your password before continuing.": "Սա անվտանգ դիմումը տարածքը. Խնդրում ենք հաստատել ձեր գաղտնաբառը, նախքան դուք շարունակեք:", - "This password does not match our records.": "Այս գաղտնաբառը չի համապատասխանում մեր գրառումների.", "This password reset link will expire in :count minutes.": "Այս գաղտնաբառի վերականգնման հղման ժամկետը կավարտվի :count րոպեից։", - "This payment was already successfully confirmed.": "Այս վճարումը արդեն հաջողությամբ հաստատվել.", - "This payment was cancelled.": "Այս վճարումը չեղյալ է հայտարարվել.", - "This resource no longer exists": "Այս ռեսուրսը այլեւս գոյություն չունի", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Այս օգտվողը արդեն պատկանում է թիմին.", - "This user has already been invited to the team.": "Այս օգտագործողը արդեն հրավիրվել է թիմի.", - "Timor-Leste": "Թիմոր-Լեստե", "to": "դեպի", - "Today": "Այսօր", "Toggle navigation": "Անցնել նավարկմանը", - "Togo": "Տոգո", - "Tokelau": "Տոկելաու", - "Token Name": "Անունը նշան", - "Tonga": "Եկեք", "Too Many Attempts.": "Չափազանց շատ փորձեր։", "Too Many Requests": "Չափազանց շատ հայցումներ", - "total": "ամբողջ", - "Total:": "Total:", - "Trashed": "Ջախջախված", - "Trinidad And Tobago": "Տրինիդադ եւ Տոբագո", - "Tunisia": "Թունիս", - "Turkey": "Թուրքիա", - "Turkmenistan": "Թուրքմենստան", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Թյորքս եւ Կայկոս կղզիներ", - "Tuvalu": "Տուվալուն", - "Two Factor Authentication": "Երկու գործոն իսկությունը", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Այժմ երկու գործոն աուտենտիֆիկացիան միացված է ։ Ստուգեք Ձեր հեռախոսի authenticator հավելվածի միջոցով հետեւյալ QR կոդը:", - "Uganda": "Ուգանդա", - "Ukraine": "Ուկրաինա", "Unauthorized": "Չթույլատրված", - "United Arab Emirates": "Միացյալ Արաբական Էմիրություններ", - "United Kingdom": "Միացյալ Թագավորություն", - "United States": "Միացյալ Նահանգներ", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "ԱՄՆ հեռավոր կղզիներ", - "Update": "Թարմացնել", - "Update & Continue Editing": "Թարմացնել եւ շարունակել խմբագրել", - "Update :resource": "Թարմացնել :resource", - "Update :resource: :title": "Թարմացնել :resource: :title", - "Update attached :resource: :title": "Թարմացումը կցվում է :resource: :title", - "Update Password": "Թարմացնել գաղտնաբառը", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Թարմացրեք Ձեր հաշվի պրոֆիլի տեղեկությունները եւ էլեկտրոնային փոստի հասցեն:", - "Uruguay": "Ուրուգվայ", - "Use a recovery code": "Օգտագործեք վերականգնման կոդը", - "Use an authentication code": "Օգտագործեք վավերացման կոդը", - "Uzbekistan": "Ուզբեկստան", - "Value": "Արժեք", - "Vanuatu": "Վանուատու", - "VAT Number": "VAT Number", - "Venezuela": "Վենեսուելա", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Հաստատել Էլ-փոստի հասցեն", "Verify Your Email Address": "Հաստատել Էլ-փոստի հասցեն", - "Viet Nam": "Vietnam", - "View": "Դիտել", - "Virgin Islands, British": "Բրիտանական Վիրջինյան կղզիներ", - "Virgin Islands, U.S.": "ԱՄՆ Վիրջինյան կղզիներ", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Ուոլիս և Ֆուտունա", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Մենք չկարողացանք գտնել գրանցված օգտվողին այս էլեկտրոնային փոստի հասցեն.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Մի քանի ժամվա ընթացքում մենք ձեր գաղտնաբառը նորից չենք հարցնի։", - "We're lost in space. The page you were trying to view does not exist.": "Մենք կորցրել ենք տարածության մեջ. Էջը, որը դուք փորձել եք դիտել, գոյություն չունի:", - "Welcome Back!": "Հետ Վերադարձի!", - "Western Sahara": "Արեւմտյան Սահարա", - "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 հավելվածից:", - "Whoops": "Ուփս", - "Whoops!": "Հո՜ոպ", - "Whoops! Something went wrong.": "Ուփս! Ինչ-որ բան սխալ է գնացել.", - "With Trashed": "Ջախջախված", - "Write": "Գրել", - "Year To Date": "Տարին Մինչ Օրս", - "Yearly": "Yearly", - "Yemen": "Եմեն", - "Yes": "Այո", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Դուք մուտք եք գործել!", - "You are receiving this email because we received a password reset request for your account.": "Դուք ստանում եք այս Էլ․ նամակը, որովհետև ձեր հաշվից մենք ստացել ենք գաղտնաբառի վերականգնման հայցում։", - "You have been invited to join the :team team!": "Ձեզ հրավիրել են միանալ :team-ի թիմին ։ ", - "You have enabled two factor authentication.": "Դուք ընդգրկված երկու գործոն իսկությունը.", - "You have not enabled two factor authentication.": "Դուք չեք ներառում երկու գործոն իսկությունը.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.": "Դուք չեք կարող հեռանալ ձեր ստեղծած թիմից։", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Ձեր Էլ․-փոստի հասցեն հաստատված չէ։", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Զամբիա", - "Zimbabwe": "Զիմբաբվե", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Ձեր Էլ․-փոստի հասցեն հաստատված չէ։" } diff --git a/locales/hy/packages/cashier.json b/locales/hy/packages/cashier.json new file mode 100644 index 00000000000..98fbc87d917 --- /dev/null +++ b/locales/hy/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Բոլոր իրավունքները պաշտպանված են։", + "Card": "Քարտեզ", + "Confirm Payment": "Հաստատեք Վճարումը", + "Confirm your :amount payment": "Հաստատեք ձեր վճարումը :amount", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Ձեր վճարումը մշակելու համար պահանջվում է լրացուցիչ հաստատում: Խնդրում ենք հաստատել ձեր վճարումը լրացնելով վճարման մանրամասները ստորեւ.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Ձեր վճարումը մշակելու համար պահանջվում է լրացուցիչ հաստատում: Խնդրում ենք գնալ վճարման էջ, սեղմելով ստորեւ կոճակը:", + "Full name": "Լրիվ անունը", + "Go back": "Վերադառնալ", + "Jane Doe": "Jane Doe", + "Pay :amount": "Վճարում :amount", + "Payment Cancelled": "Վճարումը Չեղյալ Է Հայտարարվել", + "Payment Confirmation": "Վճարման հաստատում", + "Payment Successful": "Վճարումը Հաջող Է Անցել", + "Please provide your name.": "Խնդրում ենք զանգահարել ձեր անունը.", + "The payment was successful.": "Վճարումը հաջող է անցել։", + "This payment was already successfully confirmed.": "Այս վճարումը արդեն հաջողությամբ հաստատվել.", + "This payment was cancelled.": "Այս վճարումը չեղյալ է հայտարարվել." +} diff --git a/locales/hy/packages/fortify.json b/locales/hy/packages/fortify.json new file mode 100644 index 00000000000..8387ffcc707 --- /dev/null +++ b/locales/hy/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 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 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.": ":attribute պետք է պարունակի առնվազն :length նիշ.", + "The provided password does not match your current password.": "Տրամադրված գաղտնաբառը չի համապատասխանում ձեր ընթացիկ գաղտնաբառին:", + "The provided password was incorrect.": "Տրամադրված գաղտնաբառը սխալ էր։", + "The provided two factor authentication code was invalid.": "Տրամադրված երկֆակտորային վավերացման կոդը անվավեր էր։" +} diff --git a/locales/hy/packages/jetstream.json b/locales/hy/packages/jetstream.json new file mode 100644 index 00000000000..128480ec53b --- /dev/null +++ b/locales/hy/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Նոր ստուգման հղումը ուղարկվել է գրանցման ժամանակ ձեր կողմից նշված էլեկտրոնային փոստի հասցեին:", + "Accept Invitation": "Ընդունել Հրավերը", + "Add": "Ավելացնել", + "Add a new team member to your team, allowing them to collaborate with you.": "Ավելացրեք թիմի նոր անդամ, որպեսզի նա կարողանա համագործակցել ձեզ հետ:", + "Add additional security to your account using two factor authentication.": "Ավելացրեք լրացուցիչ անվտանգություն Ձեր հաշվին, օգտագործելով երկու գործոնով իսկությունը", + "Add Team Member": "Ավելացնել Թիմի Անդամ", + "Added.": "Ավելացված.", + "Administrator": "Ադմինիստրատոր", + "Administrator users can perform any action.": "Օգտատերեր-ադմինիստրատորները կարող են կատարել ցանկացած գործողություն:", + "All of the people that are part of this team.": "Բոլոր մարդիկ, ովքեր մաս են կազմում այս թիմում.", + "Already registered?": "Արդեն գրանցվա՞ծ եք։", + "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 տառերը թույլ են տալիս երրորդ կողմի ծառայությունները Ձեր անունից վավերացնել մեր հավելվածում:", + "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 delete this API token?": "Համոզված եք, որ ցանկանում եք ջնջել այս API նշանը:", + "Are you sure you would like to leave this team?": "Վստահ եք, որ կցանկանայիք հեռանալ այդ թիմից:", + "Are you sure you would like to remove this person from the team?": "Վստահ եք, որ ցանկանում եք հեռացնել այս մարդուն թիմից:", + "Browser Sessions": "Զննարկիչի նիստերը", + "Cancel": "Չեղարկել", + "Close": "Փակել", + "Code": "Կոդ", + "Confirm": "Հաստատել", + "Confirm Password": "Հաստատել գաղտնաբառը", + "Create": "Ստեղծել", + "Create a new team to collaborate with others on projects.": "Ստեղծեք նոր թիմ, համատեղ աշխատելու նախագծերի վրա:", + "Create Account": "ստեղծել հաշիվ", + "Create API Token": "Ստեղծելով API նշան", + "Create New Team": "Ստեղծել Նոր Թիմ", + "Create Team": "Ստեղծել թիմ", + "Created.": "Ստեղծված.", + "Current Password": "ընթացիկ գաղտնաբառ", + "Dashboard": "Վահան", + "Delete": "Ջնջել", + "Delete Account": "Ջնջել հաշիվը", + "Delete API Token": "Հեռացնել API Մարկեր", + "Delete Team": "Հեռացնել հրամանը", + "Disable": "Անջատեք", + "Done.": "Պատրաստված.", + "Editor": "Խմբագիր", + "Editor users have the ability to read, create, and update.": "Խմբագրի օգտվողները հնարավորություն ունեն կարդալ, ստեղծել եւ թարմացնել.", + "Email": "Էլեկտրոնային փոստ", + "Email Password Reset Link": "Հղում վերականգնել էլփոստի գաղտնաբառը", + "Enable": "Միացնել", + "Ensure your account is using a long, random password to stay secure.": "Համոզվեք, որ ձեր հաշիվը օգտագործում է երկար պատահական գաղտնաբառը մնալ անվտանգ.", + "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.": "Մոռացել եք ձեր գաղտնաբառը: Առանց խնդիրների. Պարզապես մեզ Ձեր էլփոստի հասցեն, եւ մենք կուղարկենք Ձեզ հղումը վերականգնել գաղտնաբառը, որը թույլ է տալիս Ձեզ ընտրել նորը.", + "Great! You have accepted the invitation to join the :team team.": "Գերազանց! Դուք ընդունեցիք :team-ի թիմին միանալու հրավերը:", + "I agree to the :terms_of_service and :privacy_policy": "Ես համաձայն եմ :terms_of_service եւ :privacy_policy", + "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 you already have an account, you may accept this invitation by clicking the button below:": "Եթե դուք արդեն ունեք հաշիվ, կարող եք ընդունել այս հրավերը, սեղմելով ստորեւ կոճակը:", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "Եթե դուք չեք ունենա հաշիվ, Դուք կարող եք ստեղծել այն սեղմելով կոճակը ստորեւ. Հաշվի ստեղծումից հետո դուք կարող եք սեղմել հրավերի ընդունման կոճակը Այս նամակում ' ընդունելու թիմի հրավերը:", + "Last active": "Վերջին ակտիվ", + "Last used": "Վերջին անգամ օգտագործվել է", + "Leave": "Հեռանալ", + "Leave Team": "Հեռանալ թիմից", + "Log in": "Մուտք գործել", + "Log Out": "դուրս գալ համակարգից", + "Log Out Other Browser Sessions": "Դուրս Այլ Զննարկիչի Նիստերին", + "Manage Account": "Հաշվի Կառավարում", + "Manage and log out your active sessions on other browsers and devices.": "Կառավարեք ակտիվ նիստերը եւ դուրս գալ նրանցից այլ բրաուզերների եւ սարքերի.", + "Manage API Tokens": "API տառերի կառավարում", + "Manage Role": "Դեր կառավարում", + "Manage Team": "Թիմի կառավարում", + "Name": "Անուն", + "New Password": "Նոր գաղտնաբառ", + "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 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.": "Երբ ձեր հաշիվը հեռացվում է, նրա բոլոր ռեսուրսները եւ տվյալները կվերացվեն անվերադարձ: Նախքան ձեր հաշիվը ջնջելը, խնդրում ենք ներբեռնել ցանկացած տվյալներ կամ տեղեկություններ, որոնք ցանկանում եք պահպանել:", + "Password": "Գաղտնաբառ", + "Pending Team Invitations": "Սպասում Թիմի Հրավերներ", + "Permanently delete this team.": "Մշտապես հեռացրեք այս հրամանը:", + "Permanently delete your account.": "Մշտապես հեռացրեք ձեր հաշիվը:", + "Permissions": "Թույլտվությունները", + "Photo": "Լուսանկարը ' Մեդիամաքս", + "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 copy your new API token. For your security, it won't be shown again.": "Խնդրում ենք պատճենել Ձեր նոր API նշան. Ձեր անվտանգության համար այն այլեւս չի ցուցադրվի:", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Խնդրում ենք մուտքագրել Ձեր գաղտնաբառը հաստատելու համար, որ ցանկանում եք դուրս գալ ձեր բոլոր սարքերի այլ զննարկիչի նիստերից:", + "Please provide the email address of the person you would like to add to this team.": "Խնդրում ենք նշել այն անձի էլեկտրոնային փոստի հասցեն, որը ցանկանում եք ավելացնել այս հրամանը:", + "Privacy Policy": "Գաղտնիության քաղաքականություն", + "Profile": "Անձնագիր", + "Profile Information": "Պրոֆիլի մասին տեղեկություններ", + "Recovery Code": "Վերականգնման կոդը", + "Regenerate Recovery Codes": "Վերականգնում վերականգնման կոդերը", + "Register": "Գրանցվել", + "Remember me": "Հիշիր ինձ", + "Remove": "Հեռացնել", + "Remove Photo": "Ջնջել Լուսանկարը", + "Remove Team Member": "Հեռացնել Թիմի Անդամին", + "Resend Verification Email": "Ստուգման Նամակի Վերահասցեավորում", + "Reset Password": "Վերականգնել գաղտնաբառը", + "Role": "Դերը", + "Save": "Պահպանել", + "Saved.": "Պահպանված.", + "Select A New Photo": "Ընտրեք Նոր Լուսանկար", + "Show Recovery Codes": "Ցույց Տալ Վերականգնման Կոդերը", + "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.": "Պահպանեք այդ վերականգնման կոդերը Անվտանգ Գաղտնաբառ մենեջեր. Նրանք կարող են օգտագործվել վերականգնել մուտք գործել Ձեր հաշիվը, եթե Ձեր սարքը երկու գործոն իսկությունը կորել.", + "Switch Teams": "Հրամանների անջատում", + "Team Details": "Թիմի մանրամասները", + "Team Invitation": "Հրավեր թիմից", + "Team Members": "Թիմի անդամներ", + "Team Name": "Թիմի անունը", + "Team Owner": "Թիմի սեփականատեր", + "Team Settings": "Հրամանի կարգավորումները", + "Terms of Service": "սպասարկման պայմաններ", + "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 a valid role.": ":attribute պետք է լինի վավեր դեր.", + "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 and 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 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 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.": ":attribute պետք է պարունակի առնվազն :length նիշ.", + "The provided password does not match your current password.": "Տրամադրված գաղտնաբառը չի համապատասխանում ձեր ընթացիկ գաղտնաբառին:", + "The provided password was incorrect.": "Տրամադրված գաղտնաբառը սխալ էր։", + "The provided two factor authentication code was invalid.": "Տրամադրված երկֆակտորային վավերացման կոդը անվավեր էր։", + "The team's name and owner information.": "Թիմի անունը եւ սեփականատիրոջ մասին տեղեկատվությունը:", + "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.": "Այդ մարդիկ հրավիրվել են ձեր թիմի եւ ստացել է էլեկտրոնային փոստով հրավերը. Նրանք կարող են միանալ թիմին ընդունելով հրավերը փոստով.", + "This device": "Այս սարքը", + "This is a secure area of the application. Please confirm your password before continuing.": "Սա անվտանգ դիմումը տարածքը. Խնդրում ենք հաստատել ձեր գաղտնաբառը, նախքան դուք շարունակեք:", + "This password does not match our records.": "Այս գաղտնաբառը չի համապատասխանում մեր գրառումների.", + "This user already belongs to the team.": "Այս օգտվողը արդեն պատկանում է թիմին.", + "This user has already been invited to the team.": "Այս օգտագործողը արդեն հրավիրվել է թիմի.", + "Token Name": "Անունը նշան", + "Two Factor Authentication": "Երկու գործոն իսկությունը", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Այժմ երկու գործոն աուտենտիֆիկացիան միացված է ։ Ստուգեք Ձեր հեռախոսի authenticator հավելվածի միջոցով հետեւյալ QR կոդը:", + "Update Password": "Թարմացնել գաղտնաբառը", + "Update your account's profile information and email address.": "Թարմացրեք Ձեր հաշվի պրոֆիլի տեղեկությունները եւ էլեկտրոնային փոստի հասցեն:", + "Use a recovery code": "Օգտագործեք վերականգնման կոդը", + "Use an authentication code": "Օգտագործեք վավերացման կոդը", + "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.": "Եթե երկու գործոն իսկությունը միացված է, իսկ իսկ իսկությունը, դուք պետք է հուշում է մտնել անվտանգ պատահական նշան. Դուք կարող եք ստանալ այս նշանը ձեր հեռախոսի Google Authenticator հավելվածից:", + "Whoops! Something went wrong.": "Ուփս! Ինչ-որ բան սխալ է գնացել.", + "You have been invited to join the :team team!": "Ձեզ հրավիրել են միանալ :team-ի թիմին ։ ", + "You have enabled two factor authentication.": "Դուք ընդգրկված երկու գործոն իսկությունը.", + "You have not enabled two factor authentication.": "Դուք չեք ներառում երկու գործոն իսկությունը.", + "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.": "Դուք չեք կարող հեռանալ ձեր ստեղծած թիմից։" +} diff --git a/locales/hy/packages/nova.json b/locales/hy/packages/nova.json new file mode 100644 index 00000000000..cda6ed1ff00 --- /dev/null +++ b/locales/hy/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 օր", + "60 Days": "60 օր", + "90 Days": "90 օր", + ":amount Total": "Ընդամենը :amount", + ":resource Details": ":resource մանրամասն", + ":resource Details: :title": ":resource մանրամասն: :title", + "Action": "Գործողություն", + "Action Happened At": "Տեղի Է Ունեցել", + "Action Initiated By": "Նախաձեռնվել", + "Action Name": "Անունը", + "Action Status": "Կարգավիճակ", + "Action Target": "Նպատակը", + "Actions": "Գործողություններ", + "Add row": "Ավելացնել տող", + "Afghanistan": "Աֆղանստան", + "Aland Islands": "Ալանդյան կղզիներ", + "Albania": "Ալբանիա", + "Algeria": "Ալժիրի ժողովրդավարական դեմոկրատական հանրապետություն", + "All resources loaded.": "Բոլոր ռեսուրսները բեռնված են։", + "American Samoa": "Ամերիկյան Սամոա", + "An error occured while uploading the file.": "Ֆայլը բեռնելիս սխալ է տեղի ունեցել:", + "Andorra": "Հունաստան", + "Angola": "Անգոլա", + "Anguilla": "Անգիլիա", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Մեկ այլ օգտատեր թարմացրել է այս ռեսուրսը այս էջը բեռնելու ընտացքում։ Խնդրում ենք թարմացնել էջը եւ կրկին փորձել։", + "Antarctica": "Անտարկտիկա", + "Antigua And Barbuda": "Անտիգուա եւ Բարբուդա", + "April": "Ապրիլ", + "Are you sure you want to delete the selected resources?": "Վստահ եք, որ ցանկանում եք ջնջել ընտրված ռեսուրսները:", + "Are you sure you want to delete this file?": "Վստահ եք, որ ցանկանում եք ջնջել այս ֆայլը?", + "Are you sure you want to delete this resource?": "Վստահ եք, որ ցանկանում եք հեռացնել այս ռեսուրսը:", + "Are you sure you want to detach the selected resources?": "Վստահ եք, որ ցանկանում եք անջատել ընտրված ռեսուրսները:", + "Are you sure you want to detach this resource?": "Վստահ եք, որ ցանկանում եք անջատել այդ ռեսուրսը։", + "Are you sure you want to force delete the selected resources?": "Վստահ եք, որ ցանկանում եք հարկադրաբար հեռացնել ընտրված ռեսուրսները։", + "Are you sure you want to force delete this resource?": "Դուք վստահ եք, որ ցանկանում եք հարկադրաբար հեռացնել այդ ռեսուրսը։", + "Are you sure you want to restore the selected resources?": "Վստահ եք, որ ցանկանում եք վերականգնել ընտրված ռեսուրսները:", + "Are you sure you want to restore this resource?": "Վստահ եք, որ ցանկանում եք վերականգնել այդ ռեսուրսը։", + "Are you sure you want to run this action?": "Վստահ եք, որ ցանկանում եք գործարկել այս գործողությունը:", + "Argentina": "Արգենտինա", + "Armenia": "Հայաստան", + "Aruba": "Արուբա", + "Attach": "Կցել", + "Attach & Attach Another": "Կցել եւ կցել եւս մեկը", + "Attach :resource": "Կցել :resource", + "August": "Օգոստոս", + "Australia": "Ավստրալիա", + "Austria": "Ավստրիա", + "Azerbaijan": "Ադրբեջան", + "Bahamas": "Բահամներ", + "Bahrain": "Բահրեյն", + "Bangladesh": "Բանգլադեշ", + "Barbados": "Բարբադոս", + "Belarus": "Բելառուս", + "Belgium": "Բելգիա", + "Belize": "Բելիզ", + "Benin": "Բենին", + "Bermuda": "Բերմուդյան կղզիներ", + "Bhutan": "Բուտան", + "Bolivia": "Բոլիվիա", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sabbath", + "Bosnia And Herzegovina": "Բոսնիա եւ Հերցեգովինա", + "Botswana": "Բոթսվանա", + "Bouvet Island": "Բուվե Կղզի", + "Brazil": "Բրազիլիա", + "British Indian Ocean Territory": "Բրիտանական Տարածք Հնդկական օվկիանոսում", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Բուլղարիա", + "Burkina Faso": "Բուրկինա Ֆասո", + "Burundi": "Բուրունդի", + "Cambodia": "Կամբոջա", + "Cameroon": "Կամերուն", + "Canada": "Կանադա", + "Cancel": "Չեղարկել", + "Cape Verde": "Կաբո Վերդե", + "Cayman Islands": "Կայման կղզիներ", + "Central African Republic": "Կենտրոնական Աֆրիկյան Հանրապետություն", + "Chad": "Չադ", + "Changes": "Փոփոխություններ", + "Chile": "Չիլի", + "China": "Չինաստան", + "Choose": "Ընտրել", + "Choose :field": "Ընտրեք :field", + "Choose :resource": "Ընտրեք :resource", + "Choose an option": "Ընտրեք տարբերակը", + "Choose date": "Ընտրեք ամսաթիվը", + "Choose File": "Ընտրեք Ֆայլը", + "Choose Type": "Ընտրեք Տեսակը", + "Christmas Island": "Սուրբ Ծննդյան Կղզի", + "Click to choose": "Սեղմեք Ընտրել", + "Cocos (Keeling) Islands": "Կոկոս (Կիլինգ) Կղզիներ", + "Colombia": "Կոլումբիա", + "Comoros": "Կոմորոս", + "Confirm Password": "Հաստատել գաղտնաբառը", + "Congo": "Կոնգո", + "Congo, Democratic Republic": "Կոնգո, Դեմոկրատական Հանրապետություն", + "Constant": "Մշտական", + "Cook Islands": "Կուկի Կղզիներ", + "Costa Rica": "Կոստա Ռիկա", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "© 2005-2017 ԱՄԻ \"Նովոստի-Արմենիա\" ։ ", + "Create": "Ստեղծել", + "Create & Add Another": "Ստեղծել եւ ավելացնել եւս մեկը", + "Create :resource": "Ստեղծել :resource", + "Croatia": "Խորվաթիա", + "Cuba": "Կուբա", + "Curaçao": "Կյուրասաո", + "Customize": "Հարմարեցնել", + "Cyprus": "Կիպրոս", + "Czech Republic": "Չեխիա", + "Dashboard": "Վահան", + "December": "Դեկտեմբեր", + "Decrease": "Կրճատել", + "Delete": "Ջնջել", + "Delete File": "Ջնջել ֆայլը", + "Delete Resource": "Հեռացնել ռեսուրսը", + "Delete Selected": "Ջնջել Ընտրված", + "Denmark": "Դանիա", + "Detach": "Անջատել", + "Detach Resource": "Անջատել ռեսուրսը", + "Detach Selected": "Անջատել Ընտրված", + "Details": "Մանրամասները", + "Djibouti": "Ջիբութի", + "Do you really want to leave? You have unsaved changes.": "Դուք իսկապես ուզում եք հեռանալ. Դուք ունեք չպահված փոփոխություններ.", + "Dominica": "Կիրակի", + "Dominican Republic": "Դոմինիկյան Հանրապետություն", + "Download": "Բեռնել", + "Ecuador": "Էկվադոր", + "Edit": "Խմբագրել", + "Edit :resource": "Խմբագրում :resource", + "Edit Attached": "Խմբագրումը Կցվում Է", + "Egypt": "Եգիպտոս", + "El Salvador": "Փրկիչ", + "Email Address": "էլեկտրոնային փոստի հասցե", + "Equatorial Guinea": "Հասարակածային Գվինեա", + "Eritrea": "Էրիթրեա", + "Estonia": "Էստոնիա", + "Ethiopia": "Եթովպիա", + "Falkland Islands (Malvinas)": "Ֆոլկլենդյան կղզիներ (Մալվինյան))", + "Faroe Islands": "Ֆարերյան կղզիներ", + "February": "Փետրվար", + "Fiji": "Ֆիջի", + "Finland": "Ֆինլանդիա", + "Force Delete": "Հարկադիր հեռացում", + "Force Delete Resource": "Հարկադիր վերացումը ռեսուրսի", + "Force Delete Selected": "Հարկադիր Հեռացումը Ընտրված", + "Forgot Your Password?": "Մոռացել եմ գաղտնաբառս", + "Forgot your password?": "Մոռացել եք ձեր գաղտնաբառը:", + "France": "Ֆրանսիա", + "French Guiana": "Ֆրանսիական Գվիանա", + "French Polynesia": "Ֆրանսիական Պոլինեզիա", + "French Southern Territories": "Ֆրանսիական Հարավային Տարածքներ", + "Gabon": "Գաբոն", + "Gambia": "Գամբիա", + "Georgia": "Վրաստան", + "Germany": "Գերմանիա", + "Ghana": "Գանա", + "Gibraltar": "Ջիբրալթար", + "Go Home": "Գլխավոր էջ", + "Greece": "Հունաստան", + "Greenland": "Գրենլանդիա", + "Grenada": "Գրենադա", + "Guadeloupe": "Գվադելուպա", + "Guam": "Գուամ", + "Guatemala": "Գվատեմալա", + "Guernsey": "Գերնսի", + "Guinea": "Գվինեա", + "Guinea-Bissau": "Գվինեա-Բիսաու", + "Guyana": "Գայանա", + "Haiti": "Հաիթի", + "Heard Island & Mcdonald Islands": "Հերդ Եւ Մակդոնալդ կղզիներ", + "Hide Content": "Թաքցնել բովանդակությունը", + "Hold Up!": "- Սպասիր:", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Հոնդուրաս", + "Hong Kong": "Հոնկոնգ", + "Hungary": "Հունգարիա", + "Iceland": "Իսլանդիա", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "Եթե դուք գաղտնաբառի վերականգնման հայցում չեք կատարել հետագա գործողություններ չեն պահանջվում։", + "Increase": "Աճ", + "India": "Հնդկաստան", + "Indonesia": "Ինդոնեզիա", + "Iran, Islamic Republic Of": "Իրան", + "Iraq": "Իրաք", + "Ireland": "Իռլանդիա", + "Isle Of Man": "Մեն Կղզի", + "Israel": "Իսրայել", + "Italy": "Իտալիա", + "Jamaica": "Ջամայկա", + "January": "Հունվար", + "Japan": "Ճապոնիա", + "Jersey": "Ջերսի", + "Jordan": "Հորդանան", + "July": "Հուլիս", + "June": "Հունիս", + "Kazakhstan": "Ղազախստան", + "Kenya": "Քենիա", + "Key": "Բանալին", + "Kiribati": "Կիրիբատի", + "Korea": "Հարավային Կորեա", + "Korea, Democratic People's Republic of": "Հյուսիսային Կորեա", + "Kosovo": "Կոսովոն", + "Kuwait": "Քուվեյթ", + "Kyrgyzstan": "Ղրղզստան", + "Lao People's Democratic Republic": "Լաոս", + "Latvia": "Լատվիա", + "Lebanon": "Լիբանան", + "Lens": "Տեսապակի", + "Lesotho": "Լեսոտո", + "Liberia": "Լիբերիա", + "Libyan Arab Jamahiriya": "Լիբիա", + "Liechtenstein": "Լիխտենշտեյն", + "Lithuania": "Լիտվա", + "Load :perPage More": "Ներբեռնեք :per Էջ Ավելին", + "Login": "Մուտք", + "Logout": "Դուրս գալ", + "Luxembourg": "Luxembourg", + "Macao": "Մակաո", + "Macedonia": "Հյուսիսային Մակեդոնիա", + "Madagascar": "Մադագասկար", + "Malawi": "Մալավի", + "Malaysia": "Մալայզիա", + "Maldives": "Մալդիվներ", + "Mali": "Փոքր", + "Malta": "Մալթա", + "March": "Մարտ", + "Marshall Islands": "Մարշալյան կղզիներ", + "Martinique": "Մարտինիկ", + "Mauritania": "Մավրիտանիա", + "Mauritius": "Մավրիկիոս", + "May": "Մայիս", + "Mayotte": "Մայոտ", + "Mexico": "Մեքսիկա", + "Micronesia, Federated States Of": "Միկրոնեզիա", + "Moldova": "Մոլդովա", + "Monaco": "Մոնակո", + "Mongolia": "Մոնղոլիա", + "Montenegro": "Մոնտենեգրո", + "Month To Date": "Ամիս Մինչ Օրս", + "Montserrat": "Մոնտսերրատ", + "Morocco": "Մարոկկո", + "Mozambique": "Մոզամբիկ", + "Myanmar": "Մյանմար", + "Namibia": "Նամիբիա", + "Nauru": "Նաուրու", + "Nepal": "Նեպալ", + "Netherlands": "Հոլանդիա", + "New": "Նոր", + "New :resource": "Նոր :resource", + "New Caledonia": "Նոր Կալեդոնիա", + "New Zealand": "Նոր Զելանդիա", + "Next": "Հաջորդ", + "Nicaragua": "Նիկարագուա", + "Niger": "Նիգեր", + "Nigeria": "Նիգերիա", + "Niue": "Նիուե", + "No": "Ոչ", + "No :resource matched the given criteria.": "Ոչ մի թիվ :resource չի համապատասխանել սահմանված չափանիշներին.", + "No additional information...": "Ոչ մի լրացուցիչ տեղեկություններ...", + "No Current Data": "Ընթացիկ Տվյալներ Չկան", + "No Data": "Տվյալներ Չկան", + "no file selected": "ֆայլը չի ընտրված", + "No Increase": "Ոչ Ավելացում", + "No Prior Data": "Ոչ Նախնական Տվյալներ", + "No Results Found.": "Ոչ Մի Արդյունք Չի Գտնվել։", + "Norfolk Island": "Նորֆոլկ Կղզի", + "Northern Mariana Islands": "Հյուսիսային Մարիանա կղզիներ", + "Norway": "Նորվեգիա", + "Nova User": "Նովա Օգտվող", + "November": "Նոյեմբեր", + "October": "Հոկտեմբեր", + "of": "- ից", + "Oman": "Օման", + "Only Trashed": "Միայն Ջախջախեցին", + "Original": "Բնօրինակը", + "Pakistan": "Պակիստան", + "Palau": "Պալաու", + "Palestinian Territory, Occupied": "Պաղեստինյան տարածքներ", + "Panama": "Պանամա", + "Papua New Guinea": "Պապուա Նոր Գվինեա", + "Paraguay": "Պարագվայ", + "Password": "Գաղտնաբառ", + "Per Page": "Էջ", + "Peru": "Պերու", + "Philippines": "Ֆիլիպիններ", + "Pitcairn": "Pitcairn Islands", + "Poland": "Լեհաստան", + "Portugal": "Պորտուգալիա", + "Press \/ to search": "Սեղմեք \/ որոնել", + "Preview": "Նախադիտում", + "Previous": "Նախորդ", + "Puerto Rico": "Պուերտո Ռիկո", + "Qatar": "Qatar", + "Quarter To Date": "Եռամսյակ Մինչեւ Օրս", + "Reload": "Վերագործարկեք", + "Remember Me": "Հիշել ինձ", + "Reset Filters": "Ֆիլտրերի վերականգնում", + "Reset Password": "Վերականգնել գաղտնաբառը", + "Reset Password Notification": "Գաղտնաբառի վերականգնման ծանուցում", + "resource": "ռեսուրս", + "Resources": "Ռեսուրսներ", + "resources": "ռեսուրսներ", + "Restore": "Վերականգնել", + "Restore Resource": "Ռեսուրսների վերականգնում", + "Restore Selected": "Վերականգնել Ընտրված", + "Reunion": "Ռեյունիոն", + "Romania": "Ռումինիա", + "Run Action": "Կատարել գործողություն", + "Russian Federation": "Ռուսաստանի Դաշնություն", + "Rwanda": "Ռուանդա", + "Saint Barthelemy": "Սուրբ Բարդուղիմեոս", + "Saint Helena": "Սուրբ Հելենա Կղզի", + "Saint Kitts And Nevis": "Սենտ Կիտս և Նևիս", + "Saint Lucia": "Սենթ Լուչիա", + "Saint Martin": "Սուրբ Մարտին", + "Saint Pierre And Miquelon": "Սեն Պիեռ եւ Միկելոն", + "Saint Vincent And Grenadines": "Սենտ Վինսենթ եւ Գրենադիններ", + "Samoa": "Սամոա", + "San Marino": "Սան Մարինո", + "Sao Tome And Principe": "Սան Տոմե եւ Պրինսիպի", + "Saudi Arabia": "Սաուդյան Արաբիա", + "Search": "\"ՍԻՍ\" ՍՊԸ", + "Select Action": "Ընտրեք Գործողություն", + "Select All": "Ընտրել բոլորը", + "Select All Matching": "Ընտրեք Բոլոր Հանդիպումները", + "Send Password Reset Link": "Ուղարկել գաղտնաբառի վերականգնման հղում", + "Senegal": "Սենեգալ", + "September": "Սեպտեմբեր", + "Serbia": "Սերբիա", + "Seychelles": "Սեյշելյան կղզիներ", + "Show All Fields": "Ցույց Տալ Բոլոր Դաշտերը", + "Show Content": "Ցուցադրել բովանդակությունը", + "Sierra Leone": "Սիերա Լեոնե", + "Singapore": "Սինգապուր", + "Sint Maarten (Dutch part)": "Սինտ Մարտեն", + "Slovakia": "Սլովակիա", + "Slovenia": "Սլովենիա", + "Solomon Islands": "Սողոմոնյան կղզիներ", + "Somalia": "Սոմալի", + "Something went wrong.": "Ինչ-որ բան սխալ է գնացել.", + "Sorry! You are not authorized to perform this action.": "Ներիր! Դուք չեք լիազորված է կատարել այս գործողությունը.", + "Sorry, your session has expired.": "Կներեք, ձեր նիստը լրացել է ։ ", + "South Africa": "Հարավային Աֆրիկա", + "South Georgia And Sandwich Isl.": "Հարավային Ջորջիա եւ Հարավային Սենդվիչյան կղզիներ", + "South Sudan": "Հարավային Սուդան", + "Spain": "Իսպանիա", + "Sri Lanka": "Շրի Լանկա", + "Start Polling": "Սկսել հետազոտություն", + "Stop Polling": "Դադարեցնել հարցումը", + "Sudan": "Սուդան", + "Suriname": "Սուրինամ", + "Svalbard And Jan Mayen": "Շպիցբերգեն եւ Յան Մայեն", + "Swaziland": "Eswatini", + "Sweden": "Շվեդիա", + "Switzerland": "Շվեյցարիա", + "Syrian Arab Republic": "Սիրիա", + "Taiwan": "Թայվան", + "Tajikistan": "Տաջիկստան", + "Tanzania": "Տանզանիա", + "Thailand": "Թաիլանդ", + "The :resource was created!": ":resource ստեղծվել է!", + "The :resource was deleted!": ":resource ջնջվել!", + "The :resource was restored!": ":resource-ը վերականգնվել է:", + "The :resource was updated!": ":resource Թարմացվել է!", + "The action ran successfully!": "Ակցիան հաջող է անցել։", + "The file was deleted!": "Ֆայլը ջնջվել է:", + "The government won't let us show you what's behind these doors": "Կառավարությունը մեզ թույլ չի տա ձեզ ցույց տալ, թե ինչ է այդ դռների հետեւում", + "The HasOne relationship has already been filled.": "HasOne հարաբերությունները արդեն լցված.", + "The resource was updated!": "Ռեսուրսը Թարմացվել է!", + "There are no available options for this resource.": "Համար, Այս ռեսուրսի չկան տարբերակներ մատչելի.", + "There was a problem executing the action.": "Խնդիր է առաջացել գործողության կատարման հետ ։ ", + "There was a problem submitting the form.": "Խնդիր է առաջացել ձևի մատուցման հետ։", + "This file field is read-only.": "Այս ֆայլի դաշտը հասանելի է միայն կարդալու համար:", + "This image": "Այս պատկերը", + "This resource no longer exists": "Այս ռեսուրսը այլեւս գոյություն չունի", + "Timor-Leste": "Թիմոր-Լեստե", + "Today": "Այսօր", + "Togo": "Տոգո", + "Tokelau": "Տոկելաու", + "Tonga": "Եկեք", + "total": "ամբողջ", + "Trashed": "Ջախջախված", + "Trinidad And Tobago": "Տրինիդադ եւ Տոբագո", + "Tunisia": "Թունիս", + "Turkey": "Թուրքիա", + "Turkmenistan": "Թուրքմենստան", + "Turks And Caicos Islands": "Թյորքս եւ Կայկոս կղզիներ", + "Tuvalu": "Տուվալուն", + "Uganda": "Ուգանդա", + "Ukraine": "Ուկրաինա", + "United Arab Emirates": "Միացյալ Արաբական Էմիրություններ", + "United Kingdom": "Միացյալ Թագավորություն", + "United States": "Միացյալ Նահանգներ", + "United States Outlying Islands": "ԱՄՆ հեռավոր կղզիներ", + "Update": "Թարմացնել", + "Update & Continue Editing": "Թարմացնել եւ շարունակել խմբագրել", + "Update :resource": "Թարմացնել :resource", + "Update :resource: :title": "Թարմացնել :resource: :title", + "Update attached :resource: :title": "Թարմացումը կցվում է :resource: :title", + "Uruguay": "Ուրուգվայ", + "Uzbekistan": "Ուզբեկստան", + "Value": "Արժեք", + "Vanuatu": "Վանուատու", + "Venezuela": "Վենեսուելա", + "Viet Nam": "Vietnam", + "View": "Դիտել", + "Virgin Islands, British": "Բրիտանական Վիրջինյան կղզիներ", + "Virgin Islands, U.S.": "ԱՄՆ Վիրջինյան կղզիներ", + "Wallis And Futuna": "Ուոլիս և Ֆուտունա", + "We're lost in space. The page you were trying to view does not exist.": "Մենք կորցրել ենք տարածության մեջ. Էջը, որը դուք փորձել եք դիտել, գոյություն չունի:", + "Welcome Back!": "Հետ Վերադարձի!", + "Western Sahara": "Արեւմտյան Սահարա", + "Whoops": "Ուփս", + "Whoops!": "Հո՜ոպ", + "With Trashed": "Ջախջախված", + "Write": "Գրել", + "Year To Date": "Տարին Մինչ Օրս", + "Yemen": "Եմեն", + "Yes": "Այո", + "You are receiving this email because we received a password reset request for your account.": "Դուք ստանում եք այս Էլ․ նամակը, որովհետև ձեր հաշվից մենք ստացել ենք գաղտնաբառի վերականգնման հայցում։", + "Zambia": "Զամբիա", + "Zimbabwe": "Զիմբաբվե" +} diff --git a/locales/hy/packages/spark-paddle.json b/locales/hy/packages/spark-paddle.json new file mode 100644 index 00000000000..f50d705b0b3 --- /dev/null +++ b/locales/hy/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "սպասարկման պայմաններ", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Ուփս! Ինչ-որ բան սխալ է գնացել.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/hy/packages/spark-stripe.json b/locales/hy/packages/spark-stripe.json new file mode 100644 index 00000000000..fde076ba60b --- /dev/null +++ b/locales/hy/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Աֆղանստան", + "Albania": "Ալբանիա", + "Algeria": "Ալժիրի ժողովրդավարական դեմոկրատական հանրապետություն", + "American Samoa": "Ամերիկյան Սամոա", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Հունաստան", + "Angola": "Անգոլա", + "Anguilla": "Անգիլիա", + "Antarctica": "Անտարկտիկա", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Արգենտինա", + "Armenia": "Հայաստան", + "Aruba": "Արուբա", + "Australia": "Ավստրալիա", + "Austria": "Ավստրիա", + "Azerbaijan": "Ադրբեջան", + "Bahamas": "Բահամներ", + "Bahrain": "Բահրեյն", + "Bangladesh": "Բանգլադեշ", + "Barbados": "Բարբադոս", + "Belarus": "Բելառուս", + "Belgium": "Բելգիա", + "Belize": "Բելիզ", + "Benin": "Բենին", + "Bermuda": "Բերմուդյան կղզիներ", + "Bhutan": "Բուտան", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Բոթսվանա", + "Bouvet Island": "Բուվե Կղզի", + "Brazil": "Բրազիլիա", + "British Indian Ocean Territory": "Բրիտանական Տարածք Հնդկական օվկիանոսում", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Բուլղարիա", + "Burkina Faso": "Բուրկինա Ֆասո", + "Burundi": "Բուրունդի", + "Cambodia": "Կամբոջա", + "Cameroon": "Կամերուն", + "Canada": "Կանադա", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Կաբո Վերդե", + "Card": "Քարտեզ", + "Cayman Islands": "Կայման կղզիներ", + "Central African Republic": "Կենտրոնական Աֆրիկյան Հանրապետություն", + "Chad": "Չադ", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Չիլի", + "China": "Չինաստան", + "Christmas Island": "Սուրբ Ծննդյան Կղզի", + "City": "City", + "Cocos (Keeling) Islands": "Կոկոս (Կիլինգ) Կղզիներ", + "Colombia": "Կոլումբիա", + "Comoros": "Կոմորոս", + "Confirm Payment": "Հաստատեք Վճարումը", + "Confirm your :amount payment": "Հաստատեք ձեր վճարումը :amount", + "Congo": "Կոնգո", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Կուկի Կղզիներ", + "Costa Rica": "Կոստա Ռիկա", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Խորվաթիա", + "Cuba": "Կուբա", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Կիպրոս", + "Czech Republic": "Չեխիա", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Դանիա", + "Djibouti": "Ջիբութի", + "Dominica": "Կիրակի", + "Dominican Republic": "Դոմինիկյան Հանրապետություն", + "Download Receipt": "Download Receipt", + "Ecuador": "Էկվադոր", + "Egypt": "Եգիպտոս", + "El Salvador": "Փրկիչ", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Հասարակածային Գվինեա", + "Eritrea": "Էրիթրեա", + "Estonia": "Էստոնիա", + "Ethiopia": "Եթովպիա", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Ձեր վճարումը մշակելու համար պահանջվում է լրացուցիչ հաստատում: Խնդրում ենք գնալ վճարման էջ, սեղմելով ստորեւ կոճակը:", + "Falkland Islands (Malvinas)": "Ֆոլկլենդյան կղզիներ (Մալվինյան))", + "Faroe Islands": "Ֆարերյան կղզիներ", + "Fiji": "Ֆիջի", + "Finland": "Ֆինլանդիա", + "France": "Ֆրանսիա", + "French Guiana": "Ֆրանսիական Գվիանա", + "French Polynesia": "Ֆրանսիական Պոլինեզիա", + "French Southern Territories": "Ֆրանսիական Հարավային Տարածքներ", + "Gabon": "Գաբոն", + "Gambia": "Գամբիա", + "Georgia": "Վրաստան", + "Germany": "Գերմանիա", + "Ghana": "Գանա", + "Gibraltar": "Ջիբրալթար", + "Greece": "Հունաստան", + "Greenland": "Գրենլանդիա", + "Grenada": "Գրենադա", + "Guadeloupe": "Գվադելուպա", + "Guam": "Գուամ", + "Guatemala": "Գվատեմալա", + "Guernsey": "Գերնսի", + "Guinea": "Գվինեա", + "Guinea-Bissau": "Գվինեա-Բիսաու", + "Guyana": "Գայանա", + "Haiti": "Հաիթի", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Հոնդուրաս", + "Hong Kong": "Հոնկոնգ", + "Hungary": "Հունգարիա", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Իսլանդիա", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Հնդկաստան", + "Indonesia": "Ինդոնեզիա", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Իրաք", + "Ireland": "Իռլանդիա", + "Isle of Man": "Isle of Man", + "Israel": "Իսրայել", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Իտալիա", + "Jamaica": "Ջամայկա", + "Japan": "Ճապոնիա", + "Jersey": "Ջերսի", + "Jordan": "Հորդանան", + "Kazakhstan": "Ղազախստան", + "Kenya": "Քենիա", + "Kiribati": "Կիրիբատի", + "Korea, Democratic People's Republic of": "Հյուսիսային Կորեա", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Քուվեյթ", + "Kyrgyzstan": "Ղրղզստան", + "Lao People's Democratic Republic": "Լաոս", + "Latvia": "Լատվիա", + "Lebanon": "Լիբանան", + "Lesotho": "Լեսոտո", + "Liberia": "Լիբերիա", + "Libyan Arab Jamahiriya": "Լիբիա", + "Liechtenstein": "Լիխտենշտեյն", + "Lithuania": "Լիտվա", + "Luxembourg": "Luxembourg", + "Macao": "Մակաո", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Մադագասկար", + "Malawi": "Մալավի", + "Malaysia": "Մալայզիա", + "Maldives": "Մալդիվներ", + "Mali": "Փոքր", + "Malta": "Մալթա", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Մարշալյան կղզիներ", + "Martinique": "Մարտինիկ", + "Mauritania": "Մավրիտանիա", + "Mauritius": "Մավրիկիոս", + "Mayotte": "Մայոտ", + "Mexico": "Մեքսիկա", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Մոնակո", + "Mongolia": "Մոնղոլիա", + "Montenegro": "Մոնտենեգրո", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Մոնտսերրատ", + "Morocco": "Մարոկկո", + "Mozambique": "Մոզամբիկ", + "Myanmar": "Մյանմար", + "Namibia": "Նամիբիա", + "Nauru": "Նաուրու", + "Nepal": "Նեպալ", + "Netherlands": "Հոլանդիա", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Նոր Կալեդոնիա", + "New Zealand": "Նոր Զելանդիա", + "Nicaragua": "Նիկարագուա", + "Niger": "Նիգեր", + "Nigeria": "Նիգերիա", + "Niue": "Նիուե", + "Norfolk Island": "Նորֆոլկ Կղզի", + "Northern Mariana Islands": "Հյուսիսային Մարիանա կղզիներ", + "Norway": "Նորվեգիա", + "Oman": "Օման", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Պակիստան", + "Palau": "Պալաու", + "Palestinian Territory, Occupied": "Պաղեստինյան տարածքներ", + "Panama": "Պանամա", + "Papua New Guinea": "Պապուա Նոր Գվինեա", + "Paraguay": "Պարագվայ", + "Payment Information": "Payment Information", + "Peru": "Պերու", + "Philippines": "Ֆիլիպիններ", + "Pitcairn": "Pitcairn Islands", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Լեհաստան", + "Portugal": "Պորտուգալիա", + "Puerto Rico": "Պուերտո Ռիկո", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Ռումինիա", + "Russian Federation": "Ռուսաստանի Դաշնություն", + "Rwanda": "Ռուանդա", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Սուրբ Հելենա Կղզի", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Սենթ Լուչիա", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Սամոա", + "San Marino": "Սան Մարինո", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Սաուդյան Արաբիա", + "Save": "Պահպանել", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Սենեգալ", + "Serbia": "Սերբիա", + "Seychelles": "Սեյշելյան կղզիներ", + "Sierra Leone": "Սիերա Լեոնե", + "Signed in as": "Signed in as", + "Singapore": "Սինգապուր", + "Slovakia": "Սլովակիա", + "Slovenia": "Սլովենիա", + "Solomon Islands": "Սողոմոնյան կղզիներ", + "Somalia": "Սոմալի", + "South Africa": "Հարավային Աֆրիկա", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Իսպանիա", + "Sri Lanka": "Շրի Լանկա", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Սուդան", + "Suriname": "Սուրինամ", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Շվեդիա", + "Switzerland": "Շվեյցարիա", + "Syrian Arab Republic": "Սիրիա", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Տաջիկստան", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "սպասարկման պայմաններ", + "Thailand": "Թաիլանդ", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Թիմոր-Լեստե", + "Togo": "Տոգո", + "Tokelau": "Տոկելաու", + "Tonga": "Եկեք", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Թունիս", + "Turkey": "Թուրքիա", + "Turkmenistan": "Թուրքմենստան", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Տուվալուն", + "Uganda": "Ուգանդա", + "Ukraine": "Ուկրաինա", + "United Arab Emirates": "Միացյալ Արաբական Էմիրություններ", + "United Kingdom": "Միացյալ Թագավորություն", + "United States": "Միացյալ Նահանգներ", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Թարմացնել", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Ուրուգվայ", + "Uzbekistan": "Ուզբեկստան", + "Vanuatu": "Վանուատու", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Բրիտանական Վիրջինյան կղզիներ", + "Virgin Islands, U.S.": "ԱՄՆ Վիրջինյան կղզիներ", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Արեւմտյան Սահարա", + "Whoops! Something went wrong.": "Ուփս! Ինչ-որ բան սխալ է գնացել.", + "Yearly": "Yearly", + "Yemen": "Եմեն", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Զամբիա", + "Zimbabwe": "Զիմբաբվե", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/id/id.json b/locales/id/id.json index 13d5448a4e8..68c775739dd 100644 --- a/locales/id/id.json +++ b/locales/id/id.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Hari", - "60 Days": "60 Hari", - "90 Days": "90 Hari", - ":amount Total": "Total :amount", - ":days day trial": ":days day trial", - ":resource Details": "Detail :resource", - ":resource Details: :title": "Detail :resource: :title", "A fresh verification link has been sent to your email address.": "Tautan verifikasi baru telah dikirim ke alamat surel Anda.", - "A new verification link has been sent to the email address you provided during registration.": "Tautan verifikasi baru telah dikirim ke alamat surel yang Anda berikan saat pendaftaran.", - "Accept Invitation": "Terima Undangan", - "Action": "Aksi", - "Action Happened At": "Terjadi Pada", - "Action Initiated By": "Diinisiasikan Oleh", - "Action Name": "Nama Aksi", - "Action Status": "Status Aksi", - "Action Target": "Target Aksi", - "Actions": "Aksi", - "Add": "Tambah", - "Add a new team member to your team, allowing them to collaborate with you.": "Tambah anggota tim baru ke tim Anda, mengizinkan Mereka untuk berkolaborasi dengan Anda.", - "Add additional security to your account using two factor authentication.": "Tambah keamanan pada akun Anda menggunakan autentikasi dua faktor.", - "Add row": "Tambah baris", - "Add Team Member": "Tambah Anggota Tim", - "Add VAT Number": "Add VAT Number", - "Added.": "Ditambahkan.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administrator", - "Administrator users can perform any action.": "Administrator dapat menjalankan aksi apapun.", - "Afghanistan": "Afganistan", - "Aland Islands": "Kepulauan Åland", - "Albania": "Albania", - "Algeria": "Aljazair", - "All of the people that are part of this team.": "Semua orang yang merupakan bagian dari tim ini.", - "All resources loaded.": "Semua sumber telah dimuat.", - "All rights reserved.": "Hak Cipta Dilindungi.", - "Already registered?": "Sudah terdaftar?", - "American Samoa": "Samoa Amerika", - "An error occured while uploading the file.": "Kesalahan terjadi ketika mengunggah file.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Pengguna lain telah memperbarui sumber setelah halaman ini dimuat. Harap segarkan halaman and coba lagi.", - "Antarctica": "Antarktika", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua dan Barbuda", - "API Token": "Token API", - "API Token Permissions": "Izin Token API", - "API Tokens": "Token API", - "API tokens allow third-party services to authenticate with our application on your behalf.": "Token API memungkinkan layanan pihak ketiga untuk mengautentikasi anda dengan aplikasi kita.", - "April": "April", - "Are you sure you want to delete the selected resources?": "Apakah Anda yakin ingin menghapus sumber yang dipilih?", - "Are you sure you want to delete this file?": "Apakah Anda yakin ingin menghapus file ini?", - "Are you sure you want to delete this resource?": "Apakah Anda yakin ingin menghapus sumber ini?", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Apakah Anda yakin ingin menghapus tim ini? Setelah tim dihapus, seluruh sumber dan data akan dihapus secara permanen.", - "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.": "Apakah Anda yakin ingin menghapus akun Anda? Setelah akun Anda dihapus, seluruh sumber dan data akan dihapus secara permanen. Harap masukkan kata sandi untuk mengkonfirmasi bahwa Anda ingin menghapus akun secara permanen.", - "Are you sure you want to detach the selected resources?": "Apakah Anda yakin ingin melepas sumber yang dipilih?", - "Are you sure you want to detach this resource?": "Apakah Anda yakin ingin melepas sumber ini?", - "Are you sure you want to force delete the selected resources?": "Apakah Anda yakin ingin menghapus paksa sumber yang dipilih?", - "Are you sure you want to force delete this resource?": "Apakah Anda yakin ingin menghapus paksa sumber ini?", - "Are you sure you want to restore the selected resources?": "Apakah Anda yakin ingin memulihkan sumber yang dipilih?", - "Are you sure you want to restore this resource?": "Apakah Anda yakin ingin memulihkan sumber ini?", - "Are you sure you want to run this action?": "Apakah Anda yakin ingin menjalankan aksi ini?", - "Are you sure you would like to delete this API token?": "Apakah Anda yakin ingin menghapus token API ini?", - "Are you sure you would like to leave this team?": "Apakah Anda yakin ingin keluar dari tim ini?", - "Are you sure you would like to remove this person from the team?": "Apakah Anda yakin ingin menghapus orang ini dari tim?", - "Argentina": "Argentina", - "Armenia": "Armenia", - "Aruba": "Aruba", - "Attach": "Lampirkan", - "Attach & Attach Another": "Lampirkan & Lampirkan Lainnya", - "Attach :resource": "Lampirkan :resource", - "August": "Agustus", - "Australia": "Australia", - "Austria": "Austria", - "Azerbaijan": "Azerbaijan", - "Bahamas": "Bahama", - "Bahrain": "Bahrain", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Sebelum melanjutkan, silahkan periksa surel Anda untuk tautan verifikasi.", - "Belarus": "Belarus", - "Belgium": "Belgia", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bhutan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius dan Saba", - "Bosnia And Herzegovina": "Bosnia dan Herzegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Pulau Bouvet", - "Brazil": "Brazil", - "British Indian Ocean Territory": "Wilayah Samudra Hindi Britania", - "Browser Sessions": "Sesi Browser", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgaria", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Kamboja", - "Cameroon": "Kamerun", - "Canada": "Kanada", - "Cancel": "Batal", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Tanjung Verde", - "Card": "Kartu", - "Cayman Islands": "Kepulauan Cayman", - "Central African Republic": "Republik Afrika Tengah", - "Chad": "Chad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Perubahan", - "Chile": "Chili", - "China": "Cina", - "Choose": "Pilih", - "Choose :field": "Pilih :field", - "Choose :resource": "Pilih :resource", - "Choose an option": "Pilih opsi", - "Choose date": "Pilih tanggal", - "Choose File": "Pilih File", - "Choose Type": "Pilih Jenis", - "Christmas Island": "Pulau Natal", - "City": "City", "click here to request another": "Klik disini untuk meminta lagi", - "Click to choose": "Klik untuk memilih", - "Close": "Tutup", - "Cocos (Keeling) Islands": "Kepulauan Cocos", - "Code": "Kode", - "Colombia": "Kolombia", - "Comoros": "Komoro", - "Confirm": "Konfirmasi", - "Confirm Password": "Konfirmasi Kata Sandi", - "Confirm Payment": "Konfirmasi Pembayaran", - "Confirm your :amount payment": "Konfirmasi pembayaran :amount Anda", - "Congo": "Kongo", - "Congo, Democratic Republic": "Republik Demokratik Kongo", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Konstan", - "Cook Islands": "Kepulauan Cook", - "Costa Rica": "Kosta Rika", - "Cote D'Ivoire": "Pantai Gading", - "could not be found.": "tidak adpat ditemukan.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Buat", - "Create & Add Another": "Buat & Tambah Lainnya", - "Create :resource": "Buat :resource", - "Create a new team to collaborate with others on projects.": "Buat tim baru untuk berkolaborasi dengan lainnya pada proyek.", - "Create Account": "Buat Akun", - "Create API Token": "Buat Token API", - "Create New Team": "Buat Tim Baru", - "Create Team": "Buat Tim", - "Created.": "Dibuat.", - "Croatia": "Kroasia", - "Cuba": "Kuba", - "Curaçao": "Curaçao", - "Current Password": "Kata Sandi Saat Ini", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Sesuaikan", - "Cyprus": "Siprus", - "Czech Republic": "Ceko", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Dasbor", - "December": "Desember", - "Decrease": "Mengurang", - "Delete": "Hapus", - "Delete Account": "Hapus Akun", - "Delete API Token": "Hapus Token API", - "Delete File": "Hapus File", - "Delete Resource": "Hapus Sumber", - "Delete Selected": "Hapus Yang Dipilih", - "Delete Team": "Hapus Tim", - "Denmark": "Denmark", - "Detach": "Lepas", - "Detach Resource": "Lepas Sumber", - "Detach Selected": "Lepas Yang Dipilih", - "Details": "Detail", - "Disable": "Matikan", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Apakah Anda yakin ingin keluar? Terdapat perubahan yang belum disimpan.", - "Dominica": "Dominika", - "Dominican Republic": "Republik Dominika", - "Done.": "Selesai.", - "Download": "Unduh", - "Download Receipt": "Download Receipt", "E-Mail Address": "Alamat Surel", - "Ecuador": "Ekuador", - "Edit": "Sunting", - "Edit :resource": "Sunting :resource", - "Edit Attached": "Edit Lampiran", - "Editor": "Penyunting", - "Editor users have the ability to read, create, and update.": "Editor memiliki kemampuan untuk membaca, membuat, dan memperbarui.", - "Egypt": "Mesir", - "El Salvador": "El Salvador", - "Email": "Surel", - "Email Address": "Alamat Surel", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Tautan Pengaturan Ulang Kata Sandi Surel", - "Enable": "Nyalakan", - "Ensure your account is using a long, random password to stay secure.": "Pastikan akun Anda menggunakan kata sandi yang panjang dan acak agar aman.", - "Equatorial Guinea": "Guinea Khatulistiwa", - "Eritrea": "Eritrea", - "Estonia": "Estonia", - "Ethiopia": "Etiopia", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Konfirmasi ekstra dibutuhkan untuk memproses pembayaran Anda. Harap konfirmasi pembayaran dengan mengisi detail pembayaran di bawah.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Konfirmasi ekstra dibutuhkan untuk memproses pembayaran Anda. Harap lanjutkan ke halaman pembayaran dengan mengklik pada tombol di bawah.", - "Falkland Islands (Malvinas)": "Kepulauan Falkland (Malvinas)", - "Faroe Islands": "Kepulauan Faroe", - "February": "Februari", - "Fiji": "Fiji", - "Finland": "Finlandia", - "For your security, please confirm your password to continue.": "Untuk kemanan Anda, harap konfirmasi kata sandi untuk melanjutkan.", "Forbidden": "Dilarang", - "Force Delete": "Hapus Paksa", - "Force Delete Resource": "Hapus Paksa Sumber", - "Force Delete Selected": "Hapus Paksa Yang Dipilih", - "Forgot Your Password?": "Lupa Kata Sandi Anda?", - "Forgot your password?": "Lupa kata sandi Anda?", - "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.": "Lupa kata sandi Anda? Tidak masalah. Beri tahu kami alamat surel Anda dan kami akan mengirimkan surel berisi tautan pengaturan ulang kata sandi yang memungkinkan Anda memilih kata sandi yang baru.", - "France": "Prancis", - "French Guiana": "Guyana Prancis", - "French Polynesia": "Polinesia Prancis", - "French Southern Territories": "Daratan Selatan Prancis", - "Full name": "Nama lengkap", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Georgia", - "Germany": "Jerman", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Kembali", - "Go Home": "Ke Halaman Utama", "Go to page :page": "Ke halaman :page", - "Great! You have accepted the invitation to join the :team team.": "Bagus! Anda telah menerima undangan untuk bergabung ke tim :team.", - "Greece": "Yunani", - "Greenland": "Greenland", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Pulau Heard and Kepulauan McDonald", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Halo!", - "Hide Content": "Sembunyikan Konten", - "Hold Up!": "Tunggu!", - "Holy See (Vatican City State)": "Kota Vatikan", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Hongaria", - "I agree to the :terms_of_service and :privacy_policy": "Saya menyetujui :terms_of_service dan :privacy_policy", - "Iceland": "Islandia", - "ID": "ID", - "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.": "Jika diperlukan, Anda bisa mengeluarkan seluruh sesi browser lainnya dari semua perangkat. Beberapa sesi baru Anda tercantum di bawah; namun, daftar ini bisa jadi tidak lengkap. Jika Anda merasa akun Anda telah disusupi, Anda harus memperbarui kata sandi.", "If necessary, you may logout 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.": "Jika diperlukan, Anda bisa mengeluarkan seluruh sesi browser lainnya dari semua perangkat. Beberapa sesi baru Anda tercantum di bawah; namun, daftar ini bisa jadi tidak lengkap. Jika Anda merasa akun Anda telah disusupi, Anda harus memperbarui kata sandi.", - "If you already have an account, you may accept this invitation by clicking the button below:": "Jika Anda sudah memiliki akun, anda bisa menerima undangan ini dengan mengklik tombol di bawah:", "If you did not create an account, no further action is required.": "Jika Anda tidak membuat akun, Anda tidak perlu melakukan apapun.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Jika Anda ingin untuk tidak menerima undangan tim ini, Anda bisa menghapus surel ini.", "If you did not receive the email": "Jika Anda tidak menerima surel", - "If you did not request a password reset, no further action is required.": "Jika Anda tidak meminta pengaturan ulang kata sandi, Anda tidak perlu melakukan apapun.", - "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:": "Jika Anda tidak memiliki akun, Anda bisa membuatnya dengan mengklik tombol di bawah. Setelah membuat akun, Anda bisa mengklik tombol terima undangan pada surel ini untuk menerima undangan tim:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Jika Anda mengalami kesulitan mengklik tombol \":actionText\", salin dan tempel URL di bawah\nke browser web Anda:", - "Increase": "Menambah", - "India": "India", - "Indonesia": "Indonesia", "Invalid signature.": "Signature tidak valid.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Iraq", - "Ireland": "Irlandia", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Pulau Man", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italia", - "Jamaica": "Jamaika", - "January": "Januari", - "Japan": "Jepang", - "Jersey": "Jersey", - "Jordan": "Yordania", - "July": "Juli", - "June": "Juni", - "Kazakhstan": "Kazakhstan", - "Kenya": "Kenya", - "Key": "Kunci", - "Kiribati": "Kiribati", - "Korea": "Korea Selatan", - "Korea, Democratic People's Republic of": "Korea Utara", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuwait", - "Kyrgyzstan": "Kirgizstan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Terakhir aktif", - "Last used": "Terakhir digunakan", - "Latvia": "Latvia", - "Leave": "Keluar", - "Leave Team": "Keluar Tim", - "Lebanon": "Lebanon", - "Lens": "Lens", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libya", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Lituania", - "Load :perPage More": "Muat Lebih Banyak :perPage", - "Log in": "Masuk", "Log out": "Keluar", - "Log Out": "Keluar", - "Log Out Other Browser Sessions": "Keluarkan Sesi Browser Lain", - "Login": "Masuk", - "Logout": "Keluar", "Logout Other Browser Sessions": "Keluarkan Sesi Browser Lain", - "Luxembourg": "Luksemburg", - "Macao": "Makau", - "Macedonia": "Makedonia Utara", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagaskar", - "Malawi": "Malawi", - "Malaysia": "Malaysia", - "Maldives": "Maladewa", - "Mali": "Mali", - "Malta": "Malta", - "Manage Account": "Kelola Akun", - "Manage and log out your active sessions on other browsers and devices.": "Kelola dan keluarkan sesi aktif pada browser dan perangkat lain.", "Manage and logout your active sessions on other browsers and devices.": "Kelola dan keluarkan sesi aktif pada browser dan perangkat lain.", - "Manage API Tokens": "Kelola Token API", - "Manage Role": "Kelola Peran", - "Manage Team": "Kelola Tim", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Maret", - "Marshall Islands": "Kepulauan Marshall", - "Martinique": "Martinik", - "Mauritania": "Mauritania", - "Mauritius": "Mauritius", - "May": "Mei", - "Mayotte": "Mayotte", - "Mexico": "Meksiko", - "Micronesia, Federated States Of": "Mikronesia", - "Moldova": "Moldova", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monako", - "Mongolia": "Mongolia", - "Montenegro": "Montenegro", - "Month To Date": "Bulan Ke Tanggal", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Maroko", - "Mozambique": "Mozambik", - "Myanmar": "Myanmar", - "Name": "Nama", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Belanda", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Lupakan", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Baru", - "New :resource": ":resource Baru", - "New Caledonia": "Kaledonia Baru", - "New Password": "Password Baru", - "New Zealand": "Selandia Baru", - "Next": "Berikutnya", - "Nicaragua": "Nikaragua", - "Niger": "Niger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "Tidak", - "No :resource matched the given criteria.": "Tidak ada :resource yang cocok dengan kriteria.", - "No additional information...": "Tidak ada informasi tambahan...", - "No Current Data": "Tidak Ada Data Saat Ini", - "No Data": "Tidak Ada Data", - "no file selected": "tidak ada file yang dipilih", - "No Increase": "Tidak Ada Peningkatan", - "No Prior Data": "Tidak Ada Data Sebelumnya", - "No Results Found.": "Tidak Ada Hasil Yang Ditemukan.", - "Norfolk Island": "Pulai Norfolk", - "Northern Mariana Islands": "Kepulauan Mariana Utara", - "Norway": "Norwegia", "Not Found": "Tidak ditemukan", - "Nova User": "Pengguna Nova", - "November": "November", - "October": "Oktober", - "of": "dari", "Oh no": "Oh Tidak", - "Oman": "Oman", - "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.": "Setelah tim dihapus, seluruh sumber dan datanya akan dihapus secara permanen. Sebelum menghapus tim ini, harap unduh data atau informasi apapun yang berkaitan dengan tim ini yang ingin disimpan.", - "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.": "Setelah akun dihapus, seluruh sumber dan datanya akan dihapus secara permanen. Sebelum menghapus akun ini, harap unduh data atau informasi apapun yang berkaitan dengan akun ini yang ingin disimpan.", - "Only Trashed": "Hanya Yang Telah Dihapus", - "Original": "Orisinal", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Halaman Kadaluwarsa", "Pagination Navigation": "Navigasi Paginasi", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Palestina", - "Panama": "Panama", - "Papua New Guinea": "Papua Nugini", - "Paraguay": "Paraguay", - "Password": "Kata Sandi", - "Pay :amount": "Bayar :amount", - "Payment Cancelled": "Pembayaran Dibatalkan", - "Payment Confirmation": "Konfirmasi Pembayaran", - "Payment Information": "Payment Information", - "Payment Successful": "Pembayaran Berhasil", - "Pending Team Invitations": "Undangan Tim Yang Ditunggu", - "Per Page": "Per Halaman", - "Permanently delete this team.": "Hapus permanen tim ini.", - "Permanently delete your account.": "Hapus permanen akun Anda.", - "Permissions": "Izin", - "Peru": "Peru", - "Philippines": "Filipina", - "Photo": "Foto", - "Pitcairn": "Kepulauan Pitcairn", "Please click the button below to verify your email address.": "Silakan klik tombol di bawah untuk memverifikasi alamat surel Anda.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Harap konfirmasi akses ke akun Anda dengan memasukkan satu dari kode pemulihan darurat Anda.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Harap konfirmasi akses ke akun Anda dengan memasukkan kode autentikasi yang diberikan oleh aplikasi pengautentikasi Anda.", "Please confirm your password before continuing.": "Harap konfirmasi kata sandi Anda sebelum melanjutkan.", - "Please copy your new API token. For your security, it won't be shown again.": "Harap salin token API baru Anda. Untuk keamanan, token tidak akan ditampilkan lagi.", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Harap isi kata sandi anda untuk mengkonfirmasi bahwa anda ingin keluar dari sesi browser lain yang ada di semua perangkat milik Anda.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Harap isi kata sandi anda untuk mengkonfirmasi bahwa anda ingin keluar dari sesi browser lain yang ada di semua perangkat milik Anda.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "Please provide the email address of the person you would like to add to this team.": "Harap isi alamat surel orang yang ingin anda tambahkan ke tim ini.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Harap isi alamat surel orang yang ingin anda tambahkan ke tim ini. Alamat surel harus terhubung dengan akun yang ada.", - "Please provide your name.": "Harap isi nama anda.", - "Poland": "Polandia", - "Portugal": "Portugal", - "Press \/ to search": "Tekan \/ untuk melakukan pencarian", - "Preview": "Pratinjau", - "Previous": "Sebelumnya", - "Privacy Policy": "Kebijakan Privasi", - "Profile": "Profil", - "Profile Information": "Informasi Profil", - "Puerto Rico": "Puerto Riko", - "Qatar": "Qatar", - "Quarter To Date": "Triwulan Ke Tanggal", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Kode Pemulihan", "Regards": "Salam", - "Regenerate Recovery Codes": "Perbarui Kode Pemulihan", - "Register": "Daftar", - "Reload": "Muat ulang", - "Remember me": "Ingat saya", - "Remember Me": "Ingat Saya", - "Remove": "Hapus", - "Remove Photo": "Hapus Foto", - "Remove Team Member": "Hapus Anggota Tim", - "Resend Verification Email": "Kirim Ulang Surel Verifikasi", - "Reset Filters": "Reset Filter", - "Reset Password": "Atur Ulang Kata Sandi", - "Reset Password Notification": "Pemberitahuan Pengaturan Ulang Kata Sandi", - "resource": "sumber", - "Resources": "Sumber", - "resources": "sumber", - "Restore": "Pulihkan", - "Restore Resource": "Pulihkan Sumber", - "Restore Selected": "Pulihkan Yang Dipilih", "results": "hasil", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Reuni", - "Role": "Peran", - "Romania": "Romania", - "Run Action": "Jalankan Aksi", - "Russian Federation": "Federasi Rusia", - "Rwanda": "Rwanda", - "Réunion": "Réunion", - "Saint Barthelemy": "Saint Barthelemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Saint Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "Saint Kitts dan Nevis", - "Saint Lucia": "Saint Lucia", - "Saint Martin": "Saint Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "Saint Pierre And Miquelon", - "Saint Vincent And Grenadines": "Saint Vincent And Grenadines", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "São Tomé dan Príncipe", - "Saudi Arabia": "Arab Saudi", - "Save": "Simpan", - "Saved.": "Disimpan.", - "Search": "Cari", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Pilih Foto Baru", - "Select Action": "Pilih Aksi", - "Select All": "Pilih Semua", - "Select All Matching": "Pilih Semua Yang Cocok", - "Send Password Reset Link": "Kirim Tautan Pengaturan Ulang Kata Sandi", - "Senegal": "Senegal", - "September": "September", - "Serbia": "Serbia", "Server Error": "Terjadi Kesalahan Server", "Service Unavailable": "Layanan Tidak Tersedia", - "Seychelles": "Seychelles", - "Show All Fields": "Tampilkan Semua Isian", - "Show Content": "Tampikan Konten", - "Show Recovery Codes": "Tampilkan Kode Pemulihan", "Showing": "Menampilkan", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapura", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slowakia", - "Slovenia": "Slovenia", - "Solomon Islands": "Kepulauan Solomon", - "Somalia": "Somalia", - "Something went wrong.": "Terjadi kesalahan.", - "Sorry! You are not authorized to perform this action.": "Maaf! Anda tidak memiliki otorisasi untuk menjalankan aksi ini.", - "Sorry, your session has expired.": "Maaf, sesi anda sudah kedaluwarsa.", - "South Africa": "Afrika Selatan", - "South Georgia And Sandwich Isl.": "Georgia Selatan dan Kepulauan Sandwich Selatan", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Sudan Selatan", - "Spain": "Spanyol", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Mulai Polling", - "State \/ County": "State \/ County", - "Stop Polling": "Hentikan Polling", - "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.": "Simpan kode pemulihan pada pengelola kata sandi yang aman. Kode tersebut dapat digunakan untuk memulihkan akses ke akun Anda jika perangkat autentikasi dua faktor anda hilang.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard dan Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Swedia", - "Switch Teams": "Ganti Tim", - "Switzerland": "Swiss", - "Syrian Arab Republic": "Suriah", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tajikistan", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Detail Tim", - "Team Invitation": "Undangan Tim", - "Team Members": "Anggota Tim", - "Team Name": "Nama Tim", - "Team Owner": "Pemilik Tim", - "Team Settings": "Pengaturan Tim", - "Terms of Service": "Persyaratan Layanan", - "Thailand": "Thailand", - "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.": "Terima kasih sudah mendaftar! Sebelum memulai, bisa kah Anda memverifikasi alamat surel dengan mengklik tautan yang kami kirim? Jika Anda tidak menerima surel, kami akan mengirim ulang.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute harus merupakan peran yang valid.", - "The :attribute must be at least :length characters and contain at least one number.": ":attribute minimal berisi :length karakter dan mengandung setidaknya satu angka.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute minimal berisi :length karakter dan mengandung setidaknya satu karakter spesial dan satu angka.", - "The :attribute must be at least :length characters and contain at least one special character.": ":attribute minimal berisi :length karakter dan mengandung setidaknya satu karakter spesial.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute minimal berisi :length karakter dan mengandung setidaknya satu huruf besar dan satu angka.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":Attribute minimal berisi :length karakter dan mengandung setidaknya satu huruf besar dan satu karakter spesial.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":Attribute minimal berisi :length karakter dan mengandung setidaknya satu huruf besar, satu angka, dan satu karakter spesial.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute minimal berisi :length karakter dan mengandung setidaknya satu huruf besar.", - "The :attribute must be at least :length characters.": ":attribute minimal berisi :length karakter.", "The :attribute must contain at least one letter.": ":attribute harus mengandung setidaknya satu huruf.", "The :attribute must contain at least one number.": ":attribute harus mengandung setidaknya satu angka.", "The :attribute must contain at least one symbol.": ":attribute harus mengandung setidaknya satu simbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": ":attribute harus mengandung setidaknya satu huruf besar dan satu huruf kecil.", - "The :resource was created!": ":resource tehlah dibuat!", - "The :resource was deleted!": ":resource telah dihapus!", - "The :resource was restored!": ":resource telah dipulihkan!", - "The :resource was updated!": ":resource telah diperbarui!", - "The action ran successfully!": "Aksi berjalan dengan sukses!", - "The file was deleted!": "File telah dihapus!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": ":attribute yang diberikan telah muncul dalam kebocoran data. Silahkan pilih :attribute yang lain.", - "The government won't let us show you what's behind these doors": "Pemerintah tidak mengizinkan kami untuk menampilkan apa yang ada di balik pintu", - "The HasOne relationship has already been filled.": "Relasi HasOne telah diisi.", - "The payment was successful.": "Pembayaran sukses.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Kata sandi yang dimasukkan tidak cocok dengan kata sandi saat ini.", - "The provided password was incorrect.": "Kata sandi yang dimasukkan salah.", - "The provided two factor authentication code was invalid.": "Kode autentikasi dua faktor yang dimasukkan tidak valid.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Sumber telah diperbarui!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Nama tim dan informasi pemilik.", - "There are no available options for this resource.": "Tidak ada opsi yang tersedia untuk sumber ini.", - "There was a problem executing the action.": "Terdapat masalah saat menjalankan aksi.", - "There was a problem submitting the form.": "Terdapat masalah saat mengirim form.", - "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.": "Orang-orang ini telah diundang ke tim Anda dan telah dikirim email. Mereka bisa bergabung dengan tim dengan menerima email undangan.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Aksi ini tidak diijinkan.", - "This device": "Perangkat ini", - "This file field is read-only.": "Isian file ini hanya boleh dibaca.", - "This image": "Gambar ini", - "This is a secure area of the application. Please confirm your password before continuing.": "Ini adalah area aman pada aplikasi. Harap konfirmasi kata sandi anda sebelum melanjutkan.", - "This password does not match our records.": "Kata sandi ini tidak cocok dengan arsip kami.", "This password reset link will expire in :count minutes.": "Tautan pengaturan ulang kata sandi ini akan kedaluwarsa dalam :count menit.", - "This payment was already successfully confirmed.": "Pembayaran ini telah sukses dikonfirmasi.", - "This payment was cancelled.": "Pembayaran ini telah dibatalkan.", - "This resource no longer exists": "Sumber ini sudah tidak ada", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Pengguna ini sudah menjadi anggota tim.", - "This user has already been invited to the team.": "Pengguna ini sudah diundang ke dalam tim.", - "Timor-Leste": "Timor-Leste", "to": "kepada", - "Today": "Hari ini", "Toggle navigation": "Alihkan navigasi", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Nama Token", - "Tonga": "Tonga", "Too Many Attempts.": "Terlalu Banyak Percobaan.", "Too Many Requests": "Terlalu Banyak Permintaan", - "total": "total", - "Total:": "Total:", - "Trashed": "Dihapus", - "Trinidad And Tobago": "Trinidad dan Tobago", - "Tunisia": "Tunisia", - "Turkey": "Turki", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Kepulauan Turks dan Caicos", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Autentikasi Dua Faktor", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Autentikasi dua faktor sudah dinyalakan. Pindai kode QR menggunakan aplikasi autentikator pada handphone Anda.", - "Uganda": "Uganda", - "Ukraine": "Ukraina", "Unauthorized": "Tidak Diizinkan", - "United Arab Emirates": "Uni Emirat Arab", - "United Kingdom": "Britania Raya", - "United States": "Amerika Serikat", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "Kepulauan Terluar Kecil Amerika Serikat", - "Update": "Perbarui", - "Update & Continue Editing": "Perbarui & Lanjutkan Mengedit", - "Update :resource": "Perbarui :resource", - "Update :resource: :title": "Perbarui :resource: :title", - "Update attached :resource: :title": "Perbarui :resource: :title terlampir", - "Update Password": "Perbarui Kata Sandi", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Perbarui informasi profil dan alamat surel akun Anda.", - "Uruguay": "Uruguay", - "Use a recovery code": "Gunakan kode pemulihan", - "Use an authentication code": "Gunakan kode autentikasi", - "Uzbekistan": "Uzbekistan", - "Value": "Nilai", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Verifikasi Alamat Surel", "Verify Your Email Address": "Verifikasi Alamat Surel Anda", - "Viet Nam": "Vietnam", - "View": "Tampilan", - "Virgin Islands, British": "Kepulauan Virgin Inggris", - "Virgin Islands, U.S.": "Kepulauan Virgin Amerika Serikat", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis dan Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Kami tidak dapat menemukan pengguna terdaftar dengan alamat surel ini.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Kami tidak akan meminta lagi kata sandi Anda untuk beberapa jam.", - "We're lost in space. The page you were trying to view does not exist.": "Kita tersesat. Halaman yang anda coba tampilkan tidak ada.", - "Welcome Back!": "Selamat Datang Kembali!", - "Western Sahara": "Sahara Barat", - "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.": "Ketika autentikasi dua faktor dinyalakan, Anda akan diminta sebuah token aman dan acak ketika autentikasi. Anda bisa mendapat token ini dari aplikasi Google Authentikator pada handphone Anda.", - "Whoops": "Aduh", - "Whoops!": "Aduh!", - "Whoops! Something went wrong.": "Aduh! Terjadi kesalahan.", - "With Trashed": "Dengan Yang Telah Dihapus", - "Write": "Tulis", - "Year To Date": "Tahun Ke Tanggal", - "Yearly": "Yearly", - "Yemen": "Yaman", - "Yes": "Ya", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Anda telah login!", - "You are receiving this email because we received a password reset request for your account.": "Anda menerima surel ini karena kami menerima permintan pengaturan ulang kata sandi untuk akun anda.", - "You have been invited to join the :team team!": "Anda telah diundang untuk bergabung ke tim :team!", - "You have enabled two factor authentication.": "Anda telah menyalakan autentikasi dua faktor.", - "You have not enabled two factor authentication.": "Anda belum menyalakan autentikasi dua faktor.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "Anda bisa menghapus token yang ada bila tidak lagi dibutuhkan.", - "You may not delete your personal team.": "Anda tidak boleh menghapus tim pribadi Anda.", - "You may not leave a team that you created.": "Anda tidak dapat meninggalkan tim yang Anda buat.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Alamat surel Anda belum terverifikasi.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Alamat surel Anda belum terverifikasi." } diff --git a/locales/id/packages/cashier.json b/locales/id/packages/cashier.json new file mode 100644 index 00000000000..4eb823c5146 --- /dev/null +++ b/locales/id/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Hak Cipta Dilindungi.", + "Card": "Kartu", + "Confirm Payment": "Konfirmasi Pembayaran", + "Confirm your :amount payment": "Konfirmasi pembayaran :amount Anda", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Konfirmasi ekstra dibutuhkan untuk memproses pembayaran Anda. Harap konfirmasi pembayaran dengan mengisi detail pembayaran di bawah.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Konfirmasi ekstra dibutuhkan untuk memproses pembayaran Anda. Harap lanjutkan ke halaman pembayaran dengan mengklik pada tombol di bawah.", + "Full name": "Nama lengkap", + "Go back": "Kembali", + "Jane Doe": "Jane Doe", + "Pay :amount": "Bayar :amount", + "Payment Cancelled": "Pembayaran Dibatalkan", + "Payment Confirmation": "Konfirmasi Pembayaran", + "Payment Successful": "Pembayaran Berhasil", + "Please provide your name.": "Harap isi nama anda.", + "The payment was successful.": "Pembayaran sukses.", + "This payment was already successfully confirmed.": "Pembayaran ini telah sukses dikonfirmasi.", + "This payment was cancelled.": "Pembayaran ini telah dibatalkan." +} diff --git a/locales/id/packages/fortify.json b/locales/id/packages/fortify.json new file mode 100644 index 00000000000..47f024479f8 --- /dev/null +++ b/locales/id/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": ":attribute minimal berisi :length karakter dan mengandung setidaknya satu angka.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute minimal berisi :length karakter dan mengandung setidaknya satu karakter spesial dan satu angka.", + "The :attribute must be at least :length characters and contain at least one special character.": ":attribute minimal berisi :length karakter dan mengandung setidaknya satu karakter spesial.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute minimal berisi :length karakter dan mengandung setidaknya satu huruf besar dan satu angka.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":Attribute minimal berisi :length karakter dan mengandung setidaknya satu huruf besar dan satu karakter spesial.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":Attribute minimal berisi :length karakter dan mengandung setidaknya satu huruf besar, satu angka, dan satu karakter spesial.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute minimal berisi :length karakter dan mengandung setidaknya satu huruf besar.", + "The :attribute must be at least :length characters.": ":attribute minimal berisi :length karakter.", + "The provided password does not match your current password.": "Kata sandi yang dimasukkan tidak cocok dengan kata sandi saat ini.", + "The provided password was incorrect.": "Kata sandi yang dimasukkan salah.", + "The provided two factor authentication code was invalid.": "Kode autentikasi dua faktor yang dimasukkan tidak valid." +} diff --git a/locales/id/packages/jetstream.json b/locales/id/packages/jetstream.json new file mode 100644 index 00000000000..9fba325d40a --- /dev/null +++ b/locales/id/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Tautan verifikasi baru telah dikirim ke alamat surel yang Anda berikan saat pendaftaran.", + "Accept Invitation": "Terima Undangan", + "Add": "Tambah", + "Add a new team member to your team, allowing them to collaborate with you.": "Tambah anggota tim baru ke tim Anda, mengizinkan Mereka untuk berkolaborasi dengan Anda.", + "Add additional security to your account using two factor authentication.": "Tambah keamanan pada akun Anda menggunakan autentikasi dua faktor.", + "Add Team Member": "Tambah Anggota Tim", + "Added.": "Ditambahkan.", + "Administrator": "Administrator", + "Administrator users can perform any action.": "Administrator dapat menjalankan aksi apapun.", + "All of the people that are part of this team.": "Semua orang yang merupakan bagian dari tim ini.", + "Already registered?": "Sudah terdaftar?", + "API Token": "Token API", + "API Token Permissions": "Izin Token API", + "API Tokens": "Token API", + "API tokens allow third-party services to authenticate with our application on your behalf.": "Token API memungkinkan layanan pihak ketiga untuk mengautentikasi anda dengan aplikasi kita.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Apakah Anda yakin ingin menghapus tim ini? Setelah tim dihapus, seluruh sumber dan data akan dihapus secara permanen.", + "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.": "Apakah Anda yakin ingin menghapus akun Anda? Setelah akun Anda dihapus, seluruh sumber dan data akan dihapus secara permanen. Harap masukkan kata sandi untuk mengkonfirmasi bahwa Anda ingin menghapus akun secara permanen.", + "Are you sure you would like to delete this API token?": "Apakah Anda yakin ingin menghapus token API ini?", + "Are you sure you would like to leave this team?": "Apakah Anda yakin ingin keluar dari tim ini?", + "Are you sure you would like to remove this person from the team?": "Apakah Anda yakin ingin menghapus orang ini dari tim?", + "Browser Sessions": "Sesi Browser", + "Cancel": "Batal", + "Close": "Tutup", + "Code": "Kode", + "Confirm": "Konfirmasi", + "Confirm Password": "Konfirmasi Kata Sandi", + "Create": "Buat", + "Create a new team to collaborate with others on projects.": "Buat tim baru untuk berkolaborasi dengan lainnya pada proyek.", + "Create Account": "Buat Akun", + "Create API Token": "Buat Token API", + "Create New Team": "Buat Tim Baru", + "Create Team": "Buat Tim", + "Created.": "Dibuat.", + "Current Password": "Kata Sandi Saat Ini", + "Dashboard": "Dasbor", + "Delete": "Hapus", + "Delete Account": "Hapus Akun", + "Delete API Token": "Hapus Token API", + "Delete Team": "Hapus Tim", + "Disable": "Matikan", + "Done.": "Selesai.", + "Editor": "Penyunting", + "Editor users have the ability to read, create, and update.": "Editor memiliki kemampuan untuk membaca, membuat, dan memperbarui.", + "Email": "Surel", + "Email Password Reset Link": "Tautan Pengaturan Ulang Kata Sandi Surel", + "Enable": "Nyalakan", + "Ensure your account is using a long, random password to stay secure.": "Pastikan akun Anda menggunakan kata sandi yang panjang dan acak agar aman.", + "For your security, please confirm your password to continue.": "Untuk kemanan Anda, harap konfirmasi kata sandi untuk melanjutkan.", + "Forgot your password?": "Lupa kata sandi Anda?", + "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.": "Lupa kata sandi Anda? Tidak masalah. Beri tahu kami alamat surel Anda dan kami akan mengirimkan surel berisi tautan pengaturan ulang kata sandi yang memungkinkan Anda memilih kata sandi yang baru.", + "Great! You have accepted the invitation to join the :team team.": "Bagus! Anda telah menerima undangan untuk bergabung ke tim :team.", + "I agree to the :terms_of_service and :privacy_policy": "Saya menyetujui :terms_of_service dan :privacy_policy", + "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.": "Jika diperlukan, Anda bisa mengeluarkan seluruh sesi browser lainnya dari semua perangkat. Beberapa sesi baru Anda tercantum di bawah; namun, daftar ini bisa jadi tidak lengkap. Jika Anda merasa akun Anda telah disusupi, Anda harus memperbarui kata sandi.", + "If you already have an account, you may accept this invitation by clicking the button below:": "Jika Anda sudah memiliki akun, anda bisa menerima undangan ini dengan mengklik tombol di bawah:", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Jika Anda ingin untuk tidak menerima undangan tim ini, Anda bisa menghapus surel ini.", + "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:": "Jika Anda tidak memiliki akun, Anda bisa membuatnya dengan mengklik tombol di bawah. Setelah membuat akun, Anda bisa mengklik tombol terima undangan pada surel ini untuk menerima undangan tim:", + "Last active": "Terakhir aktif", + "Last used": "Terakhir digunakan", + "Leave": "Keluar", + "Leave Team": "Keluar Tim", + "Log in": "Masuk", + "Log Out": "Keluar", + "Log Out Other Browser Sessions": "Keluarkan Sesi Browser Lain", + "Manage Account": "Kelola Akun", + "Manage and log out your active sessions on other browsers and devices.": "Kelola dan keluarkan sesi aktif pada browser dan perangkat lain.", + "Manage API Tokens": "Kelola Token API", + "Manage Role": "Kelola Peran", + "Manage Team": "Kelola Tim", + "Name": "Nama", + "New Password": "Password Baru", + "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.": "Setelah tim dihapus, seluruh sumber dan datanya akan dihapus secara permanen. Sebelum menghapus tim ini, harap unduh data atau informasi apapun yang berkaitan dengan tim ini yang ingin disimpan.", + "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.": "Setelah akun dihapus, seluruh sumber dan datanya akan dihapus secara permanen. Sebelum menghapus akun ini, harap unduh data atau informasi apapun yang berkaitan dengan akun ini yang ingin disimpan.", + "Password": "Kata Sandi", + "Pending Team Invitations": "Undangan Tim Yang Ditunggu", + "Permanently delete this team.": "Hapus permanen tim ini.", + "Permanently delete your account.": "Hapus permanen akun Anda.", + "Permissions": "Izin", + "Photo": "Foto", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Harap konfirmasi akses ke akun Anda dengan memasukkan satu dari kode pemulihan darurat Anda.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Harap konfirmasi akses ke akun Anda dengan memasukkan kode autentikasi yang diberikan oleh aplikasi pengautentikasi Anda.", + "Please copy your new API token. For your security, it won't be shown again.": "Harap salin token API baru Anda. Untuk keamanan, token tidak akan ditampilkan lagi.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Harap isi kata sandi anda untuk mengkonfirmasi bahwa anda ingin keluar dari sesi browser lain yang ada di semua perangkat milik Anda.", + "Please provide the email address of the person you would like to add to this team.": "Harap isi alamat surel orang yang ingin anda tambahkan ke tim ini.", + "Privacy Policy": "Kebijakan Privasi", + "Profile": "Profil", + "Profile Information": "Informasi Profil", + "Recovery Code": "Kode Pemulihan", + "Regenerate Recovery Codes": "Perbarui Kode Pemulihan", + "Register": "Daftar", + "Remember me": "Ingat saya", + "Remove": "Hapus", + "Remove Photo": "Hapus Foto", + "Remove Team Member": "Hapus Anggota Tim", + "Resend Verification Email": "Kirim Ulang Surel Verifikasi", + "Reset Password": "Atur Ulang Kata Sandi", + "Role": "Peran", + "Save": "Simpan", + "Saved.": "Disimpan.", + "Select A New Photo": "Pilih Foto Baru", + "Show Recovery Codes": "Tampilkan Kode Pemulihan", + "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.": "Simpan kode pemulihan pada pengelola kata sandi yang aman. Kode tersebut dapat digunakan untuk memulihkan akses ke akun Anda jika perangkat autentikasi dua faktor anda hilang.", + "Switch Teams": "Ganti Tim", + "Team Details": "Detail Tim", + "Team Invitation": "Undangan Tim", + "Team Members": "Anggota Tim", + "Team Name": "Nama Tim", + "Team Owner": "Pemilik Tim", + "Team Settings": "Pengaturan Tim", + "Terms of Service": "Persyaratan Layanan", + "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.": "Terima kasih sudah mendaftar! Sebelum memulai, bisa kah Anda memverifikasi alamat surel dengan mengklik tautan yang kami kirim? Jika Anda tidak menerima surel, kami akan mengirim ulang.", + "The :attribute must be a valid role.": ":attribute harus merupakan peran yang valid.", + "The :attribute must be at least :length characters and contain at least one number.": ":attribute minimal berisi :length karakter dan mengandung setidaknya satu angka.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute minimal berisi :length karakter dan mengandung setidaknya satu karakter spesial dan satu angka.", + "The :attribute must be at least :length characters and contain at least one special character.": ":attribute minimal berisi :length karakter dan mengandung setidaknya satu karakter spesial.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute minimal berisi :length karakter dan mengandung setidaknya satu huruf besar dan satu angka.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":Attribute minimal berisi :length karakter dan mengandung setidaknya satu huruf besar dan satu karakter spesial.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":Attribute minimal berisi :length karakter dan mengandung setidaknya satu huruf besar, satu angka, dan satu karakter spesial.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute minimal berisi :length karakter dan mengandung setidaknya satu huruf besar.", + "The :attribute must be at least :length characters.": ":attribute minimal berisi :length karakter.", + "The provided password does not match your current password.": "Kata sandi yang dimasukkan tidak cocok dengan kata sandi saat ini.", + "The provided password was incorrect.": "Kata sandi yang dimasukkan salah.", + "The provided two factor authentication code was invalid.": "Kode autentikasi dua faktor yang dimasukkan tidak valid.", + "The team's name and owner information.": "Nama tim dan informasi pemilik.", + "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.": "Orang-orang ini telah diundang ke tim Anda dan telah dikirim email. Mereka bisa bergabung dengan tim dengan menerima email undangan.", + "This device": "Perangkat ini", + "This is a secure area of the application. Please confirm your password before continuing.": "Ini adalah area aman pada aplikasi. Harap konfirmasi kata sandi anda sebelum melanjutkan.", + "This password does not match our records.": "Kata sandi ini tidak cocok dengan arsip kami.", + "This user already belongs to the team.": "Pengguna ini sudah menjadi anggota tim.", + "This user has already been invited to the team.": "Pengguna ini sudah diundang ke dalam tim.", + "Token Name": "Nama Token", + "Two Factor Authentication": "Autentikasi Dua Faktor", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Autentikasi dua faktor sudah dinyalakan. Pindai kode QR menggunakan aplikasi autentikator pada handphone Anda.", + "Update Password": "Perbarui Kata Sandi", + "Update your account's profile information and email address.": "Perbarui informasi profil dan alamat surel akun Anda.", + "Use a recovery code": "Gunakan kode pemulihan", + "Use an authentication code": "Gunakan kode autentikasi", + "We were unable to find a registered user with this email address.": "Kami tidak dapat menemukan pengguna terdaftar dengan alamat surel ini.", + "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.": "Ketika autentikasi dua faktor dinyalakan, Anda akan diminta sebuah token aman dan acak ketika autentikasi. Anda bisa mendapat token ini dari aplikasi Google Authentikator pada handphone Anda.", + "Whoops! Something went wrong.": "Aduh! Terjadi kesalahan.", + "You have been invited to join the :team team!": "Anda telah diundang untuk bergabung ke tim :team!", + "You have enabled two factor authentication.": "Anda telah menyalakan autentikasi dua faktor.", + "You have not enabled two factor authentication.": "Anda belum menyalakan autentikasi dua faktor.", + "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.": "Anda bisa menghapus token yang ada bila tidak lagi dibutuhkan.", + "You may not delete your personal team.": "Anda tidak boleh menghapus tim pribadi Anda.", + "You may not leave a team that you created.": "Anda tidak dapat meninggalkan tim yang Anda buat." +} diff --git a/locales/id/packages/nova.json b/locales/id/packages/nova.json new file mode 100644 index 00000000000..a874aa11da0 --- /dev/null +++ b/locales/id/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Hari", + "60 Days": "60 Hari", + "90 Days": "90 Hari", + ":amount Total": "Total :amount", + ":resource Details": "Detail :resource", + ":resource Details: :title": "Detail :resource: :title", + "Action": "Aksi", + "Action Happened At": "Terjadi Pada", + "Action Initiated By": "Diinisiasikan Oleh", + "Action Name": "Nama Aksi", + "Action Status": "Status Aksi", + "Action Target": "Target Aksi", + "Actions": "Aksi", + "Add row": "Tambah baris", + "Afghanistan": "Afganistan", + "Aland Islands": "Kepulauan Åland", + "Albania": "Albania", + "Algeria": "Aljazair", + "All resources loaded.": "Semua sumber telah dimuat.", + "American Samoa": "Samoa Amerika", + "An error occured while uploading the file.": "Kesalahan terjadi ketika mengunggah file.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Pengguna lain telah memperbarui sumber setelah halaman ini dimuat. Harap segarkan halaman and coba lagi.", + "Antarctica": "Antarktika", + "Antigua And Barbuda": "Antigua dan Barbuda", + "April": "April", + "Are you sure you want to delete the selected resources?": "Apakah Anda yakin ingin menghapus sumber yang dipilih?", + "Are you sure you want to delete this file?": "Apakah Anda yakin ingin menghapus file ini?", + "Are you sure you want to delete this resource?": "Apakah Anda yakin ingin menghapus sumber ini?", + "Are you sure you want to detach the selected resources?": "Apakah Anda yakin ingin melepas sumber yang dipilih?", + "Are you sure you want to detach this resource?": "Apakah Anda yakin ingin melepas sumber ini?", + "Are you sure you want to force delete the selected resources?": "Apakah Anda yakin ingin menghapus paksa sumber yang dipilih?", + "Are you sure you want to force delete this resource?": "Apakah Anda yakin ingin menghapus paksa sumber ini?", + "Are you sure you want to restore the selected resources?": "Apakah Anda yakin ingin memulihkan sumber yang dipilih?", + "Are you sure you want to restore this resource?": "Apakah Anda yakin ingin memulihkan sumber ini?", + "Are you sure you want to run this action?": "Apakah Anda yakin ingin menjalankan aksi ini?", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Attach": "Lampirkan", + "Attach & Attach Another": "Lampirkan & Lampirkan Lainnya", + "Attach :resource": "Lampirkan :resource", + "August": "Agustus", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahama", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgia", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius dan Saba", + "Bosnia And Herzegovina": "Bosnia dan Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Pulau Bouvet", + "Brazil": "Brazil", + "British Indian Ocean Territory": "Wilayah Samudra Hindi Britania", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kamboja", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel": "Batal", + "Cape Verde": "Tanjung Verde", + "Cayman Islands": "Kepulauan Cayman", + "Central African Republic": "Republik Afrika Tengah", + "Chad": "Chad", + "Changes": "Perubahan", + "Chile": "Chili", + "China": "Cina", + "Choose": "Pilih", + "Choose :field": "Pilih :field", + "Choose :resource": "Pilih :resource", + "Choose an option": "Pilih opsi", + "Choose date": "Pilih tanggal", + "Choose File": "Pilih File", + "Choose Type": "Pilih Jenis", + "Christmas Island": "Pulau Natal", + "Click to choose": "Klik untuk memilih", + "Cocos (Keeling) Islands": "Kepulauan Cocos", + "Colombia": "Kolombia", + "Comoros": "Komoro", + "Confirm Password": "Konfirmasi Kata Sandi", + "Congo": "Kongo", + "Congo, Democratic Republic": "Republik Demokratik Kongo", + "Constant": "Konstan", + "Cook Islands": "Kepulauan Cook", + "Costa Rica": "Kosta Rika", + "Cote D'Ivoire": "Pantai Gading", + "could not be found.": "tidak adpat ditemukan.", + "Create": "Buat", + "Create & Add Another": "Buat & Tambah Lainnya", + "Create :resource": "Buat :resource", + "Croatia": "Kroasia", + "Cuba": "Kuba", + "Curaçao": "Curaçao", + "Customize": "Sesuaikan", + "Cyprus": "Siprus", + "Czech Republic": "Ceko", + "Dashboard": "Dasbor", + "December": "Desember", + "Decrease": "Mengurang", + "Delete": "Hapus", + "Delete File": "Hapus File", + "Delete Resource": "Hapus Sumber", + "Delete Selected": "Hapus Yang Dipilih", + "Denmark": "Denmark", + "Detach": "Lepas", + "Detach Resource": "Lepas Sumber", + "Detach Selected": "Lepas Yang Dipilih", + "Details": "Detail", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Apakah Anda yakin ingin keluar? Terdapat perubahan yang belum disimpan.", + "Dominica": "Dominika", + "Dominican Republic": "Republik Dominika", + "Download": "Unduh", + "Ecuador": "Ekuador", + "Edit": "Sunting", + "Edit :resource": "Sunting :resource", + "Edit Attached": "Edit Lampiran", + "Egypt": "Mesir", + "El Salvador": "El Salvador", + "Email Address": "Alamat Surel", + "Equatorial Guinea": "Guinea Khatulistiwa", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Etiopia", + "Falkland Islands (Malvinas)": "Kepulauan Falkland (Malvinas)", + "Faroe Islands": "Kepulauan Faroe", + "February": "Februari", + "Fiji": "Fiji", + "Finland": "Finlandia", + "Force Delete": "Hapus Paksa", + "Force Delete Resource": "Hapus Paksa Sumber", + "Force Delete Selected": "Hapus Paksa Yang Dipilih", + "Forgot Your Password?": "Lupa Kata Sandi Anda?", + "Forgot your password?": "Lupa kata sandi Anda?", + "France": "Prancis", + "French Guiana": "Guyana Prancis", + "French Polynesia": "Polinesia Prancis", + "French Southern Territories": "Daratan Selatan Prancis", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Jerman", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "Ke Halaman Utama", + "Greece": "Yunani", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Pulau Heard and Kepulauan McDonald", + "Hide Content": "Sembunyikan Konten", + "Hold Up!": "Tunggu!", + "Holy See (Vatican City State)": "Kota Vatikan", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hongaria", + "Iceland": "Islandia", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "Jika Anda tidak meminta pengaturan ulang kata sandi, Anda tidak perlu melakukan apapun.", + "Increase": "Menambah", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Iraq", + "Ireland": "Irlandia", + "Isle Of Man": "Pulau Man", + "Israel": "Israel", + "Italy": "Italia", + "Jamaica": "Jamaika", + "January": "Januari", + "Japan": "Jepang", + "Jersey": "Jersey", + "Jordan": "Yordania", + "July": "Juli", + "June": "Juni", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Key": "Kunci", + "Kiribati": "Kiribati", + "Korea": "Korea Selatan", + "Korea, Democratic People's Republic of": "Korea Utara", + "Kosovo": "Kosovo", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kirgizstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvia", + "Lebanon": "Lebanon", + "Lens": "Lens", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lituania", + "Load :perPage More": "Muat Lebih Banyak :perPage", + "Login": "Masuk", + "Logout": "Keluar", + "Luxembourg": "Luksemburg", + "Macao": "Makau", + "Macedonia": "Makedonia Utara", + "Madagascar": "Madagaskar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maladewa", + "Mali": "Mali", + "Malta": "Malta", + "March": "Maret", + "Marshall Islands": "Kepulauan Marshall", + "Martinique": "Martinik", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "May": "Mei", + "Mayotte": "Mayotte", + "Mexico": "Meksiko", + "Micronesia, Federated States Of": "Mikronesia", + "Moldova": "Moldova", + "Monaco": "Monako", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Month To Date": "Bulan Ke Tanggal", + "Montserrat": "Montserrat", + "Morocco": "Maroko", + "Mozambique": "Mozambik", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Belanda", + "New": "Baru", + "New :resource": ":resource Baru", + "New Caledonia": "Kaledonia Baru", + "New Zealand": "Selandia Baru", + "Next": "Berikutnya", + "Nicaragua": "Nikaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "Tidak", + "No :resource matched the given criteria.": "Tidak ada :resource yang cocok dengan kriteria.", + "No additional information...": "Tidak ada informasi tambahan...", + "No Current Data": "Tidak Ada Data Saat Ini", + "No Data": "Tidak Ada Data", + "no file selected": "tidak ada file yang dipilih", + "No Increase": "Tidak Ada Peningkatan", + "No Prior Data": "Tidak Ada Data Sebelumnya", + "No Results Found.": "Tidak Ada Hasil Yang Ditemukan.", + "Norfolk Island": "Pulai Norfolk", + "Northern Mariana Islands": "Kepulauan Mariana Utara", + "Norway": "Norwegia", + "Nova User": "Pengguna Nova", + "November": "November", + "October": "Oktober", + "of": "dari", + "Oman": "Oman", + "Only Trashed": "Hanya Yang Telah Dihapus", + "Original": "Orisinal", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestina", + "Panama": "Panama", + "Papua New Guinea": "Papua Nugini", + "Paraguay": "Paraguay", + "Password": "Kata Sandi", + "Per Page": "Per Halaman", + "Peru": "Peru", + "Philippines": "Filipina", + "Pitcairn": "Kepulauan Pitcairn", + "Poland": "Polandia", + "Portugal": "Portugal", + "Press \/ to search": "Tekan \/ untuk melakukan pencarian", + "Preview": "Pratinjau", + "Previous": "Sebelumnya", + "Puerto Rico": "Puerto Riko", + "Qatar": "Qatar", + "Quarter To Date": "Triwulan Ke Tanggal", + "Reload": "Muat ulang", + "Remember Me": "Ingat Saya", + "Reset Filters": "Reset Filter", + "Reset Password": "Atur Ulang Kata Sandi", + "Reset Password Notification": "Pemberitahuan Pengaturan Ulang Kata Sandi", + "resource": "sumber", + "Resources": "Sumber", + "resources": "sumber", + "Restore": "Pulihkan", + "Restore Resource": "Pulihkan Sumber", + "Restore Selected": "Pulihkan Yang Dipilih", + "Reunion": "Reuni", + "Romania": "Romania", + "Run Action": "Jalankan Aksi", + "Russian Federation": "Federasi Rusia", + "Rwanda": "Rwanda", + "Saint Barthelemy": "Saint Barthelemy", + "Saint Helena": "Saint Helena", + "Saint Kitts And Nevis": "Saint Kitts dan Nevis", + "Saint Lucia": "Saint Lucia", + "Saint Martin": "Saint Martin", + "Saint Pierre And Miquelon": "Saint Pierre And Miquelon", + "Saint Vincent And Grenadines": "Saint Vincent And Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "São Tomé dan Príncipe", + "Saudi Arabia": "Arab Saudi", + "Search": "Cari", + "Select Action": "Pilih Aksi", + "Select All": "Pilih Semua", + "Select All Matching": "Pilih Semua Yang Cocok", + "Send Password Reset Link": "Kirim Tautan Pengaturan Ulang Kata Sandi", + "Senegal": "Senegal", + "September": "September", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Show All Fields": "Tampilkan Semua Isian", + "Show Content": "Tampikan Konten", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapura", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slowakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Kepulauan Solomon", + "Somalia": "Somalia", + "Something went wrong.": "Terjadi kesalahan.", + "Sorry! You are not authorized to perform this action.": "Maaf! Anda tidak memiliki otorisasi untuk menjalankan aksi ini.", + "Sorry, your session has expired.": "Maaf, sesi anda sudah kedaluwarsa.", + "South Africa": "Afrika Selatan", + "South Georgia And Sandwich Isl.": "Georgia Selatan dan Kepulauan Sandwich Selatan", + "South Sudan": "Sudan Selatan", + "Spain": "Spanyol", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Mulai Polling", + "Stop Polling": "Hentikan Polling", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard dan Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Swedia", + "Switzerland": "Swiss", + "Syrian Arab Republic": "Suriah", + "Taiwan": "Taiwan", + "Tajikistan": "Tajikistan", + "Tanzania": "Tanzania", + "Thailand": "Thailand", + "The :resource was created!": ":resource tehlah dibuat!", + "The :resource was deleted!": ":resource telah dihapus!", + "The :resource was restored!": ":resource telah dipulihkan!", + "The :resource was updated!": ":resource telah diperbarui!", + "The action ran successfully!": "Aksi berjalan dengan sukses!", + "The file was deleted!": "File telah dihapus!", + "The government won't let us show you what's behind these doors": "Pemerintah tidak mengizinkan kami untuk menampilkan apa yang ada di balik pintu", + "The HasOne relationship has already been filled.": "Relasi HasOne telah diisi.", + "The resource was updated!": "Sumber telah diperbarui!", + "There are no available options for this resource.": "Tidak ada opsi yang tersedia untuk sumber ini.", + "There was a problem executing the action.": "Terdapat masalah saat menjalankan aksi.", + "There was a problem submitting the form.": "Terdapat masalah saat mengirim form.", + "This file field is read-only.": "Isian file ini hanya boleh dibaca.", + "This image": "Gambar ini", + "This resource no longer exists": "Sumber ini sudah tidak ada", + "Timor-Leste": "Timor-Leste", + "Today": "Hari ini", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "total": "total", + "Trashed": "Dihapus", + "Trinidad And Tobago": "Trinidad dan Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turki", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Kepulauan Turks dan Caicos", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraina", + "United Arab Emirates": "Uni Emirat Arab", + "United Kingdom": "Britania Raya", + "United States": "Amerika Serikat", + "United States Outlying Islands": "Kepulauan Terluar Kecil Amerika Serikat", + "Update": "Perbarui", + "Update & Continue Editing": "Perbarui & Lanjutkan Mengedit", + "Update :resource": "Perbarui :resource", + "Update :resource: :title": "Perbarui :resource: :title", + "Update attached :resource: :title": "Perbarui :resource: :title terlampir", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Value": "Nilai", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Tampilan", + "Virgin Islands, British": "Kepulauan Virgin Inggris", + "Virgin Islands, U.S.": "Kepulauan Virgin Amerika Serikat", + "Wallis And Futuna": "Wallis dan Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Kita tersesat. Halaman yang anda coba tampilkan tidak ada.", + "Welcome Back!": "Selamat Datang Kembali!", + "Western Sahara": "Sahara Barat", + "Whoops": "Aduh", + "Whoops!": "Aduh!", + "With Trashed": "Dengan Yang Telah Dihapus", + "Write": "Tulis", + "Year To Date": "Tahun Ke Tanggal", + "Yemen": "Yaman", + "Yes": "Ya", + "You are receiving this email because we received a password reset request for your account.": "Anda menerima surel ini karena kami menerima permintan pengaturan ulang kata sandi untuk akun anda.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/id/packages/spark-paddle.json b/locales/id/packages/spark-paddle.json new file mode 100644 index 00000000000..daaa8eca71a --- /dev/null +++ b/locales/id/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Persyaratan Layanan", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Aduh! Terjadi kesalahan.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/id/packages/spark-stripe.json b/locales/id/packages/spark-stripe.json new file mode 100644 index 00000000000..d106448e254 --- /dev/null +++ b/locales/id/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afganistan", + "Albania": "Albania", + "Algeria": "Aljazair", + "American Samoa": "Samoa Amerika", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarktika", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahama", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgia", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Pulau Bouvet", + "Brazil": "Brazil", + "British Indian Ocean Territory": "Wilayah Samudra Hindi Britania", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kamboja", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Tanjung Verde", + "Card": "Kartu", + "Cayman Islands": "Kepulauan Cayman", + "Central African Republic": "Republik Afrika Tengah", + "Chad": "Chad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Chili", + "China": "Cina", + "Christmas Island": "Pulau Natal", + "City": "City", + "Cocos (Keeling) Islands": "Kepulauan Cocos", + "Colombia": "Kolombia", + "Comoros": "Komoro", + "Confirm Payment": "Konfirmasi Pembayaran", + "Confirm your :amount payment": "Konfirmasi pembayaran :amount Anda", + "Congo": "Kongo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Kepulauan Cook", + "Costa Rica": "Kosta Rika", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Kroasia", + "Cuba": "Kuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Siprus", + "Czech Republic": "Ceko", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Denmark", + "Djibouti": "Djibouti", + "Dominica": "Dominika", + "Dominican Republic": "Republik Dominika", + "Download Receipt": "Download Receipt", + "Ecuador": "Ekuador", + "Egypt": "Mesir", + "El Salvador": "El Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Guinea Khatulistiwa", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Etiopia", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Konfirmasi ekstra dibutuhkan untuk memproses pembayaran Anda. Harap lanjutkan ke halaman pembayaran dengan mengklik pada tombol di bawah.", + "Falkland Islands (Malvinas)": "Kepulauan Falkland (Malvinas)", + "Faroe Islands": "Kepulauan Faroe", + "Fiji": "Fiji", + "Finland": "Finlandia", + "France": "Prancis", + "French Guiana": "Guyana Prancis", + "French Polynesia": "Polinesia Prancis", + "French Southern Territories": "Daratan Selatan Prancis", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Jerman", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Yunani", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Kota Vatikan", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hongaria", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Islandia", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Iraq", + "Ireland": "Irlandia", + "Isle of Man": "Isle of Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italia", + "Jamaica": "Jamaika", + "Japan": "Jepang", + "Jersey": "Jersey", + "Jordan": "Yordania", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Korea Utara", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kirgizstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvia", + "Lebanon": "Lebanon", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lituania", + "Luxembourg": "Luksemburg", + "Macao": "Makau", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagaskar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maladewa", + "Mali": "Mali", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Kepulauan Marshall", + "Martinique": "Martinik", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Meksiko", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monako", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Maroko", + "Mozambique": "Mozambik", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Belanda", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Kaledonia Baru", + "New Zealand": "Selandia Baru", + "Nicaragua": "Nikaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Pulai Norfolk", + "Northern Mariana Islands": "Kepulauan Mariana Utara", + "Norway": "Norwegia", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestina", + "Panama": "Panama", + "Papua New Guinea": "Papua Nugini", + "Paraguay": "Paraguay", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Filipina", + "Pitcairn": "Kepulauan Pitcairn", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Polandia", + "Portugal": "Portugal", + "Puerto Rico": "Puerto Riko", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Romania", + "Russian Federation": "Federasi Rusia", + "Rwanda": "Rwanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Saint Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Saint Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Arab Saudi", + "Save": "Simpan", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapura", + "Slovakia": "Slowakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Kepulauan Solomon", + "Somalia": "Somalia", + "South Africa": "Afrika Selatan", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Spanyol", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Swedia", + "Switzerland": "Swiss", + "Syrian Arab Republic": "Suriah", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tajikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Persyaratan Layanan", + "Thailand": "Thailand", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turki", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraina", + "United Arab Emirates": "Uni Emirat Arab", + "United Kingdom": "Britania Raya", + "United States": "Amerika Serikat", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Perbarui", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Kepulauan Virgin Inggris", + "Virgin Islands, U.S.": "Kepulauan Virgin Amerika Serikat", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Sahara Barat", + "Whoops! Something went wrong.": "Aduh! Terjadi kesalahan.", + "Yearly": "Yearly", + "Yemen": "Yaman", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/is/is.json b/locales/is/is.json index 7e34edc8424..935a379547c 100644 --- a/locales/is/is.json +++ b/locales/is/is.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Daga", - "60 Days": "60 Daga", - "90 Days": "90 Daga", - ":amount Total": ":amount Alls", - ":days day trial": ":days day trial", - ":resource Details": ":resource Upplýsingar", - ":resource Details: :title": ":resource Upplýsingar: :title", "A fresh verification link has been sent to your email address.": "Ferskt staðfestingu hlekkur hefur verið send til netfangið þitt.", - "A new verification link has been sent to the email address you provided during registration.": "Nýja staðfestingu hlekkur hefur verið send til netfangið sem þú gafst upp á skráningu.", - "Accept Invitation": "Þiggja Boð", - "Action": "Aðgerð", - "Action Happened At": "Gerðist Á", - "Action Initiated By": "Frumkvæði", - "Action Name": "Nafnið", - "Action Status": "Staða", - "Action Target": "Miða", - "Actions": "Aðgerðir", - "Add": "Bæta", - "Add a new team member to your team, allowing them to collaborate with you.": "Bæta nýtt lið meðlimur til að þitt lið, leyfa þeim að vinna með þér.", - "Add additional security to your account using two factor authentication.": "Bæta fleiri öryggi á reikninginn þinn með tvær þáttur staðfesting.", - "Add row": "Bæta röðinni", - "Add Team Member": "Bæta Lið Meðlimur", - "Add VAT Number": "Add VAT Number", - "Added.": "Bætt við.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Stjórnandi", - "Administrator users can perform any action.": "Stjórnandi notendur hægt að framkvæma aðgerð.", - "Afghanistan": "Afganistan", - "Aland Islands": "Krist Eyjar", - "Albania": "Albaníu", - "Algeria": "Alsír", - "All of the people that are part of this team.": "Allt fólkið sem eru hluti af þessu liði.", - "All resources loaded.": "Öll úrræði hlaðinn.", - "All rights reserved.": "Allt réttindi frátekið.", - "Already registered?": "Þegar skráð?", - "American Samoa": "American Samóa", - "An error occured while uploading the file.": "Villa kom á meðan hlaða skrá.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorsk", - "Angola": "Angóla", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Annar notandi hefur uppfært þetta auðlind þar sem þetta page var hlaðinn. Vinsamlegast hressa síðu og reyna aftur.", - "Antarctica": "Suðurskautslandið", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "San Marino", - "API Token": "API Skapi", - "API Token Permissions": "API Skapi Leyfi", - "API Tokens": "API Tákn", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API tákn leyfa þriðja aðila þjónustu til að staðfesta með umsókn okkar á þínum vegum.", - "April": "Apríl", - "Are you sure you want to delete the selected resources?": "Ertu viss um að þú vilt eyða valið auðlindir?", - "Are you sure you want to delete this file?": "Ertu viss um að þú viljir að eyða þessari skrá?", - "Are you sure you want to delete this resource?": "Ertu viss um að þú viljir að eyða þessu úrræði?", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Ertu viss um að þú vilt fá þetta lið? Þegar hópur er eytt, öll úrræði og gögnum verður endanlega eytt.", - "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.": "Ertu viss um að þú viljir að eyða reikningnum þínum? Einu sinni á reikninginn þinn er eytt, öll úrræði og gögnum verður endanlega eytt. Sláðu inn lykilorðið þitt til að staðfesta að þú langar til að eyða þinn reikning.", - "Are you sure you want to detach the selected resources?": "Ertu viss um að þú viljir að taktu valið auðlindir?", - "Are you sure you want to detach this resource?": "Ertu viss um að þú viljir að taktu þetta auðlind?", - "Are you sure you want to force delete the selected resources?": "Ertu viss um að þú viljir að þvinga eyða völdum auðlindir?", - "Are you sure you want to force delete this resource?": "Ertu viss um að þú viljir að þvinga eyða þessu úrræði?", - "Are you sure you want to restore the selected resources?": "Ertu viss um að þú viljir endurheimta valið auðlindir?", - "Are you sure you want to restore this resource?": "Ertu viss um að þú viljir endurheimta þetta auðlind?", - "Are you sure you want to run this action?": "Ertu viss um að þú viljir hlaupa í þessari aðgerð?", - "Are you sure you would like to delete this API token?": "Ertu viss um að þú vilt fá þetta API skapi?", - "Are you sure you would like to leave this team?": "Ertu viss um að þú vilt að yfirgefa þetta lið?", - "Are you sure you would like to remove this person from the team?": "Ertu viss um að þú vilt að fjarlægja þennan mann úr lið?", - "Argentina": "Argentínu", - "Armenia": "Guinea", - "Aruba": "Aruba", - "Attach": "Hengja", - "Attach & Attach Another": "Hengja & Hengja Annar", - "Attach :resource": "Hengja :resource", - "August": "Ágúst", - "Australia": "Ástralía", - "Austria": "Austurríki", - "Azerbaijan": "Mósambík", - "Bahamas": "Bahamaeyjar", - "Bahrain": "Jórdanía", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Áður en lengra er haldið, skoðaðu tölvupóstinn fyrir sönnun hlekkur.", - "Belarus": "Hvíta", - "Belgium": "Belgíu", - "Belize": "Belize", - "Benin": "Sierra leone", - "Bermuda": "Bermuda", - "Bhutan": "Sierra leone", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bólivía", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Púertó ríkó, Saint Eustatius og Laugardagur", - "Bosnia And Herzegovina": "Bosníu og Herzegóvínu", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvet Island", - "Brazil": "Brasilíu", - "British Indian Ocean Territory": "Breska Indlandshafi Yfirráðasvæði", - "Browser Sessions": "Vafra Fundum", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Búlgaríu", - "Burkina Faso": "Kína", - "Burundi": "Búrúndí", - "Cambodia": "Kambódíu", - "Cameroon": "Kamerún", - "Canada": "Kanada", - "Cancel": "Hætta", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Cape Verde", - "Card": "Kort", - "Cayman Islands": "Cayman Eyjum", - "Central African Republic": "Mið-Afríku Lýðveldinu", - "Chad": "Chad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Breytingar", - "Chile": "Chile", - "China": "Kína", - "Choose": "Veldu", - "Choose :field": "Velja :field", - "Choose :resource": "Velja :resource", - "Choose an option": "Veldu valkost", - "Choose date": "Veldu dagsetningu", - "Choose File": "Velja Skrá", - "Choose Type": "Velja Tegund", - "Christmas Island": "Jól Island", - "City": "City", "click here to request another": "smella hér til að biðja annar", - "Click to choose": "Smelltu á að velja", - "Close": "Loka", - "Cocos (Keeling) Islands": "Cocos (Keeling) Eyjar", - "Code": "Númerið", - "Colombia": "Kólumbía", - "Comoros": "Þrælkunarvinnu", - "Confirm": "Staðfesta", - "Confirm Password": "Staðfesta Lykilorð", - "Confirm Payment": "Staðfesta Greiðslu", - "Confirm your :amount payment": "Staðfesta :amount greiðslu", - "Congo": "Kongó", - "Congo, Democratic Republic": "Kiribati", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Stöðug", - "Cook Islands": "Cook-Eyjum", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "gæti ekki verið að finna.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Búa", - "Create & Add Another": "Búa & Bæta Við Öðru", - "Create :resource": "Búa :resource", - "Create a new team to collaborate with others on projects.": "Að búa til nýtt lið til að vinna með öðrum á verkefni.", - "Create Account": "Stofna Reikning", - "Create API Token": "Búa API Skapi", - "Create New Team": "Að Búa Til Nýtt Lið", - "Create Team": "Búa Lið", - "Created.": "Búin.", - "Croatia": "Króatíu", - "Cuba": "Kúbu", - "Curaçao": "Curacao", - "Current Password": "Núverandi Lykilorð", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Aðlaga", - "Cyprus": "Kýpur", - "Czech Republic": "Tékklandi", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Mælaborðinu", - "December": "Desember", - "Decrease": "Lækkun", - "Delete": "Eyða", - "Delete Account": "Eyða Reikning", - "Delete API Token": "Hreinn API Skapi", - "Delete File": "Eyða Skrá", - "Delete Resource": "Eyða Auðlind", - "Delete Selected": "Eyða Völdum", - "Delete Team": "Eyða Lið", - "Denmark": "Danmörk", - "Detach": "Taktu", - "Detach Resource": "Taktu Auðlind", - "Detach Selected": "Taktu Valið", - "Details": "Upplýsingar", - "Disable": "Slökkva", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Viltu virkilega að fara? Þú hefur búið breytingar.", - "Dominica": "Sunnudagur", - "Dominican Republic": "Norður-Lýðveldið", - "Done.": "Gert.", - "Download": "Sækja", - "Download Receipt": "Download Receipt", "E-Mail Address": "Netfang", - "Ecuador": "Ekvador", - "Edit": "Breyta", - "Edit :resource": "Breyta :resource", - "Edit Attached": "Breyta Fylgir", - "Editor": "Ritstjóri", - "Editor users have the ability to read, create, and update.": "Ritstjóri notendur hefur getu til að lesa, búa, og uppfærslu.", - "Egypt": "Egyptaland", - "El Salvador": "Salvador", - "Email": "Sendu", - "Email Address": "Netfangið", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Sendu Lykilorð Endurstilla Hlekkur", - "Enable": "Virkja", - "Ensure your account is using a long, random password to stay secure.": "Að tryggja reikninginn þinn er með lengi, af handahófi lykilorð til að vera örugg.", - "Equatorial Guinea": "Í Miðbaugs-Guineu", - "Eritrea": "Burma", - "Estonia": "Eistland", - "Ethiopia": "Eþíópíu", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Auka staðfestingu þarf að vinna greiðslu þinni. Gjörið svo vel að staðfesta greiðslu þinni með því að fylla út upplýsingar greiðslu fyrir neðan.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Auka staðfestingu þarf að vinna greiðslu þinni. Vinsamlegast haldið áfram að greiðslu þinni með því að ýta á takkann neðan.", - "Falkland Islands (Malvinas)": "Falklandseyjar (Malvinas)", - "Faroe Islands": "Finnland", - "February": "Febrúar", - "Fiji": "Fiji", - "Finland": "Finnland", - "For your security, please confirm your password to continue.": "Fyrir öryggi þitt, vinsamlegast staðfesta lykilorð þitt til að halda áfram.", "Forbidden": "Bannað", - "Force Delete": "Gildi Eyða", - "Force Delete Resource": "Gildi Eyða Auðlind", - "Force Delete Selected": "Gildi Eyða Völdum", - "Forgot Your Password?": "Gleymdi Lykilorðið Þitt?", - "Forgot your password?": "Gleymdi lykilorðið þitt?", - "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.": "Gleymdi lykilorðið þitt? Ekkert vandamál. Bara að láta okkur vita netfangið þitt og við munum senda þér lykilorð endurstilla hlekkur sem verður að leyfa þér að velja nýtt einn.", - "France": "Frakkland", - "French Guiana": "Guatemala", - "French Polynesia": "Franska Polynesia", - "French Southern Territories": "Franska Suður Svæðum", - "Full name": "Fullt nafn", - "Gabon": "Wallis", - "Gambia": "Gambía", - "Georgia": "Georgia", - "Germany": "Þýskaland", - "Ghana": "Ghana", - "Gibraltar": "Gíbraltar", - "Go back": "Fara til baka", - "Go Home": "Farið Heim", "Go to page :page": "Fara á síðu :page", - "Great! You have accepted the invitation to join the :team team.": "Frábær! Þú hefur þegið boð til að taka þátt í :team lið.", - "Greece": "Grikkland", - "Greenland": "Grænland", - "Grenada": "Grenada", - "Guadeloupe": "Írland", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Andorra", - "Guinea": "Guinea", - "Guinea-Bissau": "Ghana", - "Guyana": "Andorra", - "Haiti": "Haítí", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Heyrt Island og McDonald Eyjar", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Halló!", - "Hide Content": "Fela Efni", - "Hold Up!": "Halda Upp!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Hondúras", - "Hong Kong": "Hong Kong", - "Hungary": "Ungverjaland", - "I agree to the :terms_of_service and :privacy_policy": "Ég er sammála að :terms_of_service og :privacy_policy", - "Iceland": "Íslandi", - "ID": "SKILRÍKI", - "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.": "Ef nauðsyn krefur, þú getur skrá þig út af öllum öðrum vafra fundum yfir öll tæki. Sumir af undanförnum fundum eru hér fyrir neðan, en þetta sinn má ekki tæmandi. Ef þér finnst þinn reikning hefur verið í hættu, þú ættir líka að uppfæra lykilorð.", "If necessary, you may logout 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.": "Ef nauðsyn krefur, þú getur skrá þig út af öllum öðrum vafra fundum yfir öll tæki. Sumir af undanförnum fundum eru hér fyrir neðan, en þetta sinn má ekki tæmandi. Ef þér finnst þinn reikning hefur verið í hættu, þú ættir líka að uppfæra lykilorð.", - "If you already have an account, you may accept this invitation by clicking the button below:": "Ef þú ert nú þegar með reikning, getur þú að samþykkja þetta boð með því að ýta á takkann neðan:", "If you did not create an account, no further action is required.": "Ef þú ekki að stofna reikning, engar frekari aðgerð er krafist.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Ef þú gerðir ekki ráð að fá boð um að þetta lið, þú getur henda þessum tölvupósti.", "If you did not receive the email": "Ef þú ekki að fá tölvupóstinn", - "If you did not request a password reset, no further action is required.": "Ef þú hefur ekki beðið lykilorð endurstilla, engar frekari aðgerð er krafist.", - "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:": "Ef þú ert ekki með reikning, þú getur búið einn af því að smella á hnappinn fyrir neðan. Eftir að stofna reikning, þú getur smelltu boð samþykki hnappinn í þessum tölvupósti til að samþykkja lið boð:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Ef þú ert í vandræðum með að smella á \":actionText\" takka, afrit og líma SLÓÐINA neðan\ní vafra:", - "Increase": "Auka", - "India": "Indland", - "Indonesia": "Ódýrt", "Invalid signature.": "Ógilt undirskrift.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Íran", - "Iraq": "Írak", - "Ireland": "Írland", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Isle of Man", - "Israel": "Ísrael", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Ítalía", - "Jamaica": "Jamaica", - "January": "Janúar", - "Japan": "Japan", - "Jersey": "Jersey", - "Jordan": "Jordan", - "July": "Júlí", - "June": "Júní", - "Kazakhstan": "Kasakstan", - "Kenya": "Kenýa", - "Key": "Lykillinn", - "Kiribati": "Kiribati", - "Korea": "Suður-Kórea", - "Korea, Democratic People's Republic of": "Norður-Kórea", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kúveit", - "Kyrgyzstan": "Mali", - "Lao People's Democratic Republic": "Laos", - "Last active": "Síðast virkt", - "Last used": "Síðasta notað", - "Latvia": "Lettlandi", - "Leave": "Látið", - "Leave Team": "Látið Lið", - "Lebanon": "Líbanon", - "Lens": "Linsu", - "Lesotho": "Úsbekistan", - "Liberia": "Evrópa", - "Libyan Arab Jamahiriya": "Líbýu", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Litháen", - "Load :perPage More": "Hlaða :perPage Fleiri", - "Log in": "Skráðu þig í", "Log out": "Að skrá þig út", - "Log Out": "Að Skrá Þig Út", - "Log Out Other Browser Sessions": "Að Skrá Þig Út Öðrum Vafra Fundum", - "Login": "Tenging", - "Logout": "Út", "Logout Other Browser Sessions": "Út Öðrum Vafra Fundum", - "Luxembourg": "Lúxemborg", - "Macao": "Macao", - "Macedonia": "Norður Makedóníu", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagaskar", - "Malawi": "Bangladesh", - "Malaysia": "Malasíu", - "Maldives": "Maldives", - "Mali": "Lítill", - "Malta": "Möltu", - "Manage Account": "Stjórna Reikning", - "Manage and log out your active sessions on other browsers and devices.": "Stjórna og skrá þig út virk fundur á öðrum þína og tæki.", "Manage and logout your active sessions on other browsers and devices.": "Stjórna og út virka fundur á öðrum þína og tæki.", - "Manage API Tokens": "Stjórna API Tákn", - "Manage Role": "Stjórna Hlutverki", - "Manage Team": "Stjórna Liðinu", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Mars", - "Marshall Islands": "Eyjarnar Marshall", - "Martinique": "Martinique", - "Mauritania": "Kristnir", - "Mauritius": "Marokkó", - "May": "Getur", - "Mayotte": "Senegal", - "Mexico": "Mexíkó", - "Micronesia, Federated States Of": "Míkrónesíu", - "Moldova": "Moldavíu", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Mónakó", - "Mongolia": "Kamerún", - "Montenegro": "Montenegro", - "Month To Date": "Mánuð Til Að Stefnumótinu", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Caribbean", - "Morocco": "Marokkó", - "Mozambique": "Mósambík", - "Myanmar": "Búrma", - "Name": "Nafnið", - "Namibia": "Namibíu", - "Nauru": "India", - "Nepal": "Nepal", - "Netherlands": "Hollandi", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Gleymdu", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Nýja", - "New :resource": "Nýja :resource", - "New Caledonia": "Chad", - "New Password": "Nýtt Lykilorð", - "New Zealand": "Nýja-Sjáland", - "Next": "Næstu", - "Nicaragua": "Níkaragúa", - "Niger": "Náttfari", - "Nigeria": "Nígeríu", - "Niue": "Mósambík", - "No": "Enga", - "No :resource matched the given criteria.": "Nei :resource passa gefið skilyrði.", - "No additional information...": "Engar frekari upplýsingar...", - "No Current Data": "Engin Gögn Núverandi", - "No Data": "Engin Gögn", - "no file selected": "engin skrá valið", - "No Increase": "Engin Auka", - "No Prior Data": "Engin Fyrri Gögnum", - "No Results Found.": "Engar Niðurstöður Fann.", - "Norfolk Island": "Chesapeake Island", - "Northern Mariana Islands": "Norður-Eyjum", - "Norway": "Noregur", "Not Found": "Ekki Að Finna", - "Nova User": "Nova Notandi", - "November": "Nóvember", - "October": "Október", - "of": "af", "Oh no": "Ó, nei", - "Oman": "Oman", - "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.": "Þegar hópur er eytt, öll úrræði og gögnum verður endanlega eytt. Áður en þú eyðir þetta lið skaltu sækja hvaða gögn eða upplýsingar um þetta lið sem þú vilt halda.", - "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.": "Einu sinni á reikninginn þinn er eytt, öll úrræði og gögnum verður endanlega eytt. Áður en þú eyðir á reikninginn þinn, skaltu sækja hvaða gögn eða upplýsingar sem þú vilt halda.", - "Only Trashed": "Bara Rugl", - "Original": "Upprunalega", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Page Liðinn", "Pagination Navigation": "Pagination Siglingar", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Palestínu", - "Panama": "Panama", - "Papua New Guinea": "Papúa Nýja Gínea", - "Paraguay": "Paragvæ", - "Password": "Lykilorð", - "Pay :amount": "Borga :amount", - "Payment Cancelled": "Greiðslu Aflýst", - "Payment Confirmation": "Staðfestingu Greiðslu", - "Payment Information": "Payment Information", - "Payment Successful": "Greiðslu Vel", - "Pending Team Invitations": "Bið Lið Boð", - "Per Page": "Á Síðu", - "Permanently delete this team.": "Varanlega eyða þetta lið.", - "Permanently delete your account.": "Varanlega eyða þinn reikning.", - "Permissions": "Heimildir", - "Peru": "Peru", - "Philippines": "Filippseyjum", - "Photo": "Ljósmynd", - "Pitcairn": "Pitcairn", "Please click the button below to verify your email address.": "Vinsamlegast smelltu á hnappinn undir til að staðfesta netfangið þitt.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Gjörið svo vel að staðfesta aðgang að reikningnum þínum með því að slá einn af þínum neyðartilvikum bata númer.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Gjörið svo vel að staðfesta aðgang að reikningnum þínum með því að slá staðfesting númerið hjá authenticator umsókn.", "Please confirm your password before continuing.": "Vinsamlegast staðfesta lykilorð þitt áður en þú heldur áfram.", - "Please copy your new API token. For your security, it won't be shown again.": "Vinsamlegast afrit nýja API skapi. Fyrir öryggi þitt, það verður ekki sýnt aftur.", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Sláðu inn lykilorðið þitt til að staðfesta að þú langar til að skrá þig út af öðrum vafra fundum yfir öll tæki.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Sláðu inn lykilorðið þitt til að staðfesta að þú langar til að skrá þig út af öðrum vafra fundum yfir öll tæki.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "Please provide the email address of the person you would like to add to this team.": "Vinsamlegast gefðu netfangið sem þú vilt að bæta við þetta lið.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Vinsamlegast gefðu netfangið sem þú vilt að bæta við þetta lið. Netfangið verður að vera í tengslum við núverandi reikning.", - "Please provide your name.": "Gefðu nafn þitt.", - "Poland": "Pólland", - "Portugal": "Portúgal", - "Press \/ to search": "Ýttu \/ að leita að", - "Preview": "Forskoðun", - "Previous": "Fyrri", - "Privacy Policy": "Næði Stefnu", - "Profile": "Sniðið", - "Profile Information": "Upplýsingar", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Ársfjórðungi Hingað", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Bata Kóða", "Regards": "Kveðjur", - "Regenerate Recovery Codes": "Endurfæða Bata Númerin", - "Register": "Skrá", - "Reload": "Að endurhlaða", - "Remember me": "Manstu eftir mér", - "Remember Me": "Manstu Eftir Mér", - "Remove": "Fjarlægja", - "Remove Photo": "Taktu Mynd", - "Remove Team Member": "Fjarlægja Lið Meðlimur", - "Resend Verification Email": "Senda Staðfestingu Tölvupósti", - "Reset Filters": "Endurstilla Síur", - "Reset Password": "Endurstilla Lykilorð", - "Reset Password Notification": "Endurstilla Lykilorð Tilkynningu", - "resource": "auðlind", - "Resources": "Auðlindir", - "resources": "auðlindir", - "Restore": "Endurheimta", - "Restore Resource": "Endurheimta Auðlind", - "Restore Selected": "Endurheimta Valið", "results": "niðurstöður", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Fundur", - "Role": "Hlutverki", - "Romania": "Rúmenía", - "Run Action": "Hlaupa Til Aðgerða", - "Russian Federation": "Rússlands", - "Rwanda": "Rúanda", - "Réunion": "Réunion", - "Saint Barthelemy": "St Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "St Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "Sankti Kristófer og Nevis", - "Saint Lucia": "Singapúr", - "Saint Martin": "St Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "St Pierre og Karíbahafi", - "Saint Vincent And Grenadines": "St Vincent og Rúst", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samóa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "Sao Tome og Principe", - "Saudi Arabia": "Sádi-Arabía", - "Save": "Sparaðu", - "Saved.": "Bjargaði.", - "Search": "Leita að", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Veldu Ný Mynd", - "Select Action": "Veldu Aðgerð", - "Select All": "Veldu Allt", - "Select All Matching": "Veldu Allt Passa", - "Send Password Reset Link": "Senda Lykilorð Endurstilla Hlekkur", - "Senegal": "Senegal", - "September": "September", - "Serbia": "Serbíu", "Server Error": "Miðlara Villa", "Service Unavailable": "Þjónustu Hendi", - "Seychelles": "Asíu", - "Show All Fields": "Sýna Öllum Sviðum", - "Show Content": "Sýna Efni", - "Show Recovery Codes": "Sýna Bata Númerin", "Showing": "Sýni", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapore", - "Sint Maarten (Dutch part)": "Hel. Martin", - "Slovakia": "Slóvakíu", - "Slovenia": "Slóveníu", - "Solomon Islands": "Salómon Eyjar", - "Somalia": "Sómalíu", - "Something went wrong.": "Eitthvað fór úrskeiðis.", - "Sorry! You are not authorized to perform this action.": "Því miður! Þú ert ekki heimild til að framkvæma þessi aðgerð.", - "Sorry, your session has expired.": "Fyrirgefðu, tími þinn er liðinn.", - "South Africa": "Suður-Afríku", - "South Georgia And Sandwich Isl.": "Suður-Georgia og Suður Samloku Eyjar", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Suður-Súdan", - "Spain": "Spánn", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Byrja Todd", - "State \/ County": "State \/ County", - "Stop Polling": "Hættu Að Vakta", - "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.": "Geyma þetta bata númer í örugga lykilorð framkvæmdastjóri. Þeir geta notað til að batna aðgang að reikningnum þínum ef tveir þáttur staðfesting tækið er glatað.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Súdan", - "Suriname": "Andorra", - "Svalbard And Jan Mayen": "Svalbarða og Jan Dresden", - "Swaziland": "Eswatini", - "Sweden": "Svíþjóð", - "Switch Teams": "Skiptið Yfir Í Lið", - "Switzerland": "Sviss", - "Syrian Arab Republic": "Sýrland", - "Taiwan": "Taívan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Vestur", - "Tanzania": "Tansaníu", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Team", - "Team Invitation": "Lið Boð", - "Team Members": "Liðsmenn", - "Team Name": "Lið Nafn", - "Team Owner": "Lið Eigandi", - "Team Settings": "Lið Stillingar", - "Terms of Service": "Skilmálana", - "Thailand": "Tælandi", - "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 fyrir að skrá þig! Áður en að byrja, viltu staðfesta netfangið þitt með því að smella á tengilinn við vorum send til að þú? Ef þú vissi ekki að fá tölvupóstinn, við munum gjarna senda þér annað.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "Við :attribute hlýtur að vera gild hlutverk.", - "The :attribute must be at least :length characters and contain at least one number.": "Við :attribute verður að vera að minnsta kosti :length stafir og innihalda að minnsta kosti einn númer.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": "Við :attribute verður að vera að minnsta kosti :length stafir og innihalda að minnsta kosti einn sérstaka persónu og einn skammt af númer.", - "The :attribute must be at least :length characters and contain at least one special character.": "Við :attribute verður að vera að minnsta kosti :length stafir og innihalda að minnsta kosti einn sérstaka persónu.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Við :attribute verður að vera að minnsta kosti :length stafir og innihalda að minnsta kosti einn hástöfum staf og einn skammt af númer.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Við :attribute verður að vera að minnsta kosti :length stafir og innihalda að minnsta kosti einn hástöfum staf og einn sérstaka persónu.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Við :attribute verður að vera að minnsta kosti :length stafir og innihalda að minnsta kosti einn hástöfum persóna, númer eitt, og eina sérstaka persónu.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": "Við :attribute verður að vera að minnsta kosti :length stafir og innihalda að minnsta kosti einn hástöfum eðli.", - "The :attribute must be at least :length characters.": "Við :attribute verður að vera að minnsta kosti :length stafir.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource var búin!", - "The :resource was deleted!": "Við :resource var eytt!", - "The :resource was restored!": "Við :resource var aftur!", - "The :resource was updated!": "Við :resource var uppfært!", - "The action ran successfully!": "Aðgerð hljóp tókst!", - "The file was deleted!": "Skráin var eytt!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Ríkisstjórnin leyfir okkur ekki að sýna þér hvað er á bak við þessar dyr", - "The HasOne relationship has already been filled.": "Við HasOne sambandið hefur þegar verið fylltur.", - "The payment was successful.": "Greiðslu var vel.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Hjá lykilorð passar ekki núverandi lykilorð.", - "The provided password was incorrect.": "Hjá lykilorð var rangt.", - "The provided two factor authentication code was invalid.": "Hjá tveimur þáttur staðfesting númerið var ógilt.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Auðlind var uppfært!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Liðið er nafn og eigandi upplýsingar.", - "There are no available options for this resource.": "Það eru engin valkosti fyrir þessu úrræði.", - "There was a problem executing the action.": "Það var vandamál að framkvæma aðgerð.", - "There was a problem submitting the form.": "Það var vandamál senda mynd.", - "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.": "Þetta fólk hefur verið boðið að þitt lið og hafa verið að senda boð í tölvupósti. Þeir kunna að ganga í lið með að þiggja boð í tölvupósti.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Þessi aðgerð er óviðkomandi.", - "This device": "Þetta tæki", - "This file field is read-only.": "Þetta skrá sviði er að lesa-aðeins.", - "This image": "Þessi mynd", - "This is a secure area of the application. Please confirm your password before continuing.": "Þetta er öruggt svæði á umsókn. Vinsamlegast staðfesta lykilorð þitt áður en þú heldur áfram.", - "This password does not match our records.": "Þetta lykilorð passar ekki skrám okkar.", "This password reset link will expire in :count minutes.": "Þetta lykilorð endurstilla hlekkur mun renna út í :count mínútur.", - "This payment was already successfully confirmed.": "Þetta greiðslu var þegar tekist staðfest.", - "This payment was cancelled.": "Þetta greiðslu var aflýst.", - "This resource no longer exists": "Þetta er ekki lengur til auðlind", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Þessi notandi þegar tilheyrir lið.", - "This user has already been invited to the team.": "Þessi notandi hefur þegar verið boðið að liðið.", - "Timor-Leste": "Samoa", "to": "til", - "Today": "Í dag", "Toggle navigation": "Að skipta á flakk", - "Togo": "Fiji", - "Tokelau": "Chad", - "Token Name": "Skapi Nafn", - "Tonga": "Komið", "Too Many Attempts.": "Of Margir Tilraunir.", "Too Many Requests": "Of Margir Beiðnir", - "total": "alls", - "Total:": "Total:", - "Trashed": "Rugl", - "Trinidad And Tobago": "Trinidad og Georgia", - "Tunisia": "Túnis", - "Turkey": "Tyrkland", - "Turkmenistan": "Túrkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Túnis", - "Tuvalu": "Kína", - "Two Factor Authentication": "Tvær Þáttur Staðfesting", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Tvær þáttur staðfesting er nú virkt. Skanna eftirfarandi ÞANNIG kóða til að nota símann þinn er authenticator umsókn.", - "Uganda": "Úganda", - "Ukraine": "Úkraínu", "Unauthorized": "Óviðkomandi", - "United Arab Emirates": "Tævan", - "United Kingdom": "Bretland", - "United States": "Bandaríkin", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "BANDARÍSKA Innrás Eyjar", - "Update": "Uppfæra", - "Update & Continue Editing": "Uppfæra & Halda Áfram Að Breyta", - "Update :resource": "Uppfæra :resource", - "Update :resource: :title": "Uppfæra :resource: :title", - "Update attached :resource: :title": "Uppfæra fylgir :resource: :title", - "Update Password": "Uppfæra Lykilorð", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Uppfæra reikning þinn er upplýsingar og netfangið.", - "Uruguay": "Marino", - "Use a recovery code": "Nota bata kóða", - "Use an authentication code": "Nota staðfesting kóða", - "Uzbekistan": "Úsbekistan", - "Value": "Gildi", - "Vanuatu": "Ódýrt", - "VAT Number": "VAT Number", - "Venezuela": "Venesúela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Staðfestum Netfangið", "Verify Your Email Address": "Staðfestum Netfangið Þitt", - "Viet Nam": "Vietnam", - "View": "Skoða", - "Virgin Islands, British": "Breska Mey Eyjar", - "Virgin Islands, U.S.": "BANDARÍSKA Mey Eyjar", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Mali", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Við vorum ekki að finna skráður notandi með þetta netfang.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Við spyr ekki um lykilorð þitt aftur í nokkrar klukkustundir.", - "We're lost in space. The page you were trying to view does not exist.": "Við erum týnd í geimnum. Síðu þú varst að reyna að skoða er ekki til.", - "Welcome Back!": "Velkomin Aftur!", - "Western Sahara": "Vestur Sahara", - "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.": "Þegar tvær þáttur staðfesting er virkt, þú verður beðinn um örugga, handahófi skapi á staðfesting. Þú getur sótt þetta tákn frá síminn er ekki á hjá Google Authenticator umsókn.", - "Whoops": "Úps", - "Whoops!": "Úps!", - "Whoops! Something went wrong.": "Úps! Eitthvað fór úrskeiðis.", - "With Trashed": "Með Rugl", - "Write": "Skrifaðu", - "Year To Date": "Ári Hingað", - "Yearly": "Yearly", - "Yemen": "Jemensk", - "Yes": "Já", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Þú ert skráður í!", - "You are receiving this email because we received a password reset request for your account.": "Þú ert að fá þetta bréf vegna þess að við fengið lykilorðið endurstilla beiðni fyrir reikningnum þínum.", - "You have been invited to join the :team team!": "Þú hefur verið boðið að taka þátt í :team lið!", - "You have enabled two factor authentication.": "Þú hefur virkjað tvær þáttur staðfesting.", - "You have not enabled two factor authentication.": "Þú hefur ekki gert tvær þáttur staðfesting.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "Þú getur eytt einhverju núverandi tákn ef þeir eru ekki lengur þörf.", - "You may not delete your personal team.": "Þú getur ekki eyða persónulega lið.", - "You may not leave a team that you created.": "Þú getur ekki látið lið sem þú bjóst til.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Netfangið þitt er ekki staðfest.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Sambíu", - "Zimbabwe": "Simbabve", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Netfangið þitt er ekki staðfest." } diff --git a/locales/is/packages/cashier.json b/locales/is/packages/cashier.json new file mode 100644 index 00000000000..5fa3d160964 --- /dev/null +++ b/locales/is/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Allt réttindi frátekið.", + "Card": "Kort", + "Confirm Payment": "Staðfesta Greiðslu", + "Confirm your :amount payment": "Staðfesta :amount greiðslu", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Auka staðfestingu þarf að vinna greiðslu þinni. Gjörið svo vel að staðfesta greiðslu þinni með því að fylla út upplýsingar greiðslu fyrir neðan.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Auka staðfestingu þarf að vinna greiðslu þinni. Vinsamlegast haldið áfram að greiðslu þinni með því að ýta á takkann neðan.", + "Full name": "Fullt nafn", + "Go back": "Fara til baka", + "Jane Doe": "Jane Doe", + "Pay :amount": "Borga :amount", + "Payment Cancelled": "Greiðslu Aflýst", + "Payment Confirmation": "Staðfestingu Greiðslu", + "Payment Successful": "Greiðslu Vel", + "Please provide your name.": "Gefðu nafn þitt.", + "The payment was successful.": "Greiðslu var vel.", + "This payment was already successfully confirmed.": "Þetta greiðslu var þegar tekist staðfest.", + "This payment was cancelled.": "Þetta greiðslu var aflýst." +} diff --git a/locales/is/packages/fortify.json b/locales/is/packages/fortify.json new file mode 100644 index 00000000000..bcb414fb481 --- /dev/null +++ b/locales/is/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": "Við :attribute verður að vera að minnsta kosti :length stafir og innihalda að minnsta kosti einn númer.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "Við :attribute verður að vera að minnsta kosti :length stafir og innihalda að minnsta kosti einn sérstaka persónu og einn skammt af númer.", + "The :attribute must be at least :length characters and contain at least one special character.": "Við :attribute verður að vera að minnsta kosti :length stafir og innihalda að minnsta kosti einn sérstaka persónu.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Við :attribute verður að vera að minnsta kosti :length stafir og innihalda að minnsta kosti einn hástöfum staf og einn skammt af númer.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Við :attribute verður að vera að minnsta kosti :length stafir og innihalda að minnsta kosti einn hástöfum staf og einn sérstaka persónu.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Við :attribute verður að vera að minnsta kosti :length stafir og innihalda að minnsta kosti einn hástöfum persóna, númer eitt, og eina sérstaka persónu.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Við :attribute verður að vera að minnsta kosti :length stafir og innihalda að minnsta kosti einn hástöfum eðli.", + "The :attribute must be at least :length characters.": "Við :attribute verður að vera að minnsta kosti :length stafir.", + "The provided password does not match your current password.": "Hjá lykilorð passar ekki núverandi lykilorð.", + "The provided password was incorrect.": "Hjá lykilorð var rangt.", + "The provided two factor authentication code was invalid.": "Hjá tveimur þáttur staðfesting númerið var ógilt." +} diff --git a/locales/is/packages/jetstream.json b/locales/is/packages/jetstream.json new file mode 100644 index 00000000000..798d1db4af9 --- /dev/null +++ b/locales/is/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Nýja staðfestingu hlekkur hefur verið send til netfangið sem þú gafst upp á skráningu.", + "Accept Invitation": "Þiggja Boð", + "Add": "Bæta", + "Add a new team member to your team, allowing them to collaborate with you.": "Bæta nýtt lið meðlimur til að þitt lið, leyfa þeim að vinna með þér.", + "Add additional security to your account using two factor authentication.": "Bæta fleiri öryggi á reikninginn þinn með tvær þáttur staðfesting.", + "Add Team Member": "Bæta Lið Meðlimur", + "Added.": "Bætt við.", + "Administrator": "Stjórnandi", + "Administrator users can perform any action.": "Stjórnandi notendur hægt að framkvæma aðgerð.", + "All of the people that are part of this team.": "Allt fólkið sem eru hluti af þessu liði.", + "Already registered?": "Þegar skráð?", + "API Token": "API Skapi", + "API Token Permissions": "API Skapi Leyfi", + "API Tokens": "API Tákn", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API tákn leyfa þriðja aðila þjónustu til að staðfesta með umsókn okkar á þínum vegum.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Ertu viss um að þú vilt fá þetta lið? Þegar hópur er eytt, öll úrræði og gögnum verður endanlega eytt.", + "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.": "Ertu viss um að þú viljir að eyða reikningnum þínum? Einu sinni á reikninginn þinn er eytt, öll úrræði og gögnum verður endanlega eytt. Sláðu inn lykilorðið þitt til að staðfesta að þú langar til að eyða þinn reikning.", + "Are you sure you would like to delete this API token?": "Ertu viss um að þú vilt fá þetta API skapi?", + "Are you sure you would like to leave this team?": "Ertu viss um að þú vilt að yfirgefa þetta lið?", + "Are you sure you would like to remove this person from the team?": "Ertu viss um að þú vilt að fjarlægja þennan mann úr lið?", + "Browser Sessions": "Vafra Fundum", + "Cancel": "Hætta", + "Close": "Loka", + "Code": "Númerið", + "Confirm": "Staðfesta", + "Confirm Password": "Staðfesta Lykilorð", + "Create": "Búa", + "Create a new team to collaborate with others on projects.": "Að búa til nýtt lið til að vinna með öðrum á verkefni.", + "Create Account": "Stofna Reikning", + "Create API Token": "Búa API Skapi", + "Create New Team": "Að Búa Til Nýtt Lið", + "Create Team": "Búa Lið", + "Created.": "Búin.", + "Current Password": "Núverandi Lykilorð", + "Dashboard": "Mælaborðinu", + "Delete": "Eyða", + "Delete Account": "Eyða Reikning", + "Delete API Token": "Hreinn API Skapi", + "Delete Team": "Eyða Lið", + "Disable": "Slökkva", + "Done.": "Gert.", + "Editor": "Ritstjóri", + "Editor users have the ability to read, create, and update.": "Ritstjóri notendur hefur getu til að lesa, búa, og uppfærslu.", + "Email": "Sendu", + "Email Password Reset Link": "Sendu Lykilorð Endurstilla Hlekkur", + "Enable": "Virkja", + "Ensure your account is using a long, random password to stay secure.": "Að tryggja reikninginn þinn er með lengi, af handahófi lykilorð til að vera örugg.", + "For your security, please confirm your password to continue.": "Fyrir öryggi þitt, vinsamlegast staðfesta lykilorð þitt til að halda áfram.", + "Forgot your password?": "Gleymdi lykilorðið þitt?", + "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.": "Gleymdi lykilorðið þitt? Ekkert vandamál. Bara að láta okkur vita netfangið þitt og við munum senda þér lykilorð endurstilla hlekkur sem verður að leyfa þér að velja nýtt einn.", + "Great! You have accepted the invitation to join the :team team.": "Frábær! Þú hefur þegið boð til að taka þátt í :team lið.", + "I agree to the :terms_of_service and :privacy_policy": "Ég er sammála að :terms_of_service og :privacy_policy", + "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.": "Ef nauðsyn krefur, þú getur skrá þig út af öllum öðrum vafra fundum yfir öll tæki. Sumir af undanförnum fundum eru hér fyrir neðan, en þetta sinn má ekki tæmandi. Ef þér finnst þinn reikning hefur verið í hættu, þú ættir líka að uppfæra lykilorð.", + "If you already have an account, you may accept this invitation by clicking the button below:": "Ef þú ert nú þegar með reikning, getur þú að samþykkja þetta boð með því að ýta á takkann neðan:", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Ef þú gerðir ekki ráð að fá boð um að þetta lið, þú getur henda þessum tölvupósti.", + "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:": "Ef þú ert ekki með reikning, þú getur búið einn af því að smella á hnappinn fyrir neðan. Eftir að stofna reikning, þú getur smelltu boð samþykki hnappinn í þessum tölvupósti til að samþykkja lið boð:", + "Last active": "Síðast virkt", + "Last used": "Síðasta notað", + "Leave": "Látið", + "Leave Team": "Látið Lið", + "Log in": "Skráðu þig í", + "Log Out": "Að Skrá Þig Út", + "Log Out Other Browser Sessions": "Að Skrá Þig Út Öðrum Vafra Fundum", + "Manage Account": "Stjórna Reikning", + "Manage and log out your active sessions on other browsers and devices.": "Stjórna og skrá þig út virk fundur á öðrum þína og tæki.", + "Manage API Tokens": "Stjórna API Tákn", + "Manage Role": "Stjórna Hlutverki", + "Manage Team": "Stjórna Liðinu", + "Name": "Nafnið", + "New Password": "Nýtt Lykilorð", + "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.": "Þegar hópur er eytt, öll úrræði og gögnum verður endanlega eytt. Áður en þú eyðir þetta lið skaltu sækja hvaða gögn eða upplýsingar um þetta lið sem þú vilt halda.", + "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.": "Einu sinni á reikninginn þinn er eytt, öll úrræði og gögnum verður endanlega eytt. Áður en þú eyðir á reikninginn þinn, skaltu sækja hvaða gögn eða upplýsingar sem þú vilt halda.", + "Password": "Lykilorð", + "Pending Team Invitations": "Bið Lið Boð", + "Permanently delete this team.": "Varanlega eyða þetta lið.", + "Permanently delete your account.": "Varanlega eyða þinn reikning.", + "Permissions": "Heimildir", + "Photo": "Ljósmynd", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Gjörið svo vel að staðfesta aðgang að reikningnum þínum með því að slá einn af þínum neyðartilvikum bata númer.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Gjörið svo vel að staðfesta aðgang að reikningnum þínum með því að slá staðfesting númerið hjá authenticator umsókn.", + "Please copy your new API token. For your security, it won't be shown again.": "Vinsamlegast afrit nýja API skapi. Fyrir öryggi þitt, það verður ekki sýnt aftur.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Sláðu inn lykilorðið þitt til að staðfesta að þú langar til að skrá þig út af öðrum vafra fundum yfir öll tæki.", + "Please provide the email address of the person you would like to add to this team.": "Vinsamlegast gefðu netfangið sem þú vilt að bæta við þetta lið.", + "Privacy Policy": "Næði Stefnu", + "Profile": "Sniðið", + "Profile Information": "Upplýsingar", + "Recovery Code": "Bata Kóða", + "Regenerate Recovery Codes": "Endurfæða Bata Númerin", + "Register": "Skrá", + "Remember me": "Manstu eftir mér", + "Remove": "Fjarlægja", + "Remove Photo": "Taktu Mynd", + "Remove Team Member": "Fjarlægja Lið Meðlimur", + "Resend Verification Email": "Senda Staðfestingu Tölvupósti", + "Reset Password": "Endurstilla Lykilorð", + "Role": "Hlutverki", + "Save": "Sparaðu", + "Saved.": "Bjargaði.", + "Select A New Photo": "Veldu Ný Mynd", + "Show Recovery Codes": "Sýna Bata Númerin", + "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.": "Geyma þetta bata númer í örugga lykilorð framkvæmdastjóri. Þeir geta notað til að batna aðgang að reikningnum þínum ef tveir þáttur staðfesting tækið er glatað.", + "Switch Teams": "Skiptið Yfir Í Lið", + "Team Details": "Team", + "Team Invitation": "Lið Boð", + "Team Members": "Liðsmenn", + "Team Name": "Lið Nafn", + "Team Owner": "Lið Eigandi", + "Team Settings": "Lið Stillingar", + "Terms of Service": "Skilmálana", + "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 fyrir að skrá þig! Áður en að byrja, viltu staðfesta netfangið þitt með því að smella á tengilinn við vorum send til að þú? Ef þú vissi ekki að fá tölvupóstinn, við munum gjarna senda þér annað.", + "The :attribute must be a valid role.": "Við :attribute hlýtur að vera gild hlutverk.", + "The :attribute must be at least :length characters and contain at least one number.": "Við :attribute verður að vera að minnsta kosti :length stafir og innihalda að minnsta kosti einn númer.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "Við :attribute verður að vera að minnsta kosti :length stafir og innihalda að minnsta kosti einn sérstaka persónu og einn skammt af númer.", + "The :attribute must be at least :length characters and contain at least one special character.": "Við :attribute verður að vera að minnsta kosti :length stafir og innihalda að minnsta kosti einn sérstaka persónu.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Við :attribute verður að vera að minnsta kosti :length stafir og innihalda að minnsta kosti einn hástöfum staf og einn skammt af númer.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Við :attribute verður að vera að minnsta kosti :length stafir og innihalda að minnsta kosti einn hástöfum staf og einn sérstaka persónu.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Við :attribute verður að vera að minnsta kosti :length stafir og innihalda að minnsta kosti einn hástöfum persóna, númer eitt, og eina sérstaka persónu.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Við :attribute verður að vera að minnsta kosti :length stafir og innihalda að minnsta kosti einn hástöfum eðli.", + "The :attribute must be at least :length characters.": "Við :attribute verður að vera að minnsta kosti :length stafir.", + "The provided password does not match your current password.": "Hjá lykilorð passar ekki núverandi lykilorð.", + "The provided password was incorrect.": "Hjá lykilorð var rangt.", + "The provided two factor authentication code was invalid.": "Hjá tveimur þáttur staðfesting númerið var ógilt.", + "The team's name and owner information.": "Liðið er nafn og eigandi upplýsingar.", + "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.": "Þetta fólk hefur verið boðið að þitt lið og hafa verið að senda boð í tölvupósti. Þeir kunna að ganga í lið með að þiggja boð í tölvupósti.", + "This device": "Þetta tæki", + "This is a secure area of the application. Please confirm your password before continuing.": "Þetta er öruggt svæði á umsókn. Vinsamlegast staðfesta lykilorð þitt áður en þú heldur áfram.", + "This password does not match our records.": "Þetta lykilorð passar ekki skrám okkar.", + "This user already belongs to the team.": "Þessi notandi þegar tilheyrir lið.", + "This user has already been invited to the team.": "Þessi notandi hefur þegar verið boðið að liðið.", + "Token Name": "Skapi Nafn", + "Two Factor Authentication": "Tvær Þáttur Staðfesting", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Tvær þáttur staðfesting er nú virkt. Skanna eftirfarandi ÞANNIG kóða til að nota símann þinn er authenticator umsókn.", + "Update Password": "Uppfæra Lykilorð", + "Update your account's profile information and email address.": "Uppfæra reikning þinn er upplýsingar og netfangið.", + "Use a recovery code": "Nota bata kóða", + "Use an authentication code": "Nota staðfesting kóða", + "We were unable to find a registered user with this email address.": "Við vorum ekki að finna skráður notandi með þetta netfang.", + "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.": "Þegar tvær þáttur staðfesting er virkt, þú verður beðinn um örugga, handahófi skapi á staðfesting. Þú getur sótt þetta tákn frá síminn er ekki á hjá Google Authenticator umsókn.", + "Whoops! Something went wrong.": "Úps! Eitthvað fór úrskeiðis.", + "You have been invited to join the :team team!": "Þú hefur verið boðið að taka þátt í :team lið!", + "You have enabled two factor authentication.": "Þú hefur virkjað tvær þáttur staðfesting.", + "You have not enabled two factor authentication.": "Þú hefur ekki gert tvær þáttur staðfesting.", + "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.": "Þú getur eytt einhverju núverandi tákn ef þeir eru ekki lengur þörf.", + "You may not delete your personal team.": "Þú getur ekki eyða persónulega lið.", + "You may not leave a team that you created.": "Þú getur ekki látið lið sem þú bjóst til." +} diff --git a/locales/is/packages/nova.json b/locales/is/packages/nova.json new file mode 100644 index 00000000000..9415f34a505 --- /dev/null +++ b/locales/is/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Daga", + "60 Days": "60 Daga", + "90 Days": "90 Daga", + ":amount Total": ":amount Alls", + ":resource Details": ":resource Upplýsingar", + ":resource Details: :title": ":resource Upplýsingar: :title", + "Action": "Aðgerð", + "Action Happened At": "Gerðist Á", + "Action Initiated By": "Frumkvæði", + "Action Name": "Nafnið", + "Action Status": "Staða", + "Action Target": "Miða", + "Actions": "Aðgerðir", + "Add row": "Bæta röðinni", + "Afghanistan": "Afganistan", + "Aland Islands": "Krist Eyjar", + "Albania": "Albaníu", + "Algeria": "Alsír", + "All resources loaded.": "Öll úrræði hlaðinn.", + "American Samoa": "American Samóa", + "An error occured while uploading the file.": "Villa kom á meðan hlaða skrá.", + "Andorra": "Andorsk", + "Angola": "Angóla", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Annar notandi hefur uppfært þetta auðlind þar sem þetta page var hlaðinn. Vinsamlegast hressa síðu og reyna aftur.", + "Antarctica": "Suðurskautslandið", + "Antigua And Barbuda": "San Marino", + "April": "Apríl", + "Are you sure you want to delete the selected resources?": "Ertu viss um að þú vilt eyða valið auðlindir?", + "Are you sure you want to delete this file?": "Ertu viss um að þú viljir að eyða þessari skrá?", + "Are you sure you want to delete this resource?": "Ertu viss um að þú viljir að eyða þessu úrræði?", + "Are you sure you want to detach the selected resources?": "Ertu viss um að þú viljir að taktu valið auðlindir?", + "Are you sure you want to detach this resource?": "Ertu viss um að þú viljir að taktu þetta auðlind?", + "Are you sure you want to force delete the selected resources?": "Ertu viss um að þú viljir að þvinga eyða völdum auðlindir?", + "Are you sure you want to force delete this resource?": "Ertu viss um að þú viljir að þvinga eyða þessu úrræði?", + "Are you sure you want to restore the selected resources?": "Ertu viss um að þú viljir endurheimta valið auðlindir?", + "Are you sure you want to restore this resource?": "Ertu viss um að þú viljir endurheimta þetta auðlind?", + "Are you sure you want to run this action?": "Ertu viss um að þú viljir hlaupa í þessari aðgerð?", + "Argentina": "Argentínu", + "Armenia": "Guinea", + "Aruba": "Aruba", + "Attach": "Hengja", + "Attach & Attach Another": "Hengja & Hengja Annar", + "Attach :resource": "Hengja :resource", + "August": "Ágúst", + "Australia": "Ástralía", + "Austria": "Austurríki", + "Azerbaijan": "Mósambík", + "Bahamas": "Bahamaeyjar", + "Bahrain": "Jórdanía", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Hvíta", + "Belgium": "Belgíu", + "Belize": "Belize", + "Benin": "Sierra leone", + "Bermuda": "Bermuda", + "Bhutan": "Sierra leone", + "Bolivia": "Bólivía", + "Bonaire, Sint Eustatius and Saba": "Púertó ríkó, Saint Eustatius og Laugardagur", + "Bosnia And Herzegovina": "Bosníu og Herzegóvínu", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brasilíu", + "British Indian Ocean Territory": "Breska Indlandshafi Yfirráðasvæði", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Búlgaríu", + "Burkina Faso": "Kína", + "Burundi": "Búrúndí", + "Cambodia": "Kambódíu", + "Cameroon": "Kamerún", + "Canada": "Kanada", + "Cancel": "Hætta", + "Cape Verde": "Cape Verde", + "Cayman Islands": "Cayman Eyjum", + "Central African Republic": "Mið-Afríku Lýðveldinu", + "Chad": "Chad", + "Changes": "Breytingar", + "Chile": "Chile", + "China": "Kína", + "Choose": "Veldu", + "Choose :field": "Velja :field", + "Choose :resource": "Velja :resource", + "Choose an option": "Veldu valkost", + "Choose date": "Veldu dagsetningu", + "Choose File": "Velja Skrá", + "Choose Type": "Velja Tegund", + "Christmas Island": "Jól Island", + "Click to choose": "Smelltu á að velja", + "Cocos (Keeling) Islands": "Cocos (Keeling) Eyjar", + "Colombia": "Kólumbía", + "Comoros": "Þrælkunarvinnu", + "Confirm Password": "Staðfesta Lykilorð", + "Congo": "Kongó", + "Congo, Democratic Republic": "Kiribati", + "Constant": "Stöðug", + "Cook Islands": "Cook-Eyjum", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "gæti ekki verið að finna.", + "Create": "Búa", + "Create & Add Another": "Búa & Bæta Við Öðru", + "Create :resource": "Búa :resource", + "Croatia": "Króatíu", + "Cuba": "Kúbu", + "Curaçao": "Curacao", + "Customize": "Aðlaga", + "Cyprus": "Kýpur", + "Czech Republic": "Tékklandi", + "Dashboard": "Mælaborðinu", + "December": "Desember", + "Decrease": "Lækkun", + "Delete": "Eyða", + "Delete File": "Eyða Skrá", + "Delete Resource": "Eyða Auðlind", + "Delete Selected": "Eyða Völdum", + "Denmark": "Danmörk", + "Detach": "Taktu", + "Detach Resource": "Taktu Auðlind", + "Detach Selected": "Taktu Valið", + "Details": "Upplýsingar", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Viltu virkilega að fara? Þú hefur búið breytingar.", + "Dominica": "Sunnudagur", + "Dominican Republic": "Norður-Lýðveldið", + "Download": "Sækja", + "Ecuador": "Ekvador", + "Edit": "Breyta", + "Edit :resource": "Breyta :resource", + "Edit Attached": "Breyta Fylgir", + "Egypt": "Egyptaland", + "El Salvador": "Salvador", + "Email Address": "Netfangið", + "Equatorial Guinea": "Í Miðbaugs-Guineu", + "Eritrea": "Burma", + "Estonia": "Eistland", + "Ethiopia": "Eþíópíu", + "Falkland Islands (Malvinas)": "Falklandseyjar (Malvinas)", + "Faroe Islands": "Finnland", + "February": "Febrúar", + "Fiji": "Fiji", + "Finland": "Finnland", + "Force Delete": "Gildi Eyða", + "Force Delete Resource": "Gildi Eyða Auðlind", + "Force Delete Selected": "Gildi Eyða Völdum", + "Forgot Your Password?": "Gleymdi Lykilorðið Þitt?", + "Forgot your password?": "Gleymdi lykilorðið þitt?", + "France": "Frakkland", + "French Guiana": "Guatemala", + "French Polynesia": "Franska Polynesia", + "French Southern Territories": "Franska Suður Svæðum", + "Gabon": "Wallis", + "Gambia": "Gambía", + "Georgia": "Georgia", + "Germany": "Þýskaland", + "Ghana": "Ghana", + "Gibraltar": "Gíbraltar", + "Go Home": "Farið Heim", + "Greece": "Grikkland", + "Greenland": "Grænland", + "Grenada": "Grenada", + "Guadeloupe": "Írland", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Andorra", + "Guinea": "Guinea", + "Guinea-Bissau": "Ghana", + "Guyana": "Andorra", + "Haiti": "Haítí", + "Heard Island & Mcdonald Islands": "Heyrt Island og McDonald Eyjar", + "Hide Content": "Fela Efni", + "Hold Up!": "Halda Upp!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Hondúras", + "Hong Kong": "Hong Kong", + "Hungary": "Ungverjaland", + "Iceland": "Íslandi", + "ID": "SKILRÍKI", + "If you did not request a password reset, no further action is required.": "Ef þú hefur ekki beðið lykilorð endurstilla, engar frekari aðgerð er krafist.", + "Increase": "Auka", + "India": "Indland", + "Indonesia": "Ódýrt", + "Iran, Islamic Republic Of": "Íran", + "Iraq": "Írak", + "Ireland": "Írland", + "Isle Of Man": "Isle of Man", + "Israel": "Ísrael", + "Italy": "Ítalía", + "Jamaica": "Jamaica", + "January": "Janúar", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "July": "Júlí", + "June": "Júní", + "Kazakhstan": "Kasakstan", + "Kenya": "Kenýa", + "Key": "Lykillinn", + "Kiribati": "Kiribati", + "Korea": "Suður-Kórea", + "Korea, Democratic People's Republic of": "Norður-Kórea", + "Kosovo": "Kosovo", + "Kuwait": "Kúveit", + "Kyrgyzstan": "Mali", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Lettlandi", + "Lebanon": "Líbanon", + "Lens": "Linsu", + "Lesotho": "Úsbekistan", + "Liberia": "Evrópa", + "Libyan Arab Jamahiriya": "Líbýu", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litháen", + "Load :perPage More": "Hlaða :perPage Fleiri", + "Login": "Tenging", + "Logout": "Út", + "Luxembourg": "Lúxemborg", + "Macao": "Macao", + "Macedonia": "Norður Makedóníu", + "Madagascar": "Madagaskar", + "Malawi": "Bangladesh", + "Malaysia": "Malasíu", + "Maldives": "Maldives", + "Mali": "Lítill", + "Malta": "Möltu", + "March": "Mars", + "Marshall Islands": "Eyjarnar Marshall", + "Martinique": "Martinique", + "Mauritania": "Kristnir", + "Mauritius": "Marokkó", + "May": "Getur", + "Mayotte": "Senegal", + "Mexico": "Mexíkó", + "Micronesia, Federated States Of": "Míkrónesíu", + "Moldova": "Moldavíu", + "Monaco": "Mónakó", + "Mongolia": "Kamerún", + "Montenegro": "Montenegro", + "Month To Date": "Mánuð Til Að Stefnumótinu", + "Montserrat": "Caribbean", + "Morocco": "Marokkó", + "Mozambique": "Mósambík", + "Myanmar": "Búrma", + "Namibia": "Namibíu", + "Nauru": "India", + "Nepal": "Nepal", + "Netherlands": "Hollandi", + "New": "Nýja", + "New :resource": "Nýja :resource", + "New Caledonia": "Chad", + "New Zealand": "Nýja-Sjáland", + "Next": "Næstu", + "Nicaragua": "Níkaragúa", + "Niger": "Náttfari", + "Nigeria": "Nígeríu", + "Niue": "Mósambík", + "No": "Enga", + "No :resource matched the given criteria.": "Nei :resource passa gefið skilyrði.", + "No additional information...": "Engar frekari upplýsingar...", + "No Current Data": "Engin Gögn Núverandi", + "No Data": "Engin Gögn", + "no file selected": "engin skrá valið", + "No Increase": "Engin Auka", + "No Prior Data": "Engin Fyrri Gögnum", + "No Results Found.": "Engar Niðurstöður Fann.", + "Norfolk Island": "Chesapeake Island", + "Northern Mariana Islands": "Norður-Eyjum", + "Norway": "Noregur", + "Nova User": "Nova Notandi", + "November": "Nóvember", + "October": "Október", + "of": "af", + "Oman": "Oman", + "Only Trashed": "Bara Rugl", + "Original": "Upprunalega", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestínu", + "Panama": "Panama", + "Papua New Guinea": "Papúa Nýja Gínea", + "Paraguay": "Paragvæ", + "Password": "Lykilorð", + "Per Page": "Á Síðu", + "Peru": "Peru", + "Philippines": "Filippseyjum", + "Pitcairn": "Pitcairn", + "Poland": "Pólland", + "Portugal": "Portúgal", + "Press \/ to search": "Ýttu \/ að leita að", + "Preview": "Forskoðun", + "Previous": "Fyrri", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Ársfjórðungi Hingað", + "Reload": "Að endurhlaða", + "Remember Me": "Manstu Eftir Mér", + "Reset Filters": "Endurstilla Síur", + "Reset Password": "Endurstilla Lykilorð", + "Reset Password Notification": "Endurstilla Lykilorð Tilkynningu", + "resource": "auðlind", + "Resources": "Auðlindir", + "resources": "auðlindir", + "Restore": "Endurheimta", + "Restore Resource": "Endurheimta Auðlind", + "Restore Selected": "Endurheimta Valið", + "Reunion": "Fundur", + "Romania": "Rúmenía", + "Run Action": "Hlaupa Til Aðgerða", + "Russian Federation": "Rússlands", + "Rwanda": "Rúanda", + "Saint Barthelemy": "St Barthélemy", + "Saint Helena": "St Helena", + "Saint Kitts And Nevis": "Sankti Kristófer og Nevis", + "Saint Lucia": "Singapúr", + "Saint Martin": "St Martin", + "Saint Pierre And Miquelon": "St Pierre og Karíbahafi", + "Saint Vincent And Grenadines": "St Vincent og Rúst", + "Samoa": "Samóa", + "San Marino": "San Marino", + "Sao Tome And Principe": "Sao Tome og Principe", + "Saudi Arabia": "Sádi-Arabía", + "Search": "Leita að", + "Select Action": "Veldu Aðgerð", + "Select All": "Veldu Allt", + "Select All Matching": "Veldu Allt Passa", + "Send Password Reset Link": "Senda Lykilorð Endurstilla Hlekkur", + "Senegal": "Senegal", + "September": "September", + "Serbia": "Serbíu", + "Seychelles": "Asíu", + "Show All Fields": "Sýna Öllum Sviðum", + "Show Content": "Sýna Efni", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapore", + "Sint Maarten (Dutch part)": "Hel. Martin", + "Slovakia": "Slóvakíu", + "Slovenia": "Slóveníu", + "Solomon Islands": "Salómon Eyjar", + "Somalia": "Sómalíu", + "Something went wrong.": "Eitthvað fór úrskeiðis.", + "Sorry! You are not authorized to perform this action.": "Því miður! Þú ert ekki heimild til að framkvæma þessi aðgerð.", + "Sorry, your session has expired.": "Fyrirgefðu, tími þinn er liðinn.", + "South Africa": "Suður-Afríku", + "South Georgia And Sandwich Isl.": "Suður-Georgia og Suður Samloku Eyjar", + "South Sudan": "Suður-Súdan", + "Spain": "Spánn", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Byrja Todd", + "Stop Polling": "Hættu Að Vakta", + "Sudan": "Súdan", + "Suriname": "Andorra", + "Svalbard And Jan Mayen": "Svalbarða og Jan Dresden", + "Swaziland": "Eswatini", + "Sweden": "Svíþjóð", + "Switzerland": "Sviss", + "Syrian Arab Republic": "Sýrland", + "Taiwan": "Taívan", + "Tajikistan": "Vestur", + "Tanzania": "Tansaníu", + "Thailand": "Tælandi", + "The :resource was created!": ":resource var búin!", + "The :resource was deleted!": "Við :resource var eytt!", + "The :resource was restored!": "Við :resource var aftur!", + "The :resource was updated!": "Við :resource var uppfært!", + "The action ran successfully!": "Aðgerð hljóp tókst!", + "The file was deleted!": "Skráin var eytt!", + "The government won't let us show you what's behind these doors": "Ríkisstjórnin leyfir okkur ekki að sýna þér hvað er á bak við þessar dyr", + "The HasOne relationship has already been filled.": "Við HasOne sambandið hefur þegar verið fylltur.", + "The resource was updated!": "Auðlind var uppfært!", + "There are no available options for this resource.": "Það eru engin valkosti fyrir þessu úrræði.", + "There was a problem executing the action.": "Það var vandamál að framkvæma aðgerð.", + "There was a problem submitting the form.": "Það var vandamál senda mynd.", + "This file field is read-only.": "Þetta skrá sviði er að lesa-aðeins.", + "This image": "Þessi mynd", + "This resource no longer exists": "Þetta er ekki lengur til auðlind", + "Timor-Leste": "Samoa", + "Today": "Í dag", + "Togo": "Fiji", + "Tokelau": "Chad", + "Tonga": "Komið", + "total": "alls", + "Trashed": "Rugl", + "Trinidad And Tobago": "Trinidad og Georgia", + "Tunisia": "Túnis", + "Turkey": "Tyrkland", + "Turkmenistan": "Túrkmenistan", + "Turks And Caicos Islands": "Túnis", + "Tuvalu": "Kína", + "Uganda": "Úganda", + "Ukraine": "Úkraínu", + "United Arab Emirates": "Tævan", + "United Kingdom": "Bretland", + "United States": "Bandaríkin", + "United States Outlying Islands": "BANDARÍSKA Innrás Eyjar", + "Update": "Uppfæra", + "Update & Continue Editing": "Uppfæra & Halda Áfram Að Breyta", + "Update :resource": "Uppfæra :resource", + "Update :resource: :title": "Uppfæra :resource: :title", + "Update attached :resource: :title": "Uppfæra fylgir :resource: :title", + "Uruguay": "Marino", + "Uzbekistan": "Úsbekistan", + "Value": "Gildi", + "Vanuatu": "Ódýrt", + "Venezuela": "Venesúela", + "Viet Nam": "Vietnam", + "View": "Skoða", + "Virgin Islands, British": "Breska Mey Eyjar", + "Virgin Islands, U.S.": "BANDARÍSKA Mey Eyjar", + "Wallis And Futuna": "Mali", + "We're lost in space. The page you were trying to view does not exist.": "Við erum týnd í geimnum. Síðu þú varst að reyna að skoða er ekki til.", + "Welcome Back!": "Velkomin Aftur!", + "Western Sahara": "Vestur Sahara", + "Whoops": "Úps", + "Whoops!": "Úps!", + "With Trashed": "Með Rugl", + "Write": "Skrifaðu", + "Year To Date": "Ári Hingað", + "Yemen": "Jemensk", + "Yes": "Já", + "You are receiving this email because we received a password reset request for your account.": "Þú ert að fá þetta bréf vegna þess að við fengið lykilorðið endurstilla beiðni fyrir reikningnum þínum.", + "Zambia": "Sambíu", + "Zimbabwe": "Simbabve" +} diff --git a/locales/is/packages/spark-paddle.json b/locales/is/packages/spark-paddle.json new file mode 100644 index 00000000000..120d672f7bf --- /dev/null +++ b/locales/is/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Skilmálana", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Úps! Eitthvað fór úrskeiðis.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/is/packages/spark-stripe.json b/locales/is/packages/spark-stripe.json new file mode 100644 index 00000000000..897f3275086 --- /dev/null +++ b/locales/is/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afganistan", + "Albania": "Albaníu", + "Algeria": "Alsír", + "American Samoa": "American Samóa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorsk", + "Angola": "Angóla", + "Anguilla": "Anguilla", + "Antarctica": "Suðurskautslandið", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentínu", + "Armenia": "Guinea", + "Aruba": "Aruba", + "Australia": "Ástralía", + "Austria": "Austurríki", + "Azerbaijan": "Mósambík", + "Bahamas": "Bahamaeyjar", + "Bahrain": "Jórdanía", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Hvíta", + "Belgium": "Belgíu", + "Belize": "Belize", + "Benin": "Sierra leone", + "Bermuda": "Bermuda", + "Bhutan": "Sierra leone", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brasilíu", + "British Indian Ocean Territory": "Breska Indlandshafi Yfirráðasvæði", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Búlgaríu", + "Burkina Faso": "Kína", + "Burundi": "Búrúndí", + "Cambodia": "Kambódíu", + "Cameroon": "Kamerún", + "Canada": "Kanada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Cape Verde", + "Card": "Kort", + "Cayman Islands": "Cayman Eyjum", + "Central African Republic": "Mið-Afríku Lýðveldinu", + "Chad": "Chad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Chile", + "China": "Kína", + "Christmas Island": "Jól Island", + "City": "City", + "Cocos (Keeling) Islands": "Cocos (Keeling) Eyjar", + "Colombia": "Kólumbía", + "Comoros": "Þrælkunarvinnu", + "Confirm Payment": "Staðfesta Greiðslu", + "Confirm your :amount payment": "Staðfesta :amount greiðslu", + "Congo": "Kongó", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Cook-Eyjum", + "Costa Rica": "Costa Rica", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Króatíu", + "Cuba": "Kúbu", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Kýpur", + "Czech Republic": "Tékklandi", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Danmörk", + "Djibouti": "Djibouti", + "Dominica": "Sunnudagur", + "Dominican Republic": "Norður-Lýðveldið", + "Download Receipt": "Download Receipt", + "Ecuador": "Ekvador", + "Egypt": "Egyptaland", + "El Salvador": "Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Í Miðbaugs-Guineu", + "Eritrea": "Burma", + "Estonia": "Eistland", + "Ethiopia": "Eþíópíu", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Auka staðfestingu þarf að vinna greiðslu þinni. Vinsamlegast haldið áfram að greiðslu þinni með því að ýta á takkann neðan.", + "Falkland Islands (Malvinas)": "Falklandseyjar (Malvinas)", + "Faroe Islands": "Finnland", + "Fiji": "Fiji", + "Finland": "Finnland", + "France": "Frakkland", + "French Guiana": "Guatemala", + "French Polynesia": "Franska Polynesia", + "French Southern Territories": "Franska Suður Svæðum", + "Gabon": "Wallis", + "Gambia": "Gambía", + "Georgia": "Georgia", + "Germany": "Þýskaland", + "Ghana": "Ghana", + "Gibraltar": "Gíbraltar", + "Greece": "Grikkland", + "Greenland": "Grænland", + "Grenada": "Grenada", + "Guadeloupe": "Írland", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Andorra", + "Guinea": "Guinea", + "Guinea-Bissau": "Ghana", + "Guyana": "Andorra", + "Haiti": "Haítí", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Hondúras", + "Hong Kong": "Hong Kong", + "Hungary": "Ungverjaland", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Íslandi", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Indland", + "Indonesia": "Ódýrt", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Írak", + "Ireland": "Írland", + "Isle of Man": "Isle of Man", + "Israel": "Ísrael", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Ítalía", + "Jamaica": "Jamaica", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "Kazakhstan": "Kasakstan", + "Kenya": "Kenýa", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Norður-Kórea", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kúveit", + "Kyrgyzstan": "Mali", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Lettlandi", + "Lebanon": "Líbanon", + "Lesotho": "Úsbekistan", + "Liberia": "Evrópa", + "Libyan Arab Jamahiriya": "Líbýu", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litháen", + "Luxembourg": "Lúxemborg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagaskar", + "Malawi": "Bangladesh", + "Malaysia": "Malasíu", + "Maldives": "Maldives", + "Mali": "Lítill", + "Malta": "Möltu", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Eyjarnar Marshall", + "Martinique": "Martinique", + "Mauritania": "Kristnir", + "Mauritius": "Marokkó", + "Mayotte": "Senegal", + "Mexico": "Mexíkó", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Mónakó", + "Mongolia": "Kamerún", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Caribbean", + "Morocco": "Marokkó", + "Mozambique": "Mósambík", + "Myanmar": "Búrma", + "Namibia": "Namibíu", + "Nauru": "India", + "Nepal": "Nepal", + "Netherlands": "Hollandi", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Chad", + "New Zealand": "Nýja-Sjáland", + "Nicaragua": "Níkaragúa", + "Niger": "Náttfari", + "Nigeria": "Nígeríu", + "Niue": "Mósambík", + "Norfolk Island": "Chesapeake Island", + "Northern Mariana Islands": "Norður-Eyjum", + "Norway": "Noregur", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestínu", + "Panama": "Panama", + "Papua New Guinea": "Papúa Nýja Gínea", + "Paraguay": "Paragvæ", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Filippseyjum", + "Pitcairn": "Pitcairn", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Pólland", + "Portugal": "Portúgal", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Rúmenía", + "Russian Federation": "Rússlands", + "Rwanda": "Rúanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "St Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Singapúr", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samóa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Sádi-Arabía", + "Save": "Sparaðu", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbíu", + "Seychelles": "Asíu", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapore", + "Slovakia": "Slóvakíu", + "Slovenia": "Slóveníu", + "Solomon Islands": "Salómon Eyjar", + "Somalia": "Sómalíu", + "South Africa": "Suður-Afríku", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Spánn", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Súdan", + "Suriname": "Andorra", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Svíþjóð", + "Switzerland": "Sviss", + "Syrian Arab Republic": "Sýrland", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Vestur", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Skilmálana", + "Thailand": "Tælandi", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Samoa", + "Togo": "Fiji", + "Tokelau": "Chad", + "Tonga": "Komið", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Túnis", + "Turkey": "Tyrkland", + "Turkmenistan": "Túrkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Kína", + "Uganda": "Úganda", + "Ukraine": "Úkraínu", + "United Arab Emirates": "Tævan", + "United Kingdom": "Bretland", + "United States": "Bandaríkin", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Uppfæra", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Marino", + "Uzbekistan": "Úsbekistan", + "Vanuatu": "Ódýrt", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Breska Mey Eyjar", + "Virgin Islands, U.S.": "BANDARÍSKA Mey Eyjar", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Vestur Sahara", + "Whoops! Something went wrong.": "Úps! Eitthvað fór úrskeiðis.", + "Yearly": "Yearly", + "Yemen": "Jemensk", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Sambíu", + "Zimbabwe": "Simbabve", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/it/it.json b/locales/it/it.json index 5d463a841b4..2a2fabf0c20 100644 --- a/locales/it/it.json +++ b/locales/it/it.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Giorni", - "60 Days": "60 Giorni", - "90 Days": "90 Giorni", - ":amount Total": "Totale :amount", - ":days day trial": ":days giorni di prova", - ":resource Details": "Dettagli :resource", - ":resource Details: :title": "Dettagli :resource: :title", "A fresh verification link has been sent to your email address.": "Un nuovo link di verifica è stato inviato al tuo indirizzo email.", - "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.", - "Accept Invitation": "Accetta l'invito", - "Action": "Azione", - "Action Happened At": "Azione avvenuta alle", - "Action Initiated By": "Azione iniziata da", - "Action Name": "Nome", - "Action Status": "Stato", - "Action Target": "Obiettivo", - "Actions": "Azioni", - "Add": "Aggiungi", - "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 additional security to your account using two factor authentication.": "Aggiungi ulteriore sicurezza al tuo account utilizzando l'autenticazione a due fattori.", - "Add row": "Aggiungi riga", - "Add Team Member": "Aggiungi membro del Team", - "Add VAT Number": "Aggiungi Partita IVA", - "Added.": "Aggiunto.", - "Address": "Indirizzo", - "Address Line 2": "Indirizzo (2^ parte)", - "Administrator": "Amministratore", - "Administrator users can perform any action.": "Gli amministratori possono eseguire qualsiasi azione.", - "Afghanistan": "Afghanistan", - "Aland Islands": "Isole Åland", - "Albania": "Albania", - "Algeria": "Algeria", - "All of the people that are part of this team.": "Tutte le persone che fanno parte di questo team.", - "All resources loaded.": "Caricate tutte le risorse.", - "All rights reserved.": "Tutti i diritti riservati", - "Already registered?": "Già registrato?", - "American Samoa": "Samoa Americane", - "An error occured while uploading the file.": "Errore durante l'upload del file.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "Si è verificato un errore inaspettato ed è stato notificato al team di supporto. Per piacere riprova successivamente.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Un altro utente ha aggiornato questa risorsa da quando la pagina è stata caricata. Aggiorna la pagina e riprova.", - "Antarctica": "Antartide", - "Antigua and Barbuda": "Antigua e Barbuda", - "Antigua And Barbuda": "Antigua e Barbuda", - "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.", - "April": "Aprile", - "Are you sure you want to delete the selected resources?": "Si è sicuri di voler eliminare le risorse selezionate?", - "Are you sure you want to delete this file?": "Si è sicuri di voler eliminare questo file?", - "Are you sure you want to delete this resource?": "Si è sicuri di voler eliminare questa risorsa?", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Si è sicuri di voler 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.": "Si è sicuri di voler eliminare l'account? Una volta eliminato, tutte le sue risorse e i relativi verranno eliminati definitivamente. Scrivi la password per confermare che desideri eliminare definitivamente il tuo account.", - "Are you sure you want to detach the selected resources?": "Si è sicuri di voler scollegare le risorse selezionate?", - "Are you sure you want to detach this resource?": "Si è sicuri di voler scollegare questa risorsa?", - "Are you sure you want to force delete the selected resources?": "Si è sicuri di voler eliminare definitivamente le risorse selezionate?", - "Are you sure you want to force delete this resource?": "Si è sicuri di voler eliminare questa risorsa?", - "Are you sure you want to restore the selected resources?": "Si è sicuri di voler ripristinare le risorse selezionate?", - "Are you sure you want to restore this resource?": "Si è sicuri di voler ripristinare questa risorsa?", - "Are you sure you want to run this action?": "Si è sicuri di voler eseguire questa azione?", - "Are you sure you would like to delete this API token?": "Sei sicuro di voler eliminare questo Token API?", - "Are you sure you would like to leave this team?": "Sei sicuro di voler abbandonare questo Team?", - "Are you sure you would like to remove this person from the team?": "Sei sicuro di voler rimuovere questa persona dal team?", - "Argentina": "Argentina", - "Armenia": "Armenia", - "Aruba": "Aruba", - "Attach": "Collegare", - "Attach & Attach Another": "Collega & Collega altro", - "Attach :resource": "Collega :resource", - "August": "Agosto", - "Australia": "Australia", - "Austria": "Austria", - "Azerbaijan": "Azerbaigian", - "Bahamas": "Bahamas", - "Bahrain": "Bahrein", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Prima di continuare, controlla la tua casella mail per il link di verifica", - "Belarus": "Bielorussia", - "Belgium": "Belgio", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bhutan", - "Billing Information": "Informazioni di fatturazione", - "Billing Management": "Gestione fatturazione", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Stato plurinazionale della Bolivia", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius e Saba", - "Bosnia And Herzegovina": "Bosnia Erzegovina", - "Bosnia and Herzegovina": "Bosnia Erzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Isola Bouvet", - "Brazil": "Brasile", - "British Indian Ocean Territory": "Territorio britannico dell'Oceano Indiano", - "Browser Sessions": "Sessioni del Browser", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgaria", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Cambogia", - "Cameroon": "Camerun", - "Canada": "Canada", - "Cancel": "Annulla", - "Cancel Subscription": "Annulla Abbonamento", - "Cape Verde": "Capo Verde", - "Card": "Carta", - "Cayman Islands": "Isole Cayman", - "Central African Republic": "Repubblica Centrafricana", - "Chad": "Chad", - "Change Subscription Plan": "Cambia Abbonamento", - "Changes": "Modifiche", - "Chile": "Cile", - "China": "Cina", - "Choose": "Seleziona", - "Choose :field": "Seleziona :field", - "Choose :resource": "Seleziona :resource", - "Choose an option": "Seleziona un'opzione", - "Choose date": "Scegli una data", - "Choose File": "Scegli un file", - "Choose Type": "Scegli un tipo", - "Christmas Island": "Isola di Natale", - "City": "Città", "click here to request another": "clicca qui per richiederne un altro", - "Click to choose": "Clicca per selezionare", - "Close": "Chiudi", - "Cocos (Keeling) Islands": "Isole Cocos (Keeling)", - "Code": "Codice", - "Colombia": "Colombia", - "Comoros": "Comore", - "Confirm": "Conferma", - "Confirm Password": "Conferma Password", - "Confirm Payment": "Conferma Pagamento", - "Confirm your :amount payment": "Conferma il pagamento di :amount", - "Congo": "Congo", - "Congo, Democratic Republic": "Congo, Repubblica Democratica", - "Congo, the Democratic Republic of the": "Repubblica Democratica del Congo", - "Constant": "Costante", - "Cook Islands": "Isole Cook", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Costa D'Avorio", - "could not be found.": "non può essere trovato.", - "Country": "Nazione", - "Coupon": "Coupon", - "Create": "Crea", - "Create & Add Another": "Crea & Aggiungi altro", - "Create :resource": "Crea :resource", - "Create a new team to collaborate with others on projects.": "Crea un nuovo team per collaborare con altri ai progetti.", - "Create Account": "Crea Account", - "Create API Token": "Crea Token API", - "Create New Team": "Crea nuovo Team", - "Create Team": "Crea Team", - "Created.": "Creato.", - "Croatia": "Croazia", - "Cuba": "Cuba", - "Curaçao": "Curacao", - "Current Password": "Password attuale", - "Current Subscription Plan": "Abbonamento Attuale", - "Currently Subscribed": "Attualmente Sottoscritto", - "Customize": "Personalizza", - "Cyprus": "Cipro", - "Czech Republic": "Repubblica Ceca", - "Côte d'Ivoire": "Costa d'Avorio", - "Dashboard": "Dashboard", - "December": "Dicembre", - "Decrease": "Diminuire", - "Delete": "Elimina", - "Delete Account": "Elimina Account", - "Delete API Token": "Elimina Token API", - "Delete File": "Elimina File", - "Delete Resource": "Elimina Risorsa", - "Delete Selected": "Elimina Selezione", - "Delete Team": "Elimina Team", - "Denmark": "Danimarca", - "Detach": "Scollega", - "Detach Resource": "Scollega Risorsa", - "Detach Selected": "Scollega Selezione", - "Details": "Dettagli", - "Disable": "Disabilita", - "Djibouti": "Gibuti", - "Do you really want to leave? You have unsaved changes.": "Vuoi davvero uscire? Ci sono modifiche non salvate.", - "Dominica": "Dominica", - "Dominican Republic": "Repubblica Dominicana", - "Done.": "Fatto.", - "Download": "Scarica", - "Download Receipt": "Scarica Ricevuta", "E-Mail Address": "Indirizzo email", - "Ecuador": "Ecuador", - "Edit": "Modifica", - "Edit :resource": "Modifica :resource", - "Edit Attached": "Modifica Collegati", - "Editor": "Editor", - "Editor users have the ability to read, create, and update.": "Gli Editor hanno la possibilità di leggere, creare e aggiornare.", - "Egypt": "Egitto", - "El Salvador": "El Salvador", - "Email": "Email", - "Email Address": "Indirizzo Email", - "Email Addresses": "Indirizzi Email", - "Email Password Reset Link": "Invia link di reset della password", - "Enable": "Abilita", - "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.", - "Equatorial Guinea": "Guinea Equatoriale", - "Eritrea": "Eritrea", - "Estonia": "Estonia", - "Ethiopia": "Etiopia", - "ex VAT": "IVA esclusa", - "Extra Billing Information": "Info aggiuntive per la fatturazione", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "E' richiesta un'ulteriore conferma per processare il tuo pagamento. Per piacere conferma il tuo pagamento compilando i dettagli sul pagamento qui sotto.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "E' richiesta un'ulteriore conferma per processare il tuo pagamento. Per piacere prosegui sulla pagina di pagamento cliccando sul pulsante qui sotto.", - "Falkland Islands (Malvinas)": "Isole Falkland (Malvinas)", - "Faroe Islands": "Isole Faroe", - "February": "Febbraio", - "Fiji": "Figi", - "Finland": "Finlandia", - "For your security, please confirm your password to continue.": "Per la tua sicurezza, conferma la tua password per continuare.", "Forbidden": "Vietato", - "Force Delete": "Forza Eliminazione", - "Force Delete Resource": "Forza Eliminazione Risorsa", - "Force Delete Selected": "Forza Eliminazione Selezione", - "Forgot Your Password?": "Password Dimenticata?", - "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.", - "France": "Francia", - "French Guiana": "Guyana Francese", - "French Polynesia": "Polinesia Francese", - "French Southern Territories": "Territori della Francia del Sud", - "Full name": "Nome e cognome", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Georgia", - "Germany": "Germania", - "Ghana": "Ghana", - "Gibraltar": "Gibilterra", - "Go back": "Torna indietro", - "Go Home": "Vai alla Home", "Go to page :page": "Vai alla pagina :page", - "Great! You have accepted the invitation to join the :team team.": "Grande! Hai accettato l'invito ad entrare nel team :team.", - "Greece": "Grecia", - "Greenland": "Groenlandia", - "Grenada": "Grandaa", - "Guadeloupe": "Guadalupa", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Hai un codice coupon?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Hai dei ripensamenti sull'annullamento dell'abbonamento? Puoi riattivarlo immediatamente in qualsiasi momento fino alla fine del tuo ciclo di fatturazione. Al termine, potrai scegliere un nuovo piano di abbonamento.", - "Heard Island & Mcdonald Islands": "Isola Heard e Isole McDonald", - "Heard Island and McDonald Islands": "Isola Heard e Isole McDonald", "Hello!": "Ciao!", - "Hide Content": "Nascondi Contenuto", - "Hold Up!": "Sostieni!", - "Holy See (Vatican City State)": "Santa Sede (Stato della Città del Vaticano)", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Ungheria", - "I agree to the :terms_of_service and :privacy_policy": "Accetto :terms_of_service e :privacy_policy", - "Iceland": "Islanda", - "ID": "ID", - "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 necessary, you may logout 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 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 receive the email": "Se non hai ricevuto l'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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "Se hai bisogno di aggiungere informazioni specifiche di contatto o legali sulla tua ricevuta, come il nome della tua azienda, la partita iva, la sede legale, puoi aggiungerle qui.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Se non puoi cliccare su \":actionText\", copia e incolla l'URL qui sotto\nnella barra degli indirizzi del tuo browser:", - "Increase": "Aumenta", - "India": "India", - "Indonesia": "Indonesia", "Invalid signature.": "Firma non valida", - "Iran, Islamic Republic of": "Iran", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Iraq", - "Ireland": "Irlanda", - "Isle of Man": "Isola di Man", - "Isle Of Man": "Isola di Man", - "Israel": "Israele", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "Sembra che tu non abbia un abbonamento attivo. Per iniziare, puoi scegliere uno dei piani di abbonamento che seguono: in qualsiasi momento potrai cambiare o cancellare l'abbonamento.", - "Italy": "Italia", - "Jamaica": "Giamaica", - "January": "Gennaio", - "Japan": "Giappone", - "Jersey": "Jersey", - "Jordan": "Giordania", - "July": "Luglio", - "June": "Giugno", - "Kazakhstan": "Kazakistan", - "Kenya": "Kenya", - "Key": "Chiave", - "Kiribati": "Kiribati", - "Korea": "Korea del Sud", - "Korea, Democratic People's Republic of": "Korea del Nord", - "Korea, Republic of": "Korea, Repubblica", - "Kosovo": "Kosovo", - "Kuwait": "Kuwait", - "Kyrgyzstan": "Kirghizistan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Ultima volta attivo", - "Last used": "Ultimo utilizzo", - "Latvia": "Lettonia", - "Leave": "Abbandona", - "Leave Team": "Abbandona Team", - "Lebanon": "Libano", - "Lens": "Lente", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libia", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Lituania", - "Load :perPage More": "Carica altri :perPage", - "Log in": "Accedi", "Log out": "Esci", - "Log Out": "Esci", - "Log Out Other Browser Sessions": "Esci da altre sessioni del Browser", - "Login": "Accedi", - "Logout": "Esci", "Logout Other Browser Sessions": "Esci da altre sessioni del Browser", - "Luxembourg": "Lussemburgo", - "Macao": "Macao", - "Macedonia": "Macedonia del Nord", - "Macedonia, the former Yugoslav Republic of": "Macedonia, Ex Repubblica Jugoslava", - "Madagascar": "Madagascar", - "Malawi": "Malawi", - "Malaysia": "Malesia", - "Maldives": "Maldive", - "Mali": "Mali", - "Malta": "Malta", - "Manage Account": "Gestisci Account", - "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 and logout 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 Role": "Gestisci Ruoli", - "Manage Team": "Gestisci Team", - "Managing billing for :billableName": "Gestisci la fatturazione per :billableName", - "March": "Marzo", - "Marshall Islands": "Isole Marshall", - "Martinique": "Martinica", - "Mauritania": "Mauritania", - "Mauritius": "Mauritius", - "May": "Maggio", - "Mayotte": "Mayotte", - "Mexico": "Messico", - "Micronesia, Federated States Of": "Micronesia", - "Moldova": "Moldavia", - "Moldova, Republic of": "Moldova, Repubblica", - "Monaco": "Monaco", - "Mongolia": "Mongolia", - "Montenegro": "Montenegro", - "Month To Date": "Dall'inizio del mese ad oggi", - "Monthly": "Mensile", - "monthly": "mensile", - "Montserrat": "Montserrat", - "Morocco": "Marocco", - "Mozambique": "Mozambico", - "Myanmar": "Myanmar", - "Name": "Nome", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Olanda", - "Netherlands Antilles": "Antille Olandesi", "Nevermind": "Non importa", - "Nevermind, I'll keep my old plan": "Non importa, manterrò il mio vecchio piano", - "New": "Crea", - "New :resource": "Crea :resource", - "New Caledonia": "Crea Caledonia", - "New Password": "Nuova password", - "New Zealand": "Nuova Zelanda", - "Next": "Avanti", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "No", - "No :resource matched the given criteria.": "Non ci sono :resource che corrispondono ai criteri di ricerca.", - "No additional information...": "Nessuna informazione aggiuntiva...", - "No Current Data": "Nessun dato al momento", - "No Data": "Nessun dato", - "no file selected": "nessun file selezionato", - "No Increase": "Nessun Aumento", - "No Prior Data": "Nessun Dato Precedente", - "No Results Found.": "Non ci sono risultati.", - "Norfolk Island": "Isola Norfolk", - "Northern Mariana Islands": "Isole Marianne Settentrionali", - "Norway": "Norvegia", "Not Found": "Non trovato", - "Nova User": "Utente Nova", - "November": "Novembre", - "October": "Ottobre", - "of": "di", "Oh no": "Oh no", - "Oman": "Oman", - "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 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 Trashed": "Solo cestinati", - "Original": "Originale", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Il nostro portale di fatturazione ti consente di gestire l'abbonamento, il metodo di pagamento, e scaricare le fatture recenti.", "Page Expired": "Pagina scaduta", "Pagination Navigation": "Navigazione della Paginazione", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Territori Palestinesi Occupati", - "Panama": "Panama", - "Papua New Guinea": "Papua Nuova Guinea", - "Paraguay": "Paraguay", - "Password": "Password", - "Pay :amount": "Paga :amount", - "Payment Cancelled": "Pagamento annullato", - "Payment Confirmation": "Conferma di pagamento", - "Payment Information": "Informazioni di pagamento", - "Payment Successful": "Pagamento riuscito", - "Pending Team Invitations": "Inviti al team in attesa", - "Per Page": "Per Pagina", - "Permanently delete this team.": "Elimina definitivamente questo team.", - "Permanently delete your account.": "Elimina definitivamente il tuo account.", - "Permissions": "Permessi", - "Peru": "Perù", - "Philippines": "Filippine", - "Photo": "Foto", - "Pitcairn": "Isole Pitcairn", "Please click the button below to verify your email address.": "Clicca sul pulsante qui sotto per verificare il tuo indirizzo email.", - "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 your password before continuing.": "Conferma la tua password prima di continuare.", - "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 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 enter your password to confirm you would like to logout 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 provide a maximum of three receipt emails addresses.": "Per piacere fornisci al massimo tre indirizzi email ai quali inviare le ricevute.", - "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 provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Fornisci l'indirizzo email della persona che desideri aggiungere al team. L'indirizzo email deve essere associato ad un account esistente.", - "Please provide your name.": "Per piacere fornisci il tuo nome.", - "Poland": "Polonia", - "Portugal": "Portogallo", - "Press \/ to search": "Premi \/ per cercare", - "Preview": "Anteprima", - "Previous": "Precedenti", - "Privacy Policy": "Informativa sulla privacy", - "Profile": "Profilo", - "Profile Information": "Informazioni Profilo", - "Puerto Rico": "Porto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Trimestre ad Oggi", - "Receipt Email Addresses": "Indirizzi Email Ricevute Pagamento", - "Receipts": "Ricevute Pagamento", - "Recovery Code": "Codice di ripristino", "Regards": "Distinti saluti", - "Regenerate Recovery Codes": "Rigenera codici di ripristino", - "Register": "Registrati", - "Reload": "Ricarica", - "Remember me": "Ricordami", - "Remember Me": "Ricordami", - "Remove": "Rimuovi", - "Remove Photo": "Rimuovi Foto", - "Remove Team Member": "Rimuovi membro del Team", - "Resend Verification Email": "Invia nuovamente email di verifica", - "Reset Filters": "Reset Filtri", - "Reset Password": "Reset password", - "Reset Password Notification": "Notifica di reset della password", - "resource": "risorsa", - "Resources": "Risorse", - "resources": "risorse", - "Restore": "Ripristina", - "Restore Resource": "Ripristina Risorsa", - "Restore Selected": "Ripristina Selezione", "results": "risultati", - "Resume Subscription": "Riattiva Abbonamento", - "Return to :appName": "Ritorna su :appName", - "Reunion": "La Riunione", - "Role": "Ruolo", - "Romania": "Romania", - "Run Action": "Esegui Azione", - "Russian Federation": "Federazione Russa", - "Rwanda": "Ruanda", - "Réunion": "Réunion", - "Saint Barthelemy": "San Bartolomeo", - "Saint Barthélemy": "San Bartolomeo", - "Saint Helena": "Sant'Elena", - "Saint Kitts and Nevis": "San Cristoforo e Nevis", - "Saint Kitts And Nevis": "San Cristoforo e Nevis", - "Saint Lucia": "Santa Lucia", - "Saint Martin": "San Martino", - "Saint Martin (French part)": "San Martino (parte Francese)", - "Saint Pierre and Miquelon": "Saint-Pierre e Miquelon", - "Saint Pierre And Miquelon": "Saint-Pierre e Miquelon", - "Saint Vincent And Grenadines": "San Vincenzo e Grenadine", - "Saint Vincent and the Grenadines": "San Vincenzo e Grenadine", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "São Tomé e Príncipe", - "Sao Tome And Principe": "São Tomé e Príncipe", - "Saudi Arabia": "Arabia Saudita", - "Save": "Salva", - "Saved.": "Salvato.", - "Search": "Cerca", - "Select": "Seleziona", - "Select a different plan": "Cambia abbonamento", - "Select A New Photo": "Seleziona una nuova foto", - "Select Action": "Seleziona Azione", - "Select All": "Seleziona Tutto", - "Select All Matching": "Seleziona Tutti i Risultati", - "Send Password Reset Link": "Invia link per il reset della password", - "Senegal": "Senegal", - "September": "Settembre", - "Serbia": "Serbia", "Server Error": "Errore server", "Service Unavailable": "Servizio non disponibile", - "Seychelles": "Seychelles", - "Show All Fields": "Mostra tutti i campi", - "Show Content": "Mostra Contenuto", - "Show Recovery Codes": "Mostra codici di ripristino", "Showing": "Mostra", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Autenticato come", - "Singapore": "Singapore", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovacchia", - "Slovenia": "Slovenia", - "Solomon Islands": "Isole Salomone", - "Somalia": "Somalia", - "Something went wrong.": "Qualcosa è andato storto.", - "Sorry! You are not authorized to perform this action.": "Spiacenti! Non sei autorizzato ad eseguire questa azione.", - "Sorry, your session has expired.": "Spiacenti, la tua sessione è scaduta.", - "South Africa": "Sud Africa", - "South Georgia And Sandwich Isl.": "Georgia del Sud e Isole Sandwich Meridionali", - "South Georgia and the South Sandwich Islands": "Georgia del Sud e Isole Sandwich Meridionali", - "South Sudan": "Sudan del Sud", - "Spain": "Spagna", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Avvia Polling", - "State \/ County": "Provincia \/ Regione", - "Stop Polling": "Ferma Polling", - "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.", - "Subscribe": "Abbonati", - "Subscription Information": "Info Abbonamento", - "Sudan": "Sudan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard e Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Svezia", - "Switch Teams": "Cambia Team", - "Switzerland": "Svizzera", - "Syrian Arab Republic": "Siria", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan, Provincia della Cina", - "Tajikistan": "Tagikistan", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Tanzania, Repubblica Unita", - "Team Details": "Dettagli Team", - "Team Invitation": "Inviti al Team", - "Team Members": "Membri del Team", - "Team Name": "Nome del Team", - "Team Owner": "Proprietario del Team", - "Team Settings": "Impostazioni del Team", - "Terms of Service": "Termini d'uso del servizio", - "Thailand": "Tailandia", - "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 cliccando sul link che ti abbiamo appena inviato via email? Se non hai ricevuto l'email, te ne invieremo volentieri un'altra.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Grazie per supportarci ancora. Ti abbiamo allegato una copia della fattura per il tuo pagamento. Scrivici se hai domande o dubbi, grazie.", - "Thanks,": "Grazie,", - "The :attribute must be a valid role.": ":attribute deve avere un ruolo valido.", - "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 and one number.": ":attribute deve contenere almeno :length caratteri, un carattere speciale 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.", - "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 at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute deve contenere almeno :length caratteri, una maiuscola, un numero e un carattere speciale.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute deve contenere almeno :length caratteri e una maiuscola.", - "The :attribute must be at least :length characters.": ":attribute deve contenere almeno :length caratteri.", "The :attribute must contain at least one letter.": ":attribute deve contenere almeno una lettera.", "The :attribute must contain at least one number.": ":attribute deve contenere almeno un numero.", "The :attribute must contain at least one symbol.": ":attribute deve contenere almeno un carattere speciale.", "The :attribute must contain at least one uppercase and one lowercase letter.": ":attribute deve contenere almeno un carattere maiuscolo ed uno minuscolo.", - "The :resource was created!": ":resource creato\/a!", - "The :resource was deleted!": ":resource eliminato\/a!", - "The :resource was restored!": ":resource ripristinato\/a!", - "The :resource was updated!": ":resource aggiornato\/a!", - "The action ran successfully!": "Azione eseguita con successo!", - "The file was deleted!": "Il file è stato eliminato!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": ":attribute sembra che faccia parte di un archivio con dati rubati. Per piacere, utilizza un valore differente.", - "The government won't let us show you what's behind these doors": "Il governo non vuole che ti mostriamo cosa c'è dietro queste porte", - "The HasOne relationship has already been filled.": "La relazione 'HasOne' è stata già collegata.", - "The payment was successful.": "Il pagamento è stato completato.", - "The provided coupon code is invalid.": "Il codice Coupon fornito non è valido.", - "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 VAT number is invalid.": "La partita IVA fornita non è valida.", - "The receipt emails must be valid email addresses.": "Gli indirizzi email per la fatturazione devono essere validi.", - "The resource was updated!": "Risorsa aggiornata!", - "The selected country is invalid.": "La nazione selezionata non è valida.", - "The selected plan is invalid.": "Il piano di abbonamento selezionato non è valido.", - "The team's name and owner information.": "Il nome del team e le informazioni sul proprietario.", - "There are no available options for this resource.": "Non ci sono opzioni disponibili per questa risorsa.", - "There was a problem executing the action.": "Si è verificato un problema eseguendo l'azione.", - "There was a problem submitting the form.": "Si è verificato un problema inviando il modulo.", - "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.", - "This account does not have an active subscription.": "Questo account non ha un abbonamento attivo.", "This action is unauthorized.": "Azione non autorizzata.", - "This device": "Questo dispositivo", - "This file field is read-only.": "Questa casella di selezione file è in sola lettura.", - "This image": "Questa immagine", - "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 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 payment was already successfully confirmed.": "Questo pagamento è stato già confermato con successo.", - "This payment was cancelled.": "Questo pagamento è stato cancellato.", - "This resource no longer exists": "Questa risorsa non esiste più", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "Questo abbonamento è scaduto e non può essere ripristinato. Per piacere abbonati ad un nuovo piano di abbonamento.", - "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.", - "Timor-Leste": "Timor-Leste", "to": "a", - "Today": "Oggi", "Toggle navigation": "Cambia navigazione", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Nome del Token", - "Tonga": "Tonga", "Too Many Attempts.": "Troppi tentativi.", "Too Many Requests": "Troppe richieste", - "total": "totale", - "Total:": "Totale:", - "Trashed": "Nel cestino", - "Trinidad And Tobago": "Trinidad e Tobago", - "Tunisia": "Tunisia", - "Turkey": "Turchia", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Isole Turks e Caicos", - "Turks And Caicos Islands": "Isole Turks e Caicos", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Autenticazione a due fattori", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "L'autenticazione a due fattori è ora abilitata. Scansiona il seguente codice QR utilizzando l'applicazione di autenticazione del tuo telefono.", - "Uganda": "Uganda", - "Ukraine": "Ucraina", "Unauthorized": "Non autorizzato", - "United Arab Emirates": "Emirati Arabi Uniti", - "United Kingdom": "Regno Unito", - "United States": "Stati Uniti", - "United States Minor Outlying Islands": "Isole Periferiche minori degli Stati Uniti", - "United States Outlying Islands": "Isole Periferiche degli Stati Uniti", - "Update": "Aggiorna", - "Update & Continue Editing": "Aggiorna & Continua la modifica", - "Update :resource": "Aggiorna :resource", - "Update :resource: :title": "Aggiorna :resource: :title", - "Update attached :resource: :title": "Aggiorna la risorsa collegata :resource: :title", - "Update Password": "Aggiorna Password", - "Update Payment Information": "Aggiorna Informazioni Pagamento", - "Update your account's profile information and email address.": "Aggiorna le informazioni del profilo e l'indirizzo email del tuo account.", - "Uruguay": "Uruguay", - "Use a recovery code": "Usa un codice di ripristino", - "Use an authentication code": "Usa un codice di autenticazione", - "Uzbekistan": "Uzbekistan", - "Value": "Valore", - "Vanuatu": "Vanuatu", - "VAT Number": "Partita IVA", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Repubblica Bolivariana", "Verify Email Address": "Verifica indirizzo email", "Verify Your Email Address": "Verifica il tuo indirizzo email", - "Viet Nam": "Vietnam", - "View": "Visualizza", - "Virgin Islands, British": "Isole Vergini Britanniche", - "Virgin Islands, U.S.": "Isole Vergini Americane", - "Wallis and Futuna": "Wallis e Futuna", - "Wallis And Futuna": "Wallis e Futuna", - "We are unable to process your payment. Please contact customer support.": "Non riusciamo a processare il tuo pagamento. Per piacere contatta il servizio clienti.", - "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 will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "Invieremo un link per scaricare la ricevuta di pagamento agli indirizzi email specificati di seguito. Puoi aggiungere più indirizzi email, separandoli con la virgola.", "We won't ask for your password again for a few hours.": "Non chiederemo più la tua password per alcune ore.", - "We're lost in space. The page you were trying to view does not exist.": "Ci siamo persi nello spazio. La pagina che hai richiesto non esiste più.", - "Welcome Back!": "Bentoranto\/a!", - "Western Sahara": "Sahara Occidentale", - "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.", - "Whoops": "Ops", - "Whoops!": "Ops!", - "Whoops! Something went wrong.": "Ops! Qualcosa è andato storto.", - "With Trashed": "Con Eliminati", - "Write": "Scrivi", - "Year To Date": "Da inizio anno", - "Yearly": "Annuale", - "Yemen": "Yemen", - "Yes": "Si", - "You are currently within your free trial period. Your trial will expire on :date.": "Sei nel tuo periodo di prova. La prova scadrà il :date.", "You are logged in!": "Ti sei autenticato!", - "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 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 may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "Puoi cancellare il tuo abbonamento in qualsiasi momento. Una volta cancellato, potrai recuperare l'abbonamento fino alla fine del tuo periodo di fatturazione.", - "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.", - "Your :invoiceName invoice is now available!": "La tua fattura :invoiceName è disponibile!", - "Your card was declined. Please contact your card issuer for more information.": "Carta rifiutata. Per piacere contatta il tuo istituto di credito per maggiori informazioni.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Il tuo metodo di pagamento attuale è una carta di credito che termina con :lastFour e scade il :expiration.", - "Your email address is not verified.": "Il tuo indirizzo email non è verificato.", - "Your registered VAT Number is :vatNumber.": "La tua partita IVA è :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "CAP" + "Your email address is not verified.": "Il tuo indirizzo email non è verificato." } diff --git a/locales/it/packages/cashier.json b/locales/it/packages/cashier.json new file mode 100644 index 00000000000..9a9ee5b7310 --- /dev/null +++ b/locales/it/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Tutti i diritti riservati", + "Card": "Carta", + "Confirm Payment": "Conferma Pagamento", + "Confirm your :amount payment": "Conferma il pagamento di :amount", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "E' richiesta un'ulteriore conferma per processare il tuo pagamento. Per piacere conferma il tuo pagamento compilando i dettagli sul pagamento qui sotto.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "E' richiesta un'ulteriore conferma per processare il tuo pagamento. Per piacere prosegui sulla pagina di pagamento cliccando sul pulsante qui sotto.", + "Full name": "Nome e cognome", + "Go back": "Torna indietro", + "Jane Doe": "Jane Doe", + "Pay :amount": "Paga :amount", + "Payment Cancelled": "Pagamento annullato", + "Payment Confirmation": "Conferma di pagamento", + "Payment Successful": "Pagamento riuscito", + "Please provide your name.": "Per piacere fornisci il tuo nome.", + "The payment was successful.": "Il pagamento è stato completato.", + "This payment was already successfully confirmed.": "Questo pagamento è stato già confermato con successo.", + "This payment was cancelled.": "Questo pagamento è stato cancellato." +} diff --git a/locales/it/packages/fortify.json b/locales/it/packages/fortify.json new file mode 100644 index 00000000000..856cf9235db --- /dev/null +++ b/locales/it/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and one number.": ":attribute deve contenere almeno :length caratteri, un carattere speciale 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.", + "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 at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute deve contenere almeno :length caratteri, una maiuscola, un numero e un carattere speciale.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute deve contenere almeno :length caratteri e una maiuscola.", + "The :attribute must be at least :length characters.": ":attribute deve contenere almeno :length caratteri.", + "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." +} diff --git a/locales/it/packages/jetstream.json b/locales/it/packages/jetstream.json new file mode 100644 index 00000000000..5037edca303 --- /dev/null +++ b/locales/it/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "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.", + "Accept Invitation": "Accetta l'invito", + "Add": "Aggiungi", + "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 additional security to your account using two factor authentication.": "Aggiungi ulteriore sicurezza al tuo account utilizzando l'autenticazione a due fattori.", + "Add Team Member": "Aggiungi membro del Team", + "Added.": "Aggiunto.", + "Administrator": "Amministratore", + "Administrator users can perform any action.": "Gli amministratori possono eseguire qualsiasi azione.", + "All of the people that are part of this team.": "Tutte le persone che fanno parte di questo team.", + "Already registered?": "Già registrato?", + "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.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Si è sicuri di voler 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.": "Si è sicuri di voler eliminare l'account? Una volta eliminato, tutte le sue risorse e i relativi verranno eliminati definitivamente. Scrivi la password per confermare che desideri eliminare definitivamente il tuo account.", + "Are you sure you would like to delete this API token?": "Sei sicuro di voler eliminare questo Token API?", + "Are you sure you would like to leave this team?": "Sei sicuro di voler abbandonare questo Team?", + "Are you sure you would like to remove this person from the team?": "Sei sicuro di voler rimuovere questa persona dal team?", + "Browser Sessions": "Sessioni del Browser", + "Cancel": "Annulla", + "Close": "Chiudi", + "Code": "Codice", + "Confirm": "Conferma", + "Confirm Password": "Conferma Password", + "Create": "Crea", + "Create a new team to collaborate with others on projects.": "Crea un nuovo team per collaborare con altri ai progetti.", + "Create Account": "Crea Account", + "Create API Token": "Crea Token API", + "Create New Team": "Crea nuovo Team", + "Create Team": "Crea Team", + "Created.": "Creato.", + "Current Password": "Password attuale", + "Dashboard": "Dashboard", + "Delete": "Elimina", + "Delete Account": "Elimina Account", + "Delete API Token": "Elimina Token API", + "Delete Team": "Elimina Team", + "Disable": "Disabilita", + "Done.": "Fatto.", + "Editor": "Editor", + "Editor users have the ability to read, create, and update.": "Gli Editor hanno la possibilità di leggere, creare e aggiornare.", + "Email": "Email", + "Email Password Reset Link": "Invia link di reset della password", + "Enable": "Abilita", + "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.", + "For your security, please confirm your password to continue.": "Per la tua sicurezza, conferma la tua password per continuare.", + "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.", + "Great! You have accepted the invitation to join the :team team.": "Grande! Hai accettato l'invito ad entrare nel team :team.", + "I agree to the :terms_of_service and :privacy_policy": "Accetto :terms_of_service e :privacy_policy", + "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 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 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 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:", + "Last active": "Ultima volta attivo", + "Last used": "Ultimo utilizzo", + "Leave": "Abbandona", + "Leave Team": "Abbandona Team", + "Log in": "Accedi", + "Log Out": "Esci", + "Log Out Other Browser Sessions": "Esci da altre sessioni del Browser", + "Manage Account": "Gestisci Account", + "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 Role": "Gestisci Ruoli", + "Manage Team": "Gestisci Team", + "Name": "Nome", + "New Password": "Nuova password", + "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 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.", + "Password": "Password", + "Pending Team Invitations": "Inviti al team in attesa", + "Permanently delete this team.": "Elimina definitivamente questo team.", + "Permanently delete your account.": "Elimina definitivamente il tuo account.", + "Permissions": "Permessi", + "Photo": "Foto", + "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 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 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 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.", + "Privacy Policy": "Informativa sulla privacy", + "Profile": "Profilo", + "Profile Information": "Informazioni Profilo", + "Recovery Code": "Codice di ripristino", + "Regenerate Recovery Codes": "Rigenera codici di ripristino", + "Register": "Registrati", + "Remember me": "Ricordami", + "Remove": "Rimuovi", + "Remove Photo": "Rimuovi Foto", + "Remove Team Member": "Rimuovi membro del Team", + "Resend Verification Email": "Invia nuovamente email di verifica", + "Reset Password": "Reset password", + "Role": "Ruolo", + "Save": "Salva", + "Saved.": "Salvato.", + "Select A New Photo": "Seleziona una nuova foto", + "Show Recovery Codes": "Mostra codici di ripristino", + "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.", + "Switch Teams": "Cambia Team", + "Team Details": "Dettagli Team", + "Team Invitation": "Inviti al Team", + "Team Members": "Membri del Team", + "Team Name": "Nome del Team", + "Team Owner": "Proprietario del Team", + "Team Settings": "Impostazioni del Team", + "Terms of Service": "Termini d'uso del servizio", + "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 cliccando sul link che ti abbiamo appena inviato via email? Se non hai ricevuto l'email, te ne invieremo volentieri un'altra.", + "The :attribute must be a valid role.": ":attribute deve avere un ruolo valido.", + "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 and one number.": ":attribute deve contenere almeno :length caratteri, un carattere speciale 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.", + "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 at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute deve contenere almeno :length caratteri, una maiuscola, un numero e un carattere speciale.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute deve contenere almeno :length caratteri e una maiuscola.", + "The :attribute must be at least :length characters.": ":attribute deve contenere almeno :length caratteri.", + "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 team's name and owner information.": "Il nome del team e le informazioni sul proprietario.", + "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.", + "This device": "Questo dispositivo", + "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 password does not match our records.": "Questa password non corrisponde ai nostri record.", + "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.", + "Token Name": "Nome del Token", + "Two Factor Authentication": "Autenticazione a due fattori", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "L'autenticazione a due fattori è ora abilitata. Scansiona il seguente codice QR utilizzando l'applicazione di autenticazione del tuo telefono.", + "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.", + "Use a recovery code": "Usa un codice di ripristino", + "Use an authentication code": "Usa un codice di autenticazione", + "We were unable to find a registered user with this email address.": "Non siamo riusciti a trovare un utente registrato con questo indirizzo email.", + "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.", + "Whoops! Something went wrong.": "Ops! Qualcosa è andato storto.", + "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 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.": "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." +} diff --git a/locales/it/packages/nova.json b/locales/it/packages/nova.json new file mode 100644 index 00000000000..40c5bb7e770 --- /dev/null +++ b/locales/it/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Giorni", + "60 Days": "60 Giorni", + "90 Days": "90 Giorni", + ":amount Total": "Totale :amount", + ":resource Details": "Dettagli :resource", + ":resource Details: :title": "Dettagli :resource: :title", + "Action": "Azione", + "Action Happened At": "Azione avvenuta alle", + "Action Initiated By": "Azione iniziata da", + "Action Name": "Nome", + "Action Status": "Stato", + "Action Target": "Obiettivo", + "Actions": "Azioni", + "Add row": "Aggiungi riga", + "Afghanistan": "Afghanistan", + "Aland Islands": "Isole Åland", + "Albania": "Albania", + "Algeria": "Algeria", + "All resources loaded.": "Caricate tutte le risorse.", + "American Samoa": "Samoa Americane", + "An error occured while uploading the file.": "Errore durante l'upload del file.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Un altro utente ha aggiornato questa risorsa da quando la pagina è stata caricata. Aggiorna la pagina e riprova.", + "Antarctica": "Antartide", + "Antigua And Barbuda": "Antigua e Barbuda", + "April": "Aprile", + "Are you sure you want to delete the selected resources?": "Si è sicuri di voler eliminare le risorse selezionate?", + "Are you sure you want to delete this file?": "Si è sicuri di voler eliminare questo file?", + "Are you sure you want to delete this resource?": "Si è sicuri di voler eliminare questa risorsa?", + "Are you sure you want to detach the selected resources?": "Si è sicuri di voler scollegare le risorse selezionate?", + "Are you sure you want to detach this resource?": "Si è sicuri di voler scollegare questa risorsa?", + "Are you sure you want to force delete the selected resources?": "Si è sicuri di voler eliminare definitivamente le risorse selezionate?", + "Are you sure you want to force delete this resource?": "Si è sicuri di voler eliminare questa risorsa?", + "Are you sure you want to restore the selected resources?": "Si è sicuri di voler ripristinare le risorse selezionate?", + "Are you sure you want to restore this resource?": "Si è sicuri di voler ripristinare questa risorsa?", + "Are you sure you want to run this action?": "Si è sicuri di voler eseguire questa azione?", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Attach": "Collegare", + "Attach & Attach Another": "Collega & Collega altro", + "Attach :resource": "Collega :resource", + "August": "Agosto", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaigian", + "Bahamas": "Bahamas", + "Bahrain": "Bahrein", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Bielorussia", + "Belgium": "Belgio", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius e Saba", + "Bosnia And Herzegovina": "Bosnia Erzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Isola Bouvet", + "Brazil": "Brasile", + "British Indian Ocean Territory": "Territorio britannico dell'Oceano Indiano", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambogia", + "Cameroon": "Camerun", + "Canada": "Canada", + "Cancel": "Annulla", + "Cape Verde": "Capo Verde", + "Cayman Islands": "Isole Cayman", + "Central African Republic": "Repubblica Centrafricana", + "Chad": "Chad", + "Changes": "Modifiche", + "Chile": "Cile", + "China": "Cina", + "Choose": "Seleziona", + "Choose :field": "Seleziona :field", + "Choose :resource": "Seleziona :resource", + "Choose an option": "Seleziona un'opzione", + "Choose date": "Scegli una data", + "Choose File": "Scegli un file", + "Choose Type": "Scegli un tipo", + "Christmas Island": "Isola di Natale", + "Click to choose": "Clicca per selezionare", + "Cocos (Keeling) Islands": "Isole Cocos (Keeling)", + "Colombia": "Colombia", + "Comoros": "Comore", + "Confirm Password": "Conferma Password", + "Congo": "Congo", + "Congo, Democratic Republic": "Congo, Repubblica Democratica", + "Constant": "Costante", + "Cook Islands": "Isole Cook", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Costa D'Avorio", + "could not be found.": "non può essere trovato.", + "Create": "Crea", + "Create & Add Another": "Crea & Aggiungi altro", + "Create :resource": "Crea :resource", + "Croatia": "Croazia", + "Cuba": "Cuba", + "Curaçao": "Curacao", + "Customize": "Personalizza", + "Cyprus": "Cipro", + "Czech Republic": "Repubblica Ceca", + "Dashboard": "Dashboard", + "December": "Dicembre", + "Decrease": "Diminuire", + "Delete": "Elimina", + "Delete File": "Elimina File", + "Delete Resource": "Elimina Risorsa", + "Delete Selected": "Elimina Selezione", + "Denmark": "Danimarca", + "Detach": "Scollega", + "Detach Resource": "Scollega Risorsa", + "Detach Selected": "Scollega Selezione", + "Details": "Dettagli", + "Djibouti": "Gibuti", + "Do you really want to leave? You have unsaved changes.": "Vuoi davvero uscire? Ci sono modifiche non salvate.", + "Dominica": "Dominica", + "Dominican Republic": "Repubblica Dominicana", + "Download": "Scarica", + "Ecuador": "Ecuador", + "Edit": "Modifica", + "Edit :resource": "Modifica :resource", + "Edit Attached": "Modifica Collegati", + "Egypt": "Egitto", + "El Salvador": "El Salvador", + "Email Address": "Indirizzo Email", + "Equatorial Guinea": "Guinea Equatoriale", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Etiopia", + "Falkland Islands (Malvinas)": "Isole Falkland (Malvinas)", + "Faroe Islands": "Isole Faroe", + "February": "Febbraio", + "Fiji": "Figi", + "Finland": "Finlandia", + "Force Delete": "Forza Eliminazione", + "Force Delete Resource": "Forza Eliminazione Risorsa", + "Force Delete Selected": "Forza Eliminazione Selezione", + "Forgot Your Password?": "Password Dimenticata?", + "Forgot your password?": "Password dimenticata?", + "France": "Francia", + "French Guiana": "Guyana Francese", + "French Polynesia": "Polinesia Francese", + "French Southern Territories": "Territori della Francia del Sud", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Germania", + "Ghana": "Ghana", + "Gibraltar": "Gibilterra", + "Go Home": "Vai alla Home", + "Greece": "Grecia", + "Greenland": "Groenlandia", + "Grenada": "Grandaa", + "Guadeloupe": "Guadalupa", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Isola Heard e Isole McDonald", + "Hide Content": "Nascondi Contenuto", + "Hold Up!": "Sostieni!", + "Holy See (Vatican City State)": "Santa Sede (Stato della Città del Vaticano)", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Ungheria", + "Iceland": "Islanda", + "ID": "ID", + "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.", + "Increase": "Aumenta", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Iraq", + "Ireland": "Irlanda", + "Isle Of Man": "Isola di Man", + "Israel": "Israele", + "Italy": "Italia", + "Jamaica": "Giamaica", + "January": "Gennaio", + "Japan": "Giappone", + "Jersey": "Jersey", + "Jordan": "Giordania", + "July": "Luglio", + "June": "Giugno", + "Kazakhstan": "Kazakistan", + "Kenya": "Kenya", + "Key": "Chiave", + "Kiribati": "Kiribati", + "Korea": "Korea del Sud", + "Korea, Democratic People's Republic of": "Korea del Nord", + "Kosovo": "Kosovo", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kirghizistan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Lettonia", + "Lebanon": "Libano", + "Lens": "Lente", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libia", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lituania", + "Load :perPage More": "Carica altri :perPage", + "Login": "Accedi", + "Logout": "Esci", + "Luxembourg": "Lussemburgo", + "Macao": "Macao", + "Macedonia": "Macedonia del Nord", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malesia", + "Maldives": "Maldive", + "Mali": "Mali", + "Malta": "Malta", + "March": "Marzo", + "Marshall Islands": "Isole Marshall", + "Martinique": "Martinica", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "May": "Maggio", + "Mayotte": "Mayotte", + "Mexico": "Messico", + "Micronesia, Federated States Of": "Micronesia", + "Moldova": "Moldavia", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Month To Date": "Dall'inizio del mese ad oggi", + "Montserrat": "Montserrat", + "Morocco": "Marocco", + "Mozambique": "Mozambico", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Olanda", + "New": "Crea", + "New :resource": "Crea :resource", + "New Caledonia": "Crea Caledonia", + "New Zealand": "Nuova Zelanda", + "Next": "Avanti", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "No", + "No :resource matched the given criteria.": "Non ci sono :resource che corrispondono ai criteri di ricerca.", + "No additional information...": "Nessuna informazione aggiuntiva...", + "No Current Data": "Nessun dato al momento", + "No Data": "Nessun dato", + "no file selected": "nessun file selezionato", + "No Increase": "Nessun Aumento", + "No Prior Data": "Nessun Dato Precedente", + "No Results Found.": "Non ci sono risultati.", + "Norfolk Island": "Isola Norfolk", + "Northern Mariana Islands": "Isole Marianne Settentrionali", + "Norway": "Norvegia", + "Nova User": "Utente Nova", + "November": "Novembre", + "October": "Ottobre", + "of": "di", + "Oman": "Oman", + "Only Trashed": "Solo cestinati", + "Original": "Originale", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Territori Palestinesi Occupati", + "Panama": "Panama", + "Papua New Guinea": "Papua Nuova Guinea", + "Paraguay": "Paraguay", + "Password": "Password", + "Per Page": "Per Pagina", + "Peru": "Perù", + "Philippines": "Filippine", + "Pitcairn": "Isole Pitcairn", + "Poland": "Polonia", + "Portugal": "Portogallo", + "Press \/ to search": "Premi \/ per cercare", + "Preview": "Anteprima", + "Previous": "Precedenti", + "Puerto Rico": "Porto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Trimestre ad Oggi", + "Reload": "Ricarica", + "Remember Me": "Ricordami", + "Reset Filters": "Reset Filtri", + "Reset Password": "Reset password", + "Reset Password Notification": "Notifica di reset della password", + "resource": "risorsa", + "Resources": "Risorse", + "resources": "risorse", + "Restore": "Ripristina", + "Restore Resource": "Ripristina Risorsa", + "Restore Selected": "Ripristina Selezione", + "Reunion": "La Riunione", + "Romania": "Romania", + "Run Action": "Esegui Azione", + "Russian Federation": "Federazione Russa", + "Rwanda": "Ruanda", + "Saint Barthelemy": "San Bartolomeo", + "Saint Helena": "Sant'Elena", + "Saint Kitts And Nevis": "San Cristoforo e Nevis", + "Saint Lucia": "Santa Lucia", + "Saint Martin": "San Martino", + "Saint Pierre And Miquelon": "Saint-Pierre e Miquelon", + "Saint Vincent And Grenadines": "San Vincenzo e Grenadine", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "São Tomé e Príncipe", + "Saudi Arabia": "Arabia Saudita", + "Search": "Cerca", + "Select Action": "Seleziona Azione", + "Select All": "Seleziona Tutto", + "Select All Matching": "Seleziona Tutti i Risultati", + "Send Password Reset Link": "Invia link per il reset della password", + "Senegal": "Senegal", + "September": "Settembre", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Show All Fields": "Mostra tutti i campi", + "Show Content": "Mostra Contenuto", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapore", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovacchia", + "Slovenia": "Slovenia", + "Solomon Islands": "Isole Salomone", + "Somalia": "Somalia", + "Something went wrong.": "Qualcosa è andato storto.", + "Sorry! You are not authorized to perform this action.": "Spiacenti! Non sei autorizzato ad eseguire questa azione.", + "Sorry, your session has expired.": "Spiacenti, la tua sessione è scaduta.", + "South Africa": "Sud Africa", + "South Georgia And Sandwich Isl.": "Georgia del Sud e Isole Sandwich Meridionali", + "South Sudan": "Sudan del Sud", + "Spain": "Spagna", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Avvia Polling", + "Stop Polling": "Ferma Polling", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard e Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Svezia", + "Switzerland": "Svizzera", + "Syrian Arab Republic": "Siria", + "Taiwan": "Taiwan", + "Tajikistan": "Tagikistan", + "Tanzania": "Tanzania", + "Thailand": "Tailandia", + "The :resource was created!": ":resource creato\/a!", + "The :resource was deleted!": ":resource eliminato\/a!", + "The :resource was restored!": ":resource ripristinato\/a!", + "The :resource was updated!": ":resource aggiornato\/a!", + "The action ran successfully!": "Azione eseguita con successo!", + "The file was deleted!": "Il file è stato eliminato!", + "The government won't let us show you what's behind these doors": "Il governo non vuole che ti mostriamo cosa c'è dietro queste porte", + "The HasOne relationship has already been filled.": "La relazione 'HasOne' è stata già collegata.", + "The resource was updated!": "Risorsa aggiornata!", + "There are no available options for this resource.": "Non ci sono opzioni disponibili per questa risorsa.", + "There was a problem executing the action.": "Si è verificato un problema eseguendo l'azione.", + "There was a problem submitting the form.": "Si è verificato un problema inviando il modulo.", + "This file field is read-only.": "Questa casella di selezione file è in sola lettura.", + "This image": "Questa immagine", + "This resource no longer exists": "Questa risorsa non esiste più", + "Timor-Leste": "Timor-Leste", + "Today": "Oggi", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "total": "totale", + "Trashed": "Nel cestino", + "Trinidad And Tobago": "Trinidad e Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turchia", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Isole Turks e Caicos", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ucraina", + "United Arab Emirates": "Emirati Arabi Uniti", + "United Kingdom": "Regno Unito", + "United States": "Stati Uniti", + "United States Outlying Islands": "Isole Periferiche degli Stati Uniti", + "Update": "Aggiorna", + "Update & Continue Editing": "Aggiorna & Continua la modifica", + "Update :resource": "Aggiorna :resource", + "Update :resource: :title": "Aggiorna :resource: :title", + "Update attached :resource: :title": "Aggiorna la risorsa collegata :resource: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Value": "Valore", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Visualizza", + "Virgin Islands, British": "Isole Vergini Britanniche", + "Virgin Islands, U.S.": "Isole Vergini Americane", + "Wallis And Futuna": "Wallis e Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Ci siamo persi nello spazio. La pagina che hai richiesto non esiste più.", + "Welcome Back!": "Bentoranto\/a!", + "Western Sahara": "Sahara Occidentale", + "Whoops": "Ops", + "Whoops!": "Ops!", + "With Trashed": "Con Eliminati", + "Write": "Scrivi", + "Year To Date": "Da inizio anno", + "Yemen": "Yemen", + "Yes": "Si", + "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.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/it/packages/spark-paddle.json b/locales/it/packages/spark-paddle.json new file mode 100644 index 00000000000..3bbd6234046 --- /dev/null +++ b/locales/it/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "Si è verificato un errore inaspettato ed è stato notificato al team di supporto. Per piacere riprova successivamente.", + "Billing Management": "Gestione fatturazione", + "Cancel Subscription": "Annulla Abbonamento", + "Change Subscription Plan": "Cambia Abbonamento", + "Current Subscription Plan": "Abbonamento Attuale", + "Currently Subscribed": "Attualmente Sottoscritto", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Hai dei ripensamenti sull'annullamento dell'abbonamento? Puoi riattivarlo immediatamente in qualsiasi momento fino alla fine del tuo ciclo di fatturazione. Al termine, potrai scegliere un nuovo piano di abbonamento.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "Sembra che tu non abbia un abbonamento attivo. Per iniziare, puoi scegliere uno dei piani di abbonamento che seguono: in qualsiasi momento potrai cambiare o cancellare l'abbonamento.", + "Managing billing for :billableName": "Gestisci la fatturazione per :billableName", + "Monthly": "Mensile", + "Nevermind, I'll keep my old plan": "Non importa, manterrò il mio vecchio piano", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Il nostro portale di fatturazione ti consente di gestire l'abbonamento, il metodo di pagamento, e scaricare le fatture recenti.", + "Payment Method": "Payment Method", + "Receipts": "Ricevute Pagamento", + "Resume Subscription": "Riattiva Abbonamento", + "Return to :appName": "Ritorna su :appName", + "Signed in as": "Autenticato come", + "Subscribe": "Abbonati", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Termini d'uso del servizio", + "The selected plan is invalid.": "Il piano di abbonamento selezionato non è valido.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "Questo account non ha un abbonamento attivo.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Ops! Qualcosa è andato storto.", + "Yearly": "Annuale", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "Puoi cancellare il tuo abbonamento in qualsiasi momento. Una volta cancellato, potrai recuperare l'abbonamento fino alla fine del tuo periodo di fatturazione.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Il tuo metodo di pagamento attuale è una carta di credito che termina con :lastFour e scade il :expiration." +} diff --git a/locales/it/packages/spark-stripe.json b/locales/it/packages/spark-stripe.json new file mode 100644 index 00000000000..415bd73c9a9 --- /dev/null +++ b/locales/it/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days giorni di prova", + "Add VAT Number": "Aggiungi Partita IVA", + "Address": "Indirizzo", + "Address Line 2": "Indirizzo (2^ parte)", + "Afghanistan": "Afghanistan", + "Albania": "Albania", + "Algeria": "Algeria", + "American Samoa": "Samoa Americane", + "An unexpected error occurred and we have notified our support team. Please try again later.": "Si è verificato un errore inaspettato ed è stato notificato al team di supporto. Per piacere riprova successivamente.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antartide", + "Antigua and Barbuda": "Antigua e Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaigian", + "Bahamas": "Bahamas", + "Bahrain": "Bahrein", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Bielorussia", + "Belgium": "Belgio", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Billing Information": "Informazioni di fatturazione", + "Billing Management": "Gestione fatturazione", + "Bolivia, Plurinational State of": "Stato plurinazionale della Bolivia", + "Bosnia and Herzegovina": "Bosnia Erzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Isola Bouvet", + "Brazil": "Brasile", + "British Indian Ocean Territory": "Territorio britannico dell'Oceano Indiano", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambogia", + "Cameroon": "Camerun", + "Canada": "Canada", + "Cancel Subscription": "Annulla Abbonamento", + "Cape Verde": "Capo Verde", + "Card": "Carta", + "Cayman Islands": "Isole Cayman", + "Central African Republic": "Repubblica Centrafricana", + "Chad": "Chad", + "Change Subscription Plan": "Cambia Abbonamento", + "Chile": "Cile", + "China": "Cina", + "Christmas Island": "Isola di Natale", + "City": "Città", + "Cocos (Keeling) Islands": "Isole Cocos (Keeling)", + "Colombia": "Colombia", + "Comoros": "Comore", + "Confirm Payment": "Conferma Pagamento", + "Confirm your :amount payment": "Conferma il pagamento di :amount", + "Congo": "Congo", + "Congo, the Democratic Republic of the": "Repubblica Democratica del Congo", + "Cook Islands": "Isole Cook", + "Costa Rica": "Costa Rica", + "Country": "Nazione", + "Coupon": "Coupon", + "Croatia": "Croazia", + "Cuba": "Cuba", + "Current Subscription Plan": "Abbonamento Attuale", + "Currently Subscribed": "Attualmente Sottoscritto", + "Cyprus": "Cipro", + "Czech Republic": "Repubblica Ceca", + "Côte d'Ivoire": "Costa d'Avorio", + "Denmark": "Danimarca", + "Djibouti": "Gibuti", + "Dominica": "Dominica", + "Dominican Republic": "Repubblica Dominicana", + "Download Receipt": "Scarica Ricevuta", + "Ecuador": "Ecuador", + "Egypt": "Egitto", + "El Salvador": "El Salvador", + "Email Addresses": "Indirizzi Email", + "Equatorial Guinea": "Guinea Equatoriale", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Etiopia", + "ex VAT": "IVA esclusa", + "Extra Billing Information": "Info aggiuntive per la fatturazione", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "E' richiesta un'ulteriore conferma per processare il tuo pagamento. Per piacere prosegui sulla pagina di pagamento cliccando sul pulsante qui sotto.", + "Falkland Islands (Malvinas)": "Isole Falkland (Malvinas)", + "Faroe Islands": "Isole Faroe", + "Fiji": "Figi", + "Finland": "Finlandia", + "France": "Francia", + "French Guiana": "Guyana Francese", + "French Polynesia": "Polinesia Francese", + "French Southern Territories": "Territori della Francia del Sud", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Germania", + "Ghana": "Ghana", + "Gibraltar": "Gibilterra", + "Greece": "Grecia", + "Greenland": "Groenlandia", + "Grenada": "Grandaa", + "Guadeloupe": "Guadalupa", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Hai un codice coupon?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Hai dei ripensamenti sull'annullamento dell'abbonamento? Puoi riattivarlo immediatamente in qualsiasi momento fino alla fine del tuo ciclo di fatturazione. Al termine, potrai scegliere un nuovo piano di abbonamento.", + "Heard Island and McDonald Islands": "Isola Heard e Isole McDonald", + "Holy See (Vatican City State)": "Santa Sede (Stato della Città del Vaticano)", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Ungheria", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Islanda", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "Se hai bisogno di aggiungere informazioni specifiche di contatto o legali sulla tua ricevuta, come il nome della tua azienda, la partita iva, la sede legale, puoi aggiungerle qui.", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic of": "Iran", + "Iraq": "Iraq", + "Ireland": "Irlanda", + "Isle of Man": "Isola di Man", + "Israel": "Israele", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "Sembra che tu non abbia un abbonamento attivo. Per iniziare, puoi scegliere uno dei piani di abbonamento che seguono: in qualsiasi momento potrai cambiare o cancellare l'abbonamento.", + "Italy": "Italia", + "Jamaica": "Giamaica", + "Japan": "Giappone", + "Jersey": "Jersey", + "Jordan": "Giordania", + "Kazakhstan": "Kazakistan", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Korea del Nord", + "Korea, Republic of": "Korea, Repubblica", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kirghizistan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Lettonia", + "Lebanon": "Libano", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libia", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lituania", + "Luxembourg": "Lussemburgo", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, Ex Repubblica Jugoslava", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malesia", + "Maldives": "Maldive", + "Mali": "Mali", + "Malta": "Malta", + "Managing billing for :billableName": "Gestisci la fatturazione per :billableName", + "Marshall Islands": "Isole Marshall", + "Martinique": "Martinica", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Messico", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Repubblica", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Monthly": "Mensile", + "monthly": "mensile", + "Montserrat": "Montserrat", + "Morocco": "Marocco", + "Mozambique": "Mozambico", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Olanda", + "Netherlands Antilles": "Antille Olandesi", + "Nevermind, I'll keep my old plan": "Non importa, manterrò il mio vecchio piano", + "New Caledonia": "Crea Caledonia", + "New Zealand": "Nuova Zelanda", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Isola Norfolk", + "Northern Mariana Islands": "Isole Marianne Settentrionali", + "Norway": "Norvegia", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Il nostro portale di fatturazione ti consente di gestire l'abbonamento, il metodo di pagamento, e scaricare le fatture recenti.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Territori Palestinesi Occupati", + "Panama": "Panama", + "Papua New Guinea": "Papua Nuova Guinea", + "Paraguay": "Paraguay", + "Payment Information": "Informazioni di pagamento", + "Peru": "Perù", + "Philippines": "Filippine", + "Pitcairn": "Isole Pitcairn", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Per piacere fornisci al massimo tre indirizzi email ai quali inviare le ricevute.", + "Poland": "Polonia", + "Portugal": "Portogallo", + "Puerto Rico": "Porto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Indirizzi Email Ricevute Pagamento", + "Receipts": "Ricevute Pagamento", + "Resume Subscription": "Riattiva Abbonamento", + "Return to :appName": "Ritorna su :appName", + "Romania": "Romania", + "Russian Federation": "Federazione Russa", + "Rwanda": "Ruanda", + "Réunion": "Réunion", + "Saint Barthélemy": "San Bartolomeo", + "Saint Helena": "Sant'Elena", + "Saint Kitts and Nevis": "San Cristoforo e Nevis", + "Saint Lucia": "Santa Lucia", + "Saint Martin (French part)": "San Martino (parte Francese)", + "Saint Pierre and Miquelon": "Saint-Pierre e Miquelon", + "Saint Vincent and the Grenadines": "San Vincenzo e Grenadine", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "São Tomé e Príncipe", + "Saudi Arabia": "Arabia Saudita", + "Save": "Salva", + "Select": "Seleziona", + "Select a different plan": "Cambia abbonamento", + "Senegal": "Senegal", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Autenticato come", + "Singapore": "Singapore", + "Slovakia": "Slovacchia", + "Slovenia": "Slovenia", + "Solomon Islands": "Isole Salomone", + "Somalia": "Somalia", + "South Africa": "Sud Africa", + "South Georgia and the South Sandwich Islands": "Georgia del Sud e Isole Sandwich Meridionali", + "Spain": "Spagna", + "Sri Lanka": "Sri Lanka", + "State \/ County": "Provincia \/ Regione", + "Subscribe": "Abbonati", + "Subscription Information": "Info Abbonamento", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Svezia", + "Switzerland": "Svizzera", + "Syrian Arab Republic": "Siria", + "Taiwan, Province of China": "Taiwan, Provincia della Cina", + "Tajikistan": "Tagikistan", + "Tanzania, United Republic of": "Tanzania, Repubblica Unita", + "Terms of Service": "Termini d'uso del servizio", + "Thailand": "Tailandia", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Grazie per supportarci ancora. Ti abbiamo allegato una copia della fattura per il tuo pagamento. Scrivici se hai domande o dubbi, grazie.", + "Thanks,": "Grazie,", + "The provided coupon code is invalid.": "Il codice Coupon fornito non è valido.", + "The provided VAT number is invalid.": "La partita IVA fornita non è valida.", + "The receipt emails must be valid email addresses.": "Gli indirizzi email per la fatturazione devono essere validi.", + "The selected country is invalid.": "La nazione selezionata non è valida.", + "The selected plan is invalid.": "Il piano di abbonamento selezionato non è valido.", + "This account does not have an active subscription.": "Questo account non ha un abbonamento attivo.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "Questo abbonamento è scaduto e non può essere ripristinato. Per piacere abbonati ad un nuovo piano di abbonamento.", + "Timor-Leste": "Timor-Leste", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "Total:": "Totale:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turchia", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Isole Turks e Caicos", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ucraina", + "United Arab Emirates": "Emirati Arabi Uniti", + "United Kingdom": "Regno Unito", + "United States": "Stati Uniti", + "United States Minor Outlying Islands": "Isole Periferiche minori degli Stati Uniti", + "Update": "Aggiorna", + "Update Payment Information": "Aggiorna Informazioni Pagamento", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "Partita IVA", + "Venezuela, Bolivarian Republic of": "Venezuela, Repubblica Bolivariana", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Isole Vergini Britanniche", + "Virgin Islands, U.S.": "Isole Vergini Americane", + "Wallis and Futuna": "Wallis e Futuna", + "We are unable to process your payment. Please contact customer support.": "Non riusciamo a processare il tuo pagamento. Per piacere contatta il servizio clienti.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "Invieremo un link per scaricare la ricevuta di pagamento agli indirizzi email specificati di seguito. Puoi aggiungere più indirizzi email, separandoli con la virgola.", + "Western Sahara": "Sahara Occidentale", + "Whoops! Something went wrong.": "Ops! Qualcosa è andato storto.", + "Yearly": "Annuale", + "Yemen": "Yemen", + "You are currently within your free trial period. Your trial will expire on :date.": "Sei nel tuo periodo di prova. La prova scadrà il :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "Puoi cancellare il tuo abbonamento in qualsiasi momento. Una volta cancellato, potrai recuperare l'abbonamento fino alla fine del tuo periodo di fatturazione.", + "Your :invoiceName invoice is now available!": "La tua fattura :invoiceName è disponibile!", + "Your card was declined. Please contact your card issuer for more information.": "Carta rifiutata. Per piacere contatta il tuo istituto di credito per maggiori informazioni.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Il tuo metodo di pagamento attuale è una carta di credito che termina con :lastFour e scade il :expiration.", + "Your registered VAT Number is :vatNumber.": "La tua partita IVA è :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "CAP", + "Åland Islands": "Åland Islands" +} diff --git a/locales/ja/ja.json b/locales/ja/ja.json index 50a67fd11f2..65889c5441d 100644 --- a/locales/ja/ja.json +++ b/locales/ja/ja.json @@ -1,710 +1,48 @@ { - "30 Days": "30日", - "60 Days": "60日", - "90 Days": "90日", - ":amount Total": "合計:amount", - ":days day trial": ":days日のトライアル", - ":resource Details": ":resource詳細", - ":resource Details: :title": ":resource詳細:title", "A fresh verification link has been sent to your email address.": "新しい確認メールを送りました。", - "A new verification link has been sent to the email address you provided during registration.": "入力いただいたメールアドレスに新しい確認メールを送信しました。", - "Accept Invitation": "招待を受け入れる", - "Action": "演技はじめ!", - "Action Happened At": "で起こった", - "Action Initiated By": "によって開始", - "Action Name": "名前", - "Action Status": "ステータス", - "Action Target": "ターゲット", - "Actions": "アクション", - "Add": "追加", - "Add a new team member to your team, allowing them to collaborate with you.": "新しいチームメンバーを追加", - "Add additional security to your account using two factor authentication.": "セキュリティ強化のため二段階認証を追加", - "Add row": "行を追加", - "Add Team Member": "チームメンバーを追加", - "Add VAT Number": "VAT番号を追加", - "Added.": "追加完了", - "Address": "住所", - "Address Line 2": "住所2", - "Administrator": "管理者", - "Administrator users can perform any action.": "管理者はすべてのアクションを実行可能です。", - "Afghanistan": "アフガニスタン", - "Aland Islands": "オーランド諸島", - "Albania": "アルバニア", - "Algeria": "アルジェリア", - "All of the people that are part of this team.": "すべてのチームメンバー", - "All resources loaded.": "すべてのリソースが読み込まれました。", - "All rights reserved.": "All rights reserved.", - "Already registered?": "登録済みの方はこちら", - "American Samoa": "アメリカ領サモア", - "An error occured while uploading the file.": "ファイルのアップロード中にエラーが発生しました。", - "An unexpected error occurred and we have notified our support team. Please try again later.": "予期せぬエラーが発生しました。時間をおいてから改めてお試しください。", - "Andorra": "アンドラ", - "Angola": "アンゴラ", - "Anguilla": "アンギラ", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "ページが読み込まれてから他のユーザーがリソースを更新しました。ページを更新して、もう一度お試しください。", - "Antarctica": "南極大陸", - "Antigua and Barbuda": "アンティグア・バーブーダ", - "Antigua And Barbuda": "アンティグア・バーブーダ", - "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トークンを使うとサードパーティーのサービスからアプリへの認証ができるようになります。", - "April": "4月", - "Are you sure you want to delete the selected resources?": "選択したリソースを削除しますか?", - "Are you sure you want to delete this file?": "このファイルを削除しますか?", - "Are you sure you want to delete this resource?": "このリソースを削除しますか?", - "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 detach the selected resources?": "選択したリソースを解除しますか?", - "Are you sure you want to detach this resource?": "このリソースを解除しますか?", - "Are you sure you want to force delete the selected resources?": "選択したリソースを強制的に削除しますか?", - "Are you sure you want to force delete this resource?": "このリソースを強制的に削除しますか?", - "Are you sure you want to restore the selected resources?": "選択したリソースを復元しますか?", - "Are you sure you want to restore this resource?": "このリソースを復元しますか?", - "Are you sure you want to run this action?": "このアクションを実行しますか?", - "Are you sure you would like to delete this API token?": "APIトークンを削除しますか?", - "Are you sure you would like to leave this team?": "このチームを離れますか?", - "Are you sure you would like to remove this person from the team?": "このメンバーをチームから削除しますか?", - "Argentina": "アルゼンチン", - "Armenia": "アルメニア", - "Aruba": "アルバ", - "Attach": "添付", - "Attach & Attach Another": "添付して新しく添付", - "Attach :resource": ":resourceを添付", - "August": "8月", - "Australia": "オーストラア", - "Austria": "オーストリア", - "Azerbaijan": "アゼルバイジャン", - "Bahamas": "バハマ", - "Bahrain": "バーレーン", - "Bangladesh": "バングラデシュ", - "Barbados": "バルバドス", "Before proceeding, please check your email for a verification link.": "次に進む前に、確認リンクのメールをチェックしてください。", - "Belarus": "ベラルーシ", - "Belgium": "ベルギー", - "Belize": "ベリーズ", - "Benin": "ベナン", - "Bermuda": "バミューダ諸島", - "Bhutan": "ブータン", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "ボリビア", - "Bolivia, Plurinational State of": "ボネール、シント・ユースタティウスおよびサバ", - "Bonaire, Sint Eustatius and Saba": "ボネール、シント・ユースタティウスおよびサバ", - "Bosnia And Herzegovina": "ボスニア・ヘルツェゴビナ", - "Bosnia and Herzegovina": "ボスニア・ヘルツェゴビナ", - "Botswana": "ボツワナ", - "Bouvet Island": "ブーベ島", - "Brazil": "ブラジル", - "British Indian Ocean Territory": "イギリス領インド洋地域", - "Browser Sessions": "ブラウザセッション", - "Brunei Darussalam": "ブルネイ", - "Bulgaria": "ブルガリア", - "Burkina Faso": "ブルキナファソ", - "Burundi": "ブルンジ", - "Cambodia": "カンボジア", - "Cameroon": "カメルーン", - "Canada": "カナダ", - "Cancel": "キャンセル", - "Cancel Subscription": "プランをキャンセル", - "Cape Verde": "カーボベルデ", - "Card": "カード", - "Cayman Islands": "ケイマン諸島", - "Central African Republic": "中央アフリカ共和国", - "Chad": "チャド", - "Change Subscription Plan": "プランを変更", - "Changes": "変更点", - "Chile": "チリ", - "China": "中国", - "Choose": "選択", - "Choose :field": ":fieldを選択", - "Choose :resource": ":resourceを選択", - "Choose an option": "オプションを選択する", - "Choose date": "日付を選択", - "Choose File": "ファイルを選択", - "Choose Type": "タイプを選択", - "Christmas Island": "クリスマス島", - "City": "市区町村", "click here to request another": "クリックしてメールを再送信してください。", - "Click to choose": "クリックして選択する", - "Close": "閉じる", - "Cocos (Keeling) Islands": "ココス(キーリング)諸島", - "Code": "コード", - "Colombia": "コロンビア", - "Comoros": "コモロ", - "Confirm": "確認", - "Confirm Password": "パスワード(確認用)", - "Confirm Payment": "お支払いの確認", - "Confirm your :amount payment": ":amount 個のお支払いを確認", - "Congo": "コンゴ", - "Congo, Democratic Republic": "コンゴ民主共和国", - "Congo, the Democratic Republic of the": "コンゴ民主共和国", - "Constant": "定数", - "Cook Islands": "クック諸島", - "Costa Rica": "コスタリカ", - "Cote D'Ivoire": "コートジボワール", - "could not be found.": "見つかりませんでした。", - "Country": "国", - "Coupon": "クーポン", - "Create": "作成", - "Create & Add Another": "作成して新しく追加する", - "Create :resource": ":resourceを作成", - "Create a new team to collaborate with others on projects.": "新しいチームを作って、共同でプロジェクトを進める。", - "Create Account": "アカウントの作成", - "Create API Token": "APIトークン生成", - "Create New Team": "新しいチームを作成", - "Create Team": "チームを作成", - "Created.": "作成しました", - "Croatia": "クロアチア", - "Cuba": "キューバ", - "Curaçao": "キュラソー島", - "Current Password": "現在のパスワード", - "Current Subscription Plan": "現在のプラン", - "Currently Subscribed": "現在購読している", - "Customize": "カスタマイズ", - "Cyprus": "キプロス", - "Czech Republic": "チェコ", - "Côte d'Ivoire": "コートジボワール", - "Dashboard": "ダッシュボード", - "December": "12月", - "Decrease": "減少", - "Delete": "削除", - "Delete Account": "アカウント削除", - "Delete API Token": "APIトークン削除", - "Delete File": "ファイル削除", - "Delete Resource": "リソース削除", - "Delete Selected": "選択した内容を削除", - "Delete Team": "チームを削除", - "Denmark": "デンマーク", - "Detach": "解除", - "Detach Resource": "リソースを解除", - "Detach Selected": "選択した内容を解除", - "Details": "詳細", - "Disable": "無効化", - "Djibouti": "ジブチ", - "Do you really want to leave? You have unsaved changes.": "保存されていない変更があります。離れますか?", - "Dominica": "ドミニカ", - "Dominican Republic": "ドミニカ共和国", - "Done.": "完了", - "Download": "ダウンロード", - "Download Receipt": "領収書をダウンロード", "E-Mail Address": "メールアドレス", - "Ecuador": "エクアドル", - "Edit": "編集", - "Edit :resource": ":resourceを編集", - "Edit Attached": "添付を編集", - "Editor": "編集者", - "Editor users have the ability to read, create, and update.": "編集者は読み込み、作成、更新ができます。", - "Egypt": "エジプト", - "El Salvador": "エルサルバドル", - "Email": "メールアドレス", - "Email Address": "メールアドレス", - "Email Addresses": "メールアドレス", - "Email Password Reset Link": "送信", - "Enable": "有効化", - "Ensure your account is using a long, random password to stay secure.": "長くてランダムなパスワードを設定してください。", - "Equatorial Guinea": "赤道ギニア", - "Eritrea": "エリトリア", - "Estonia": "エストニア", - "Ethiopia": "エチオピア", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "お支払いを完了するには、追加の確認が必要です。以下のお支払い詳細をご記入の上、お支払いを確認してください。", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "お支払いを完了するには、追加の確認が必要です。以下のボタンをクリックして、お支払いページに進んでください。", - "Falkland Islands (Malvinas)": "フォークランド諸島 (マルビナス諸島)", - "Faroe Islands": "フェロー諸島", - "February": "2月", - "Fiji": "フィジー", - "Finland": "フィンランド", - "For your security, please confirm your password to continue.": "安全のため、パスワードを入力して続行ください。", "Forbidden": "禁止されています", - "Force Delete": "強制的に削除する", - "Force Delete Resource": "リソースを強制的に削除する", - "Force Delete Selected": "選択した内容を強制的に削除する", - "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.": "ご登録いただいたメールアドレスを入力してください。パスワード再設定用のURLをメールにてお送りします。", - "France": "フランス", - "French Guiana": "フランス領ギアナ", - "French Polynesia": "フランス領ポリネシア", - "French Southern Territories": "フランス領南方・南極地域", - "Full name": "フルネーム", - "Gabon": "ガボン", - "Gambia": "ガンビア", - "Georgia": "ジョージア", - "Germany": "ドイツ", - "Ghana": "ガーナ", - "Gibraltar": "ジブラルタル", - "Go back": "戻る", - "Go Home": "ホームへ", "Go to page :page": ":pageページへ", - "Great! You have accepted the invitation to join the :team team.": ":teamチームに参加しました。", - "Greece": "ギリシャ", - "Greenland": "グリーンランド", - "Grenada": "グレナダ", - "Guadeloupe": "グアドループ", - "Guam": "グアム", - "Guatemala": "グアテマラ", - "Guernsey": "ガーンジー島", - "Guinea": "ギニア", - "Guinea-Bissau": "ギニア・ビサウ", - "Guyana": "ガイアナ", - "Haiti": "ハイチ", - "Have a coupon code?": "クーポンコードをお持ちの場合", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "有効期間内であればいつでもプランを再開できます。有効期限を過ぎた際には新しくプランに登録し直す必要があります。", - "Heard Island & Mcdonald Islands": "ハード島とマクドナルド諸島", - "Heard Island and McDonald Islands": "ハード島とマクドナルド諸島", "Hello!": "こんにちは", - "Hide Content": "コンテンツを非表示", - "Hold Up!": "お待ちください", - "Holy See (Vatican City State)": "バチカン市国", - "Honduras": "ホンジュラス", - "Hong Kong": "香港", - "Hungary": "ハンガリー", - "I agree to the :terms_of_service and :privacy_policy": ":terms_of_serviceと:privacy_policyに同意します", - "Iceland": "アイスランド", - "ID": "ID", - "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 logout 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 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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "領収書に社名や住所など追加の情報を記載する場合はこちらに記入してください。", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "\":actionText\"ボタンがクリックできない場合は以下のURLを直接入力してください。[:displayableActionUrl](:actionURL)", - "Increase": "増やす", - "India": "インド", - "Indonesia": "インドネシア", "Invalid signature.": "無効な署名。", - "Iran, Islamic Republic of": "イラン", - "Iran, Islamic Republic Of": "イラン", - "Iraq": "イラク", - "Ireland": "アイルランド", - "Isle of Man": "マン島", - "Isle Of Man": "マン島", - "Israel": "イスラエル", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "有効なサブスクリプションがありません。以下のプランの中から1つを選んで続けてください。プランはいつでも変更やキャンセルができます。", - "Italy": "イタリア", - "Jamaica": "ジャマイカ", - "January": "1月", - "Japan": "日本", - "Jersey": "ジャージー島", - "Jordan": "ヨルダン", - "July": "7月", - "June": "6月", - "Kazakhstan": "カザフスタン", - "Kenya": "ケニア", - "Key": "キー", - "Kiribati": "キリバス", - "Korea": "韓国", - "Korea, Democratic People's Republic of": "北朝鮮", - "Korea, Republic of": "韓国", - "Kosovo": "コソボ", - "Kuwait": "クウェート", - "Kyrgyzstan": "キルギスタン", - "Lao People's Democratic Republic": "ラオス", - "Last active": "最後のログイン", - "Last used": "最後に使用された", - "Latvia": "ラトビア", - "Leave": "離れる", - "Leave Team": "チームを離れる", - "Lebanon": "レバノン", - "Lens": "レンズ", - "Lesotho": "レソト", - "Liberia": "リベリア", - "Libyan Arab Jamahiriya": "リビア", - "Liechtenstein": "リヒテンシュタイン", - "Lithuania": "リトアニア", - "Load :perPage More": ":perPageページ分読み込む", - "Log in": "ログイン", "Log out": "ログアウト", - "Log Out": "ログアウト", - "Log Out Other Browser Sessions": "すべての端末からログアウト", - "Login": "ログイン", - "Logout": "ログアウト", "Logout Other Browser Sessions": "すべての端末からログアウト", - "Luxembourg": "ルクセンブルク", - "Macao": "マカオ", - "Macedonia": "北マケドニア", - "Macedonia, the former Yugoslav Republic of": "北マケドニア共和国", - "Madagascar": "マダガスカル", - "Malawi": "マラウイ", - "Malaysia": "マレーシア", - "Maldives": "モルディブ", - "Mali": "小さい", - "Malta": "マルタ", - "Manage Account": "アカウント管理", - "Manage and log out your active sessions on other browsers and devices.": "すべての端末からログアウトする。", "Manage and logout your active sessions on other browsers and devices.": "すべての端末からログアウトする。", - "Manage API Tokens": "APIトークン管理", - "Manage Role": "役割管理", - "Manage Team": "チーム管理", - "Managing billing for :billableName": ":billableNameの支払いを管理", - "March": "3月", - "Marshall Islands": "マーシャル諸島", - "Martinique": "マルティニーク島", - "Mauritania": "モーリタニア", - "Mauritius": "モーリシャス", - "May": "5月", - "Mayotte": "マヨット", - "Mexico": "メキシコ", - "Micronesia, Federated States Of": "ミクロネシア", - "Moldova": "モルドバ", - "Moldova, Republic of": "モルドバ共和国", - "Monaco": "モナコ", - "Mongolia": "モンゴル", - "Montenegro": "モンテネグロ", - "Month To Date": "月", - "Monthly": "月", - "monthly": "月", - "Montserrat": "モントセラト", - "Morocco": "モロッコ", - "Mozambique": "モザンビーク", - "Myanmar": "ミャンマー", - "Name": "氏名", - "Namibia": "ナミビア", - "Nauru": "ナウル", - "Nepal": "ネパール", - "Netherlands": "オランダ", - "Netherlands Antilles": "オランダ領アンティル", "Nevermind": "キャンセル", - "Nevermind, I'll keep my old plan": "以前のプランを維持します。", - "New": "新しい", - "New :resource": "新:resource", - "New Caledonia": "ニューカレドニア", - "New Password": "新しいパスワード", - "New Zealand": "ニュージーランド", - "Next": "次へ", - "Nicaragua": "ニカラグア", - "Niger": "ニジェール", - "Nigeria": "ナイジェリア", - "Niue": "ニウエ", - "No": "いいえ。", - "No :resource matched the given criteria.": ":resourceは与えられた基準に一致しませんでした。", - "No additional information...": "追加情報はありません。..", - "No Current Data": "現在のデータなし", - "No Data": "データなし", - "no file selected": "ファイルが選択されていません", - "No Increase": "増加なし", - "No Prior Data": "事前データなし", - "No Results Found.": "結果は見つかりませんでした。", - "Norfolk Island": "ノーフォーク島", - "Northern Mariana Islands": "北マリアナ諸島", - "Norway": "ノルウェー", "Not Found": "見つかりません", - "Nova User": "Novaユーザー", - "November": "11月", - "October": "10月", - "of": "の", "Oh no": "オーノー", - "Oman": "オマーン", - "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 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 Trashed": "ゴミ箱のみ", - "Original": "オリジナル", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "支払いの管理ポータルではプランやお支払い方法の変更、請求書のダウンロードができます。", "Page Expired": "ページが無効です", "Pagination Navigation": "ページネーション", - "Pakistan": "パキスタン", - "Palau": "パラオ", - "Palestinian Territory, Occupied": "パレスチナ自治区", - "Panama": "パナマ", - "Papua New Guinea": "パプアニューギニア", - "Paraguay": "パラグアイ", - "Password": "パスワード", - "Pay :amount": ":amount円", - "Payment Cancelled": "支払いキャンセル", - "Payment Confirmation": "お支払いの確認", - "Payment Information": "お支払い方法", - "Payment Successful": "支払いが成功した", - "Pending Team Invitations": "保留中のチーム招待", - "Per Page": "ページごと", - "Permanently delete this team.": "永久にチームを削除する。", - "Permanently delete your account.": "永久にアカウントを削除する。", - "Permissions": "認可", - "Peru": "ペルー", - "Philippines": "フィリピン", - "Photo": "写真", - "Pitcairn": "ピトケアン諸島", "Please click the button below to verify your email address.": "メールアドレスを確認するには、以下のボタンをクリックしてください。", - "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 your password before continuing.": "パスワードを入力して続行ください。", - "Please copy your new API token. For your security, it won't be shown again.": "新しいAPIトークンをコピーしてください。安全のため、二度と表示されません。", - "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 logout of your other browser sessions across all of your devices.": "すべての端末からログアウトします。よろしければパスワードを入力してください。", - "Please provide a maximum of three receipt emails addresses.": "領収書発行用メールアドレスを最大3つまで入力してください。", - "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. The email address must be associated with an existing account.": "チームに追加したい人のメールアドレスを入力してください。メールアドレスは既存アカウントと関連づいていなければいけません。", - "Please provide your name.": "お名前をご記入ください。", - "Poland": "ポーランド", - "Portugal": "ポルトガル", - "Press \/ to search": "押して検索", - "Preview": "プレビュー", - "Previous": "前のページ", - "Privacy Policy": "プライバシーポリシー", - "Profile": "プロフィール", - "Profile Information": "プロフィール情報", - "Puerto Rico": "プエルトリコ", - "Qatar": "カタール", - "Quarter To Date": "四半期", - "Receipt Email Addresses": "領収書発行用メールアドレス", - "Receipts": "領収書", - "Recovery Code": "リカバリーコード", "Regards": "よろしくお願いします", - "Regenerate Recovery Codes": "リカバリーコード再生成", - "Register": "アカウント作成", - "Reload": "リロード", - "Remember me": "ログイン状態を保持する", - "Remember Me": "ログイン状態を保持する", - "Remove": "削除", - "Remove Photo": "写真を削除", - "Remove Team Member": "チームメンバーを削除", - "Resend Verification Email": "確認メールを再送する", - "Reset Filters": "フィルタをリセット", - "Reset Password": "パスワード再設定", - "Reset Password Notification": "パスワード再設定のお知らせ", - "resource": "リソース", - "Resources": "リソース", - "resources": "リソース", - "Restore": "復元", - "Restore Resource": "リソースの復元", - "Restore Selected": "選択した項目を復元", "results": "結果", - "Resume Subscription": "サブスクリプションを再開", - "Return to :appName": ":appNameに戻る", - "Reunion": "打合せ", - "Role": "役割", - "Romania": "ルーマニア", - "Run Action": "アクションを実行", - "Russian Federation": "ロシア連邦", - "Rwanda": "ルワンダ", - "Réunion": "レユニオン", - "Saint Barthelemy": "サン・バルテルミー島", - "Saint Barthélemy": "サン・バルテルミー島", - "Saint Helena": "セントヘレナ", - "Saint Kitts and Nevis": "セントクリストファー・ネービス", - "Saint Kitts And Nevis": "セントクリストファー・ネービス", - "Saint Lucia": "セントルシア", - "Saint Martin": "サン・マルタン島", - "Saint Martin (French part)": "サン・マルタン島", - "Saint Pierre and Miquelon": "サンピエール島・ミクロン島", - "Saint Pierre And Miquelon": "サンピエール島・ミクロン島", - "Saint Vincent And Grenadines": "セントビンセントおよびグレナディーン諸島", - "Saint Vincent and the Grenadines": "セントビンセントおよびグレナディーン諸島", - "Samoa": "サモア", - "San Marino": "サンマリノ", - "Sao Tome and Principe": "サントメ・プリンシペ", - "Sao Tome And Principe": "サントメ・プリンシペ", - "Saudi Arabia": "サウジアラビア", - "Save": "更新", - "Saved.": "更新完了", - "Search": "検索", - "Select": "選択", - "Select a different plan": "別のプランを選択", - "Select A New Photo": "新しい写真を選択", - "Select Action": "選択アクション", - "Select All": "すべて選択", - "Select All Matching": "一致するすべてを選択", - "Send Password Reset Link": "パスワード再設定URLを送信", - "Senegal": "セネガル", - "September": "9月", - "Serbia": "セルビア", "Server Error": "サーバーエラー", "Service Unavailable": "サービスは利用できません", - "Seychelles": "セーシェル", - "Show All Fields": "すべての項目を表示", - "Show Content": "コンテンツを表示", - "Show Recovery Codes": "リカバリーコードを表示", "Showing": "示すこと", - "Sierra Leone": "シエラレオネ", - "Signed in as": "Signed in as", - "Singapore": "シンガポール", - "Sint Maarten (Dutch part)": "シント・マールテン", - "Slovakia": "スロバキア", - "Slovenia": "スロベニア", - "Solomon Islands": "ソロモン諸島", - "Somalia": "ソマリア", - "Something went wrong.": "エラーが発生しました。", - "Sorry! You are not authorized to perform this action.": "このアクションを実行する権限がありません。", - "Sorry, your session has expired.": "セッションが終了しました。", - "South Africa": "南アフリカ", - "South Georgia And Sandwich Isl.": "サウスジョージア・サウスサンドウィッチ諸島", - "South Georgia and the South Sandwich Islands": "サウスジョージア・サウスサンドウィッチ諸島", - "South Sudan": "南スーダン", - "Spain": "スペイン", - "Sri Lanka": "スリランカ", - "Start Polling": "ポーリング開始", - "State \/ County": "州", - "Stop Polling": "ポーリングの停止", - "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.": "パスワード管理ツールにリカバリーコードを保存してください。二段階認証に使用する端末を紛失した場合にリカバリーコードを使ってログインできます。", - "Subscribe": "購読する", - "Subscription Information": "サブスクリプション情報", - "Sudan": "スーダン", - "Suriname": "スリナム", - "Svalbard And Jan Mayen": "スヴァールバル諸島およびヤンマイエン島", - "Swaziland": "スイス", - "Sweden": "スウェーデン", - "Switch Teams": "チーム切り替え", - "Switzerland": "スイス", - "Syrian Arab Republic": "シリア", - "Taiwan": "台湾", - "Taiwan, Province of China": "台湾", - "Tajikistan": "タジキスタン", - "Tanzania": "タンザニア", - "Tanzania, United Republic of": "タンザニア連合共和国", - "Team Details": "チーム詳細", - "Team Invitation": "チーム招待", - "Team Members": "チームメンバー", - "Team Name": "チーム名", - "Team Owner": "チームオーナー", - "Team Settings": "チーム設定", - "Terms of Service": "利用規約", - "Thailand": "タイ", - "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.": "ご登録ありがとうございます。入力いただいたメールアドレス宛にを確認のメールを送信しました。メールをご確認いただき、メールに記載されたURLをクリックして登録を完了してください。メールが届かない場合、メールを再送できます。", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "継続した支援をありがとうございます。請求書のコピーをレコードに添付しました。ご不明点があればお問い合わせください。", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attributeは有効なロールである必要があります。", - "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 and 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 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 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.": ":attributeは:length文字以上でなければなりません。", "The :attribute must contain at least one letter.": ":attributeは文字を1文字以上含めなければなりません。", "The :attribute must contain at least one number.": ":attributeは数字を1文字以上含めなければなりません。", "The :attribute must contain at least one symbol.": ":attributeは記号を1文字以上含めなければなりません。", "The :attribute must contain at least one uppercase and one lowercase letter.": ":attributeは大文字と小文字をそれぞれ1文字以上含めなければなりません。", - "The :resource was created!": ":resourceが作成されました。", - "The :resource was deleted!": ":resourceが削除されました。", - "The :resource was restored!": ":resourceが復元されました。", - "The :resource was updated!": ":resourceが更新されました。", - "The action ran successfully!": "アクションは成功しました。", - "The file was deleted!": "ファイルが削除されました。", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": ":attributeはデータ漏洩の対象だった可能性があります。別の:attributeを選んでください。", - "The government won't let us show you what's behind these doors": "政府はこれらのドアの背後にあるものをお見せさせません", - "The HasOne relationship has already been filled.": "HasOneの関係はすでに満たされています。", - "The payment was successful.": "支払いは成功しました。", - "The provided coupon code is 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 VAT number is invalid.": "VAT番号が無効です。", - "The receipt emails must be valid email addresses.": "有効なメールアドレスを入力してください。", - "The resource was updated!": "リソースが更新されました。", - "The selected country is invalid.": "選択された国が無効です。", - "The selected plan is invalid.": "選択されたプランが無効です。", - "The team's name and owner information.": "チーム名とオーナー情報", - "There are no available options for this resource.": "このリソースに使用可能なオプションはありません。", - "There was a problem executing the action.": "アクションの実行に問題がありました。", - "There was a problem submitting the form.": "フォームの送信に問題がありました。", - "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.": "これらのユーザー宛にチームへの招待メールが送信されました。招待メールを確認してチームに参加できます。", - "This account does not have an active subscription.": "このアカウントには有効なサブスクリプションがありません。", "This action is unauthorized.": "この操作は許可されていません。", - "This device": "この端末", - "This file field is read-only.": "このfileフィールドは読み取り専用です。", - "This image": "この画像", - "This is a secure area of the application. Please confirm your password before continuing.": "ここはアプリケーションのセキュアな領域です。パスワードを入力して続行ください。", - "This password does not match our records.": "パスワードが違います。", "This password reset link will expire in :count minutes.": "このパスワード再設定リンクの有効期限は:count分です。", - "This payment was already successfully confirmed.": "この支払いはすでに正常に確認されました。", - "This payment was cancelled.": "この支払いは取り消された。", - "This resource no longer exists": "このリソースは存在しません", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "このサブスクリプションは有効期限を過ぎており再開できません。新しいサブスクリプションを作成してください。", - "This user already belongs to the team.": "このユーザーは既にチームに所属しています。", - "This user has already been invited to the team.": "このユーザーは既にチームに招待されています。", - "Timor-Leste": "東ティモール", "to": "に", - "Today": "今日は", "Toggle navigation": "ナビゲーションを切り替える", - "Togo": "トーゴ", - "Tokelau": "トケラウ", - "Token Name": "トークン名", - "Tonga": "トンガ", "Too Many Attempts.": "リクエストが多すぎます。", "Too Many Requests": "リクエストが多すぎます", - "total": "合計", - "Total:": "合計:", - "Trashed": "ゴミ箱", - "Trinidad And Tobago": "トリニダード・ドバゴ", - "Tunisia": "チュニジア", - "Turkey": "トルコ", - "Turkmenistan": "トルクメニスタン", - "Turks and Caicos Islands": "タークス・カイコス諸島", - "Turks And Caicos Islands": "タークス・カイコス諸島", - "Tuvalu": "ツバル", - "Two Factor Authentication": "二段階認証", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "二段階認証を有効化しました。QRコードをアプリからスキャンしてください。", - "Uganda": "ウガンダ", - "Ukraine": "ウクライナ", "Unauthorized": "認証が必要です", - "United Arab Emirates": "アラブ首長国連邦", - "United Kingdom": "イギリス", - "United States": "アメリカ合衆国", - "United States Minor Outlying Islands": "アメリカ合衆国のマイナーな離島", - "United States Outlying Islands": "アメリカ合衆国の離島", - "Update": "更新", - "Update & Continue Editing": "更新して編集を続ける", - "Update :resource": ":resource更新", - "Update :resource: :title": ":resource::title", - "Update attached :resource: :title": "アップデート添付:resource::title", - "Update Password": "パスワード更新", - "Update Payment Information": "お支払い方法を更新", - "Update your account's profile information and email address.": "プロフィール情報とメールアドレスを更新する。", - "Uruguay": "ウルグアイ", - "Use a recovery code": "リカバリーコードを使用する", - "Use an authentication code": "認証コードを使用する", - "Uzbekistan": "ウズベキスタン", - "Value": "値", - "Vanuatu": "バヌアツ", - "VAT Number": "VAT番号", - "Venezuela": "ベネズエラ", - "Venezuela, Bolivarian Republic of": "ベネズエラ・ボリバル共和国", "Verify Email Address": "メールアドレスを確認してください", "Verify Your Email Address": "メールアドレスを確認してください", - "Viet Nam": "ベトナム", - "View": "ビュー", - "Virgin Islands, British": "英領ヴァージン諸島", - "Virgin Islands, U.S.": "米領ヴァージン諸島", - "Wallis and Futuna": "ウォリス・フツナ", - "Wallis And Futuna": "ウォリス・フツナ", - "We are unable to process your payment. Please contact customer support.": "決済が完了できませんでした。カスタマーサポートへお問い合わせください。", - "We were unable to find a registered user with this email address.": "このメールアドレスは登録されていません。", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "領収書のダウンロードURLを以下のメールアドレスにお送りします。カンマ区切りで複数のメールアドレスの指定が可能です。", "We won't ask for your password again for a few hours.": "数時間の間、再びパスワードを求められることはありません。", - "We're lost in space. The page you were trying to view does not exist.": "お探しのページが見つかりませんでした。", - "Welcome Back!": "おかえりなさい。", - "Western Sahara": "西サハラ", - "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アプリから取得できます。", - "Whoops": "おっと", - "Whoops!": "おっと!", - "Whoops! Something went wrong.": "エラーの内容を確認してください。", - "With Trashed": "ゴミ箱付き", - "Write": "書き込み", - "Year To Date": "年から現在に至るまで", - "Yearly": "年", - "Yemen": "イエメン", - "Yes": "はい。", - "You are currently within your free trial period. Your trial will expire on :date.": "現在トライアル期間です。トライアル期間は:dateまでです。", "You are logged in!": "あなたはログインしている!", - "You are receiving this email because we received a password reset request for your account.": "パスワード再設定のリクエストを受け付けました。", - "You have been invited to join the :team team!": ":teamに招待されました。", - "You have enabled two factor authentication.": "二段階認証が有効です。", - "You have not enabled two factor authentication.": "二段階認証が未設定です。", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "サブスクリプションはいつでもキャンセルできます。キャンセルする際は次回お支払い日まで利用を続けるかどうかを選択できます。", - "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.": "自身が作成したチームを離れることはできません。", - "Your :invoiceName invoice is now available!": ":invoiceNameの請求書がご利用可能です。", - "Your card was declined. Please contact your card issuer for more information.": "カードが拒否されました。詳細はカード発行会社にお問い合わせください。", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "現在のお支払い方法は下4桁が:lastFour、有効期限が:expirationのクレジットカードです。", - "Your email address is not verified.": "メールアドレスの認証が完了していません。", - "Your registered VAT Number is :vatNumber.": "登録されているVAT番号は:vatNumberです。", - "Zambia": "ザンビア", - "Zimbabwe": "ジンバブエ", - "Zip \/ Postal Code": "郵便番号" + "Your email address is not verified.": "メールアドレスの認証が完了していません。" } diff --git a/locales/ja/packages/cashier.json b/locales/ja/packages/cashier.json new file mode 100644 index 00000000000..96114a6c6f9 --- /dev/null +++ b/locales/ja/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "All rights reserved.", + "Card": "カード", + "Confirm Payment": "お支払いの確認", + "Confirm your :amount payment": ":amount 個のお支払いを確認", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "お支払いを完了するには、追加の確認が必要です。以下のお支払い詳細をご記入の上、お支払いを確認してください。", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "お支払いを完了するには、追加の確認が必要です。以下のボタンをクリックして、お支払いページに進んでください。", + "Full name": "フルネーム", + "Go back": "戻る", + "Jane Doe": "Jane Doe", + "Pay :amount": ":amount円", + "Payment Cancelled": "支払いキャンセル", + "Payment Confirmation": "お支払いの確認", + "Payment Successful": "支払いが成功した", + "Please provide your name.": "お名前をご記入ください。", + "The payment was successful.": "支払いは成功しました。", + "This payment was already successfully confirmed.": "この支払いはすでに正常に確認されました。", + "This payment was cancelled.": "この支払いは取り消された。" +} diff --git a/locales/ja/packages/fortify.json b/locales/ja/packages/fortify.json new file mode 100644 index 00000000000..18386ddcbbb --- /dev/null +++ b/locales/ja/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 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 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.": ":attributeは:length文字以上でなければなりません。", + "The provided password does not match your current password.": "パスワードが現在のパスワードと一致しません。", + "The provided password was incorrect.": "パスワードが違います。", + "The provided two factor authentication code was invalid.": "提供された二段階認証コードが無効です。" +} diff --git a/locales/ja/packages/jetstream.json b/locales/ja/packages/jetstream.json new file mode 100644 index 00000000000..fa452d05b5c --- /dev/null +++ b/locales/ja/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "入力いただいたメールアドレスに新しい確認メールを送信しました。", + "Accept Invitation": "招待を受け入れる", + "Add": "追加", + "Add a new team member to your team, allowing them to collaborate with you.": "新しいチームメンバーを追加", + "Add additional security to your account using two factor authentication.": "セキュリティ強化のため二段階認証を追加", + "Add Team Member": "チームメンバーを追加", + "Added.": "追加完了", + "Administrator": "管理者", + "Administrator users can perform any action.": "管理者はすべてのアクションを実行可能です。", + "All of the people that are part of this team.": "すべてのチームメンバー", + "Already registered?": "登録済みの方はこちら", + "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トークンを使うとサードパーティーのサービスからアプリへの認証ができるようになります。", + "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 delete this API token?": "APIトークンを削除しますか?", + "Are you sure you would like to leave this team?": "このチームを離れますか?", + "Are you sure you would like to remove this person from the team?": "このメンバーをチームから削除しますか?", + "Browser Sessions": "ブラウザセッション", + "Cancel": "キャンセル", + "Close": "閉じる", + "Code": "コード", + "Confirm": "確認", + "Confirm Password": "パスワード(確認用)", + "Create": "作成", + "Create a new team to collaborate with others on projects.": "新しいチームを作って、共同でプロジェクトを進める。", + "Create Account": "アカウントの作成", + "Create API Token": "APIトークン生成", + "Create New Team": "新しいチームを作成", + "Create Team": "チームを作成", + "Created.": "作成しました", + "Current Password": "現在のパスワード", + "Dashboard": "ダッシュボード", + "Delete": "削除", + "Delete Account": "アカウント削除", + "Delete API Token": "APIトークン削除", + "Delete Team": "チームを削除", + "Disable": "無効化", + "Done.": "完了", + "Editor": "編集者", + "Editor users have the ability to read, create, and update.": "編集者は読み込み、作成、更新ができます。", + "Email": "メールアドレス", + "Email Password Reset Link": "送信", + "Enable": "有効化", + "Ensure your account is using a long, random password to stay secure.": "長くてランダムなパスワードを設定してください。", + "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.": "ご登録いただいたメールアドレスを入力してください。パスワード再設定用のURLをメールにてお送りします。", + "Great! You have accepted the invitation to join the :team team.": ":teamチームに参加しました。", + "I agree to the :terms_of_service and :privacy_policy": ":terms_of_serviceと:privacy_policyに同意します", + "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 you already have an account, you may accept this invitation by clicking the button below:": "アカウントがすでにある場合は、以下のボタンをクリックして招待を承認できます:", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "アカウントをお持ちでない場合は、以下のボタンをクリックしてアカウントを作成できます。アカウント作成後は招待メールのリンクをクリックして登録を完了してください。", + "Last active": "最後のログイン", + "Last used": "最後に使用された", + "Leave": "離れる", + "Leave Team": "チームを離れる", + "Log in": "ログイン", + "Log Out": "ログアウト", + "Log Out Other Browser Sessions": "すべての端末からログアウト", + "Manage Account": "アカウント管理", + "Manage and log out your active sessions on other browsers and devices.": "すべての端末からログアウトする。", + "Manage API Tokens": "APIトークン管理", + "Manage Role": "役割管理", + "Manage Team": "チーム管理", + "Name": "氏名", + "New Password": "新しいパスワード", + "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 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.": "アカウントを削除すると、すべてのデータが完全に削除されます。削除する前に、保存しておきたいデータなどはダウンロードしてください。", + "Password": "パスワード", + "Pending Team Invitations": "保留中のチーム招待", + "Permanently delete this team.": "永久にチームを削除する。", + "Permanently delete your account.": "永久にアカウントを削除する。", + "Permissions": "認可", + "Photo": "写真", + "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 copy your new API token. For your security, it won't be shown again.": "新しいAPIトークンをコピーしてください。安全のため、二度と表示されません。", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "すべての端末からログアウトします。よろしければパスワードを入力してください。", + "Please provide the email address of the person you would like to add to this team.": "このチームに追加したい人のメールアドレスを入力してください。", + "Privacy Policy": "プライバシーポリシー", + "Profile": "プロフィール", + "Profile Information": "プロフィール情報", + "Recovery Code": "リカバリーコード", + "Regenerate Recovery Codes": "リカバリーコード再生成", + "Register": "アカウント作成", + "Remember me": "ログイン状態を保持する", + "Remove": "削除", + "Remove Photo": "写真を削除", + "Remove Team Member": "チームメンバーを削除", + "Resend Verification Email": "確認メールを再送する", + "Reset Password": "パスワード再設定", + "Role": "役割", + "Save": "更新", + "Saved.": "更新完了", + "Select A New Photo": "新しい写真を選択", + "Show Recovery Codes": "リカバリーコードを表示", + "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.": "パスワード管理ツールにリカバリーコードを保存してください。二段階認証に使用する端末を紛失した場合にリカバリーコードを使ってログインできます。", + "Switch Teams": "チーム切り替え", + "Team Details": "チーム詳細", + "Team Invitation": "チーム招待", + "Team Members": "チームメンバー", + "Team Name": "チーム名", + "Team Owner": "チームオーナー", + "Team Settings": "チーム設定", + "Terms of Service": "利用規約", + "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.": "ご登録ありがとうございます。入力いただいたメールアドレス宛にを確認のメールを送信しました。メールをご確認いただき、メールに記載されたURLをクリックして登録を完了してください。メールが届かない場合、メールを再送できます。", + "The :attribute must be a valid role.": ":attributeは有効なロールである必要があります。", + "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 and 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 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 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.": ":attributeは:length文字以上でなければなりません。", + "The provided password does not match your current password.": "パスワードが現在のパスワードと一致しません。", + "The provided password was incorrect.": "パスワードが違います。", + "The provided two factor authentication code was invalid.": "提供された二段階認証コードが無効です。", + "The team's name and owner information.": "チーム名とオーナー情報", + "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.": "これらのユーザー宛にチームへの招待メールが送信されました。招待メールを確認してチームに参加できます。", + "This device": "この端末", + "This is a secure area of the application. Please confirm your password before continuing.": "ここはアプリケーションのセキュアな領域です。パスワードを入力して続行ください。", + "This password does not match our records.": "パスワードが違います。", + "This user already belongs to the team.": "このユーザーは既にチームに所属しています。", + "This user has already been invited to the team.": "このユーザーは既にチームに招待されています。", + "Token Name": "トークン名", + "Two Factor Authentication": "二段階認証", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "二段階認証を有効化しました。QRコードをアプリからスキャンしてください。", + "Update Password": "パスワード更新", + "Update your account's profile information and email address.": "プロフィール情報とメールアドレスを更新する。", + "Use a recovery code": "リカバリーコードを使用する", + "Use an authentication code": "認証コードを使用する", + "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.": "二段階認証を有効化した場合、ログイン時に安全かつランダムなトークンが与えられます。トークンはGoogle Authenticatorアプリから取得できます。", + "Whoops! Something went wrong.": "エラーの内容を確認してください。", + "You have been invited to join the :team team!": ":teamに招待されました。", + "You have enabled two factor authentication.": "二段階認証が有効です。", + "You have not enabled two factor authentication.": "二段階認証が未設定です。", + "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.": "不要なAPIトークンを削除する。", + "You may not delete your personal team.": "パーソナルチームを削除することはできません。", + "You may not leave a team that you created.": "自身が作成したチームを離れることはできません。" +} diff --git a/locales/ja/packages/nova.json b/locales/ja/packages/nova.json new file mode 100644 index 00000000000..5aee752642f --- /dev/null +++ b/locales/ja/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30日", + "60 Days": "60日", + "90 Days": "90日", + ":amount Total": "合計:amount", + ":resource Details": ":resource詳細", + ":resource Details: :title": ":resource詳細:title", + "Action": "演技はじめ!", + "Action Happened At": "で起こった", + "Action Initiated By": "によって開始", + "Action Name": "名前", + "Action Status": "ステータス", + "Action Target": "ターゲット", + "Actions": "アクション", + "Add row": "行を追加", + "Afghanistan": "アフガニスタン", + "Aland Islands": "オーランド諸島", + "Albania": "アルバニア", + "Algeria": "アルジェリア", + "All resources loaded.": "すべてのリソースが読み込まれました。", + "American Samoa": "アメリカ領サモア", + "An error occured while uploading the file.": "ファイルのアップロード中にエラーが発生しました。", + "Andorra": "アンドラ", + "Angola": "アンゴラ", + "Anguilla": "アンギラ", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "ページが読み込まれてから他のユーザーがリソースを更新しました。ページを更新して、もう一度お試しください。", + "Antarctica": "南極大陸", + "Antigua And Barbuda": "アンティグア・バーブーダ", + "April": "4月", + "Are you sure you want to delete the selected resources?": "選択したリソースを削除しますか?", + "Are you sure you want to delete this file?": "このファイルを削除しますか?", + "Are you sure you want to delete this resource?": "このリソースを削除しますか?", + "Are you sure you want to detach the selected resources?": "選択したリソースを解除しますか?", + "Are you sure you want to detach this resource?": "このリソースを解除しますか?", + "Are you sure you want to force delete the selected resources?": "選択したリソースを強制的に削除しますか?", + "Are you sure you want to force delete this resource?": "このリソースを強制的に削除しますか?", + "Are you sure you want to restore the selected resources?": "選択したリソースを復元しますか?", + "Are you sure you want to restore this resource?": "このリソースを復元しますか?", + "Are you sure you want to run this action?": "このアクションを実行しますか?", + "Argentina": "アルゼンチン", + "Armenia": "アルメニア", + "Aruba": "アルバ", + "Attach": "添付", + "Attach & Attach Another": "添付して新しく添付", + "Attach :resource": ":resourceを添付", + "August": "8月", + "Australia": "オーストラア", + "Austria": "オーストリア", + "Azerbaijan": "アゼルバイジャン", + "Bahamas": "バハマ", + "Bahrain": "バーレーン", + "Bangladesh": "バングラデシュ", + "Barbados": "バルバドス", + "Belarus": "ベラルーシ", + "Belgium": "ベルギー", + "Belize": "ベリーズ", + "Benin": "ベナン", + "Bermuda": "バミューダ諸島", + "Bhutan": "ブータン", + "Bolivia": "ボリビア", + "Bonaire, Sint Eustatius and Saba": "ボネール、シント・ユースタティウスおよびサバ", + "Bosnia And Herzegovina": "ボスニア・ヘルツェゴビナ", + "Botswana": "ボツワナ", + "Bouvet Island": "ブーベ島", + "Brazil": "ブラジル", + "British Indian Ocean Territory": "イギリス領インド洋地域", + "Brunei Darussalam": "ブルネイ", + "Bulgaria": "ブルガリア", + "Burkina Faso": "ブルキナファソ", + "Burundi": "ブルンジ", + "Cambodia": "カンボジア", + "Cameroon": "カメルーン", + "Canada": "カナダ", + "Cancel": "キャンセル", + "Cape Verde": "カーボベルデ", + "Cayman Islands": "ケイマン諸島", + "Central African Republic": "中央アフリカ共和国", + "Chad": "チャド", + "Changes": "変更点", + "Chile": "チリ", + "China": "中国", + "Choose": "選択", + "Choose :field": ":fieldを選択", + "Choose :resource": ":resourceを選択", + "Choose an option": "オプションを選択する", + "Choose date": "日付を選択", + "Choose File": "ファイルを選択", + "Choose Type": "タイプを選択", + "Christmas Island": "クリスマス島", + "Click to choose": "クリックして選択する", + "Cocos (Keeling) Islands": "ココス(キーリング)諸島", + "Colombia": "コロンビア", + "Comoros": "コモロ", + "Confirm Password": "パスワード(確認用)", + "Congo": "コンゴ", + "Congo, Democratic Republic": "コンゴ民主共和国", + "Constant": "定数", + "Cook Islands": "クック諸島", + "Costa Rica": "コスタリカ", + "Cote D'Ivoire": "コートジボワール", + "could not be found.": "見つかりませんでした。", + "Create": "作成", + "Create & Add Another": "作成して新しく追加する", + "Create :resource": ":resourceを作成", + "Croatia": "クロアチア", + "Cuba": "キューバ", + "Curaçao": "キュラソー島", + "Customize": "カスタマイズ", + "Cyprus": "キプロス", + "Czech Republic": "チェコ", + "Dashboard": "ダッシュボード", + "December": "12月", + "Decrease": "減少", + "Delete": "削除", + "Delete File": "ファイル削除", + "Delete Resource": "リソース削除", + "Delete Selected": "選択した内容を削除", + "Denmark": "デンマーク", + "Detach": "解除", + "Detach Resource": "リソースを解除", + "Detach Selected": "選択した内容を解除", + "Details": "詳細", + "Djibouti": "ジブチ", + "Do you really want to leave? You have unsaved changes.": "保存されていない変更があります。離れますか?", + "Dominica": "ドミニカ", + "Dominican Republic": "ドミニカ共和国", + "Download": "ダウンロード", + "Ecuador": "エクアドル", + "Edit": "編集", + "Edit :resource": ":resourceを編集", + "Edit Attached": "添付を編集", + "Egypt": "エジプト", + "El Salvador": "エルサルバドル", + "Email Address": "メールアドレス", + "Equatorial Guinea": "赤道ギニア", + "Eritrea": "エリトリア", + "Estonia": "エストニア", + "Ethiopia": "エチオピア", + "Falkland Islands (Malvinas)": "フォークランド諸島 (マルビナス諸島)", + "Faroe Islands": "フェロー諸島", + "February": "2月", + "Fiji": "フィジー", + "Finland": "フィンランド", + "Force Delete": "強制的に削除する", + "Force Delete Resource": "リソースを強制的に削除する", + "Force Delete Selected": "選択した内容を強制的に削除する", + "Forgot Your Password?": "パスワードを忘れた方はこちら", + "Forgot your password?": "パスワードを忘れた方はこちら", + "France": "フランス", + "French Guiana": "フランス領ギアナ", + "French Polynesia": "フランス領ポリネシア", + "French Southern Territories": "フランス領南方・南極地域", + "Gabon": "ガボン", + "Gambia": "ガンビア", + "Georgia": "ジョージア", + "Germany": "ドイツ", + "Ghana": "ガーナ", + "Gibraltar": "ジブラルタル", + "Go Home": "ホームへ", + "Greece": "ギリシャ", + "Greenland": "グリーンランド", + "Grenada": "グレナダ", + "Guadeloupe": "グアドループ", + "Guam": "グアム", + "Guatemala": "グアテマラ", + "Guernsey": "ガーンジー島", + "Guinea": "ギニア", + "Guinea-Bissau": "ギニア・ビサウ", + "Guyana": "ガイアナ", + "Haiti": "ハイチ", + "Heard Island & Mcdonald Islands": "ハード島とマクドナルド諸島", + "Hide Content": "コンテンツを非表示", + "Hold Up!": "お待ちください", + "Holy See (Vatican City State)": "バチカン市国", + "Honduras": "ホンジュラス", + "Hong Kong": "香港", + "Hungary": "ハンガリー", + "Iceland": "アイスランド", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "パスワード再設定のリクエストにお心当たりがない場合は、このメールを無視してください。", + "Increase": "増やす", + "India": "インド", + "Indonesia": "インドネシア", + "Iran, Islamic Republic Of": "イラン", + "Iraq": "イラク", + "Ireland": "アイルランド", + "Isle Of Man": "マン島", + "Israel": "イスラエル", + "Italy": "イタリア", + "Jamaica": "ジャマイカ", + "January": "1月", + "Japan": "日本", + "Jersey": "ジャージー島", + "Jordan": "ヨルダン", + "July": "7月", + "June": "6月", + "Kazakhstan": "カザフスタン", + "Kenya": "ケニア", + "Key": "キー", + "Kiribati": "キリバス", + "Korea": "韓国", + "Korea, Democratic People's Republic of": "北朝鮮", + "Kosovo": "コソボ", + "Kuwait": "クウェート", + "Kyrgyzstan": "キルギスタン", + "Lao People's Democratic Republic": "ラオス", + "Latvia": "ラトビア", + "Lebanon": "レバノン", + "Lens": "レンズ", + "Lesotho": "レソト", + "Liberia": "リベリア", + "Libyan Arab Jamahiriya": "リビア", + "Liechtenstein": "リヒテンシュタイン", + "Lithuania": "リトアニア", + "Load :perPage More": ":perPageページ分読み込む", + "Login": "ログイン", + "Logout": "ログアウト", + "Luxembourg": "ルクセンブルク", + "Macao": "マカオ", + "Macedonia": "北マケドニア", + "Madagascar": "マダガスカル", + "Malawi": "マラウイ", + "Malaysia": "マレーシア", + "Maldives": "モルディブ", + "Mali": "小さい", + "Malta": "マルタ", + "March": "3月", + "Marshall Islands": "マーシャル諸島", + "Martinique": "マルティニーク島", + "Mauritania": "モーリタニア", + "Mauritius": "モーリシャス", + "May": "5月", + "Mayotte": "マヨット", + "Mexico": "メキシコ", + "Micronesia, Federated States Of": "ミクロネシア", + "Moldova": "モルドバ", + "Monaco": "モナコ", + "Mongolia": "モンゴル", + "Montenegro": "モンテネグロ", + "Month To Date": "月", + "Montserrat": "モントセラト", + "Morocco": "モロッコ", + "Mozambique": "モザンビーク", + "Myanmar": "ミャンマー", + "Namibia": "ナミビア", + "Nauru": "ナウル", + "Nepal": "ネパール", + "Netherlands": "オランダ", + "New": "新しい", + "New :resource": "新:resource", + "New Caledonia": "ニューカレドニア", + "New Zealand": "ニュージーランド", + "Next": "次へ", + "Nicaragua": "ニカラグア", + "Niger": "ニジェール", + "Nigeria": "ナイジェリア", + "Niue": "ニウエ", + "No": "いいえ。", + "No :resource matched the given criteria.": ":resourceは与えられた基準に一致しませんでした。", + "No additional information...": "追加情報はありません。..", + "No Current Data": "現在のデータなし", + "No Data": "データなし", + "no file selected": "ファイルが選択されていません", + "No Increase": "増加なし", + "No Prior Data": "事前データなし", + "No Results Found.": "結果は見つかりませんでした。", + "Norfolk Island": "ノーフォーク島", + "Northern Mariana Islands": "北マリアナ諸島", + "Norway": "ノルウェー", + "Nova User": "Novaユーザー", + "November": "11月", + "October": "10月", + "of": "の", + "Oman": "オマーン", + "Only Trashed": "ゴミ箱のみ", + "Original": "オリジナル", + "Pakistan": "パキスタン", + "Palau": "パラオ", + "Palestinian Territory, Occupied": "パレスチナ自治区", + "Panama": "パナマ", + "Papua New Guinea": "パプアニューギニア", + "Paraguay": "パラグアイ", + "Password": "パスワード", + "Per Page": "ページごと", + "Peru": "ペルー", + "Philippines": "フィリピン", + "Pitcairn": "ピトケアン諸島", + "Poland": "ポーランド", + "Portugal": "ポルトガル", + "Press \/ to search": "押して検索", + "Preview": "プレビュー", + "Previous": "前のページ", + "Puerto Rico": "プエルトリコ", + "Qatar": "カタール", + "Quarter To Date": "四半期", + "Reload": "リロード", + "Remember Me": "ログイン状態を保持する", + "Reset Filters": "フィルタをリセット", + "Reset Password": "パスワード再設定", + "Reset Password Notification": "パスワード再設定のお知らせ", + "resource": "リソース", + "Resources": "リソース", + "resources": "リソース", + "Restore": "復元", + "Restore Resource": "リソースの復元", + "Restore Selected": "選択した項目を復元", + "Reunion": "打合せ", + "Romania": "ルーマニア", + "Run Action": "アクションを実行", + "Russian Federation": "ロシア連邦", + "Rwanda": "ルワンダ", + "Saint Barthelemy": "サン・バルテルミー島", + "Saint Helena": "セントヘレナ", + "Saint Kitts And Nevis": "セントクリストファー・ネービス", + "Saint Lucia": "セントルシア", + "Saint Martin": "サン・マルタン島", + "Saint Pierre And Miquelon": "サンピエール島・ミクロン島", + "Saint Vincent And Grenadines": "セントビンセントおよびグレナディーン諸島", + "Samoa": "サモア", + "San Marino": "サンマリノ", + "Sao Tome And Principe": "サントメ・プリンシペ", + "Saudi Arabia": "サウジアラビア", + "Search": "検索", + "Select Action": "選択アクション", + "Select All": "すべて選択", + "Select All Matching": "一致するすべてを選択", + "Send Password Reset Link": "パスワード再設定URLを送信", + "Senegal": "セネガル", + "September": "9月", + "Serbia": "セルビア", + "Seychelles": "セーシェル", + "Show All Fields": "すべての項目を表示", + "Show Content": "コンテンツを表示", + "Sierra Leone": "シエラレオネ", + "Singapore": "シンガポール", + "Sint Maarten (Dutch part)": "シント・マールテン", + "Slovakia": "スロバキア", + "Slovenia": "スロベニア", + "Solomon Islands": "ソロモン諸島", + "Somalia": "ソマリア", + "Something went wrong.": "エラーが発生しました。", + "Sorry! You are not authorized to perform this action.": "このアクションを実行する権限がありません。", + "Sorry, your session has expired.": "セッションが終了しました。", + "South Africa": "南アフリカ", + "South Georgia And Sandwich Isl.": "サウスジョージア・サウスサンドウィッチ諸島", + "South Sudan": "南スーダン", + "Spain": "スペイン", + "Sri Lanka": "スリランカ", + "Start Polling": "ポーリング開始", + "Stop Polling": "ポーリングの停止", + "Sudan": "スーダン", + "Suriname": "スリナム", + "Svalbard And Jan Mayen": "スヴァールバル諸島およびヤンマイエン島", + "Swaziland": "スイス", + "Sweden": "スウェーデン", + "Switzerland": "スイス", + "Syrian Arab Republic": "シリア", + "Taiwan": "台湾", + "Tajikistan": "タジキスタン", + "Tanzania": "タンザニア", + "Thailand": "タイ", + "The :resource was created!": ":resourceが作成されました。", + "The :resource was deleted!": ":resourceが削除されました。", + "The :resource was restored!": ":resourceが復元されました。", + "The :resource was updated!": ":resourceが更新されました。", + "The action ran successfully!": "アクションは成功しました。", + "The file was deleted!": "ファイルが削除されました。", + "The government won't let us show you what's behind these doors": "政府はこれらのドアの背後にあるものをお見せさせません", + "The HasOne relationship has already been filled.": "HasOneの関係はすでに満たされています。", + "The resource was updated!": "リソースが更新されました。", + "There are no available options for this resource.": "このリソースに使用可能なオプションはありません。", + "There was a problem executing the action.": "アクションの実行に問題がありました。", + "There was a problem submitting the form.": "フォームの送信に問題がありました。", + "This file field is read-only.": "このfileフィールドは読み取り専用です。", + "This image": "この画像", + "This resource no longer exists": "このリソースは存在しません", + "Timor-Leste": "東ティモール", + "Today": "今日は", + "Togo": "トーゴ", + "Tokelau": "トケラウ", + "Tonga": "トンガ", + "total": "合計", + "Trashed": "ゴミ箱", + "Trinidad And Tobago": "トリニダード・ドバゴ", + "Tunisia": "チュニジア", + "Turkey": "トルコ", + "Turkmenistan": "トルクメニスタン", + "Turks And Caicos Islands": "タークス・カイコス諸島", + "Tuvalu": "ツバル", + "Uganda": "ウガンダ", + "Ukraine": "ウクライナ", + "United Arab Emirates": "アラブ首長国連邦", + "United Kingdom": "イギリス", + "United States": "アメリカ合衆国", + "United States Outlying Islands": "アメリカ合衆国の離島", + "Update": "更新", + "Update & Continue Editing": "更新して編集を続ける", + "Update :resource": ":resource更新", + "Update :resource: :title": ":resource::title", + "Update attached :resource: :title": "アップデート添付:resource::title", + "Uruguay": "ウルグアイ", + "Uzbekistan": "ウズベキスタン", + "Value": "値", + "Vanuatu": "バヌアツ", + "Venezuela": "ベネズエラ", + "Viet Nam": "ベトナム", + "View": "ビュー", + "Virgin Islands, British": "英領ヴァージン諸島", + "Virgin Islands, U.S.": "米領ヴァージン諸島", + "Wallis And Futuna": "ウォリス・フツナ", + "We're lost in space. The page you were trying to view does not exist.": "お探しのページが見つかりませんでした。", + "Welcome Back!": "おかえりなさい。", + "Western Sahara": "西サハラ", + "Whoops": "おっと", + "Whoops!": "おっと!", + "With Trashed": "ゴミ箱付き", + "Write": "書き込み", + "Year To Date": "年から現在に至るまで", + "Yemen": "イエメン", + "Yes": "はい。", + "You are receiving this email because we received a password reset request for your account.": "パスワード再設定のリクエストを受け付けました。", + "Zambia": "ザンビア", + "Zimbabwe": "ジンバブエ" +} diff --git a/locales/ja/packages/spark-paddle.json b/locales/ja/packages/spark-paddle.json new file mode 100644 index 00000000000..3d94a90bf0d --- /dev/null +++ b/locales/ja/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "予期せぬエラーが発生しました。時間をおいてから改めてお試しください。", + "Billing Management": "Billing Management", + "Cancel Subscription": "プランをキャンセル", + "Change Subscription Plan": "プランを変更", + "Current Subscription Plan": "現在のプラン", + "Currently Subscribed": "現在購読している", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "有効期間内であればいつでもプランを再開できます。有効期限を過ぎた際には新しくプランに登録し直す必要があります。", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "有効なサブスクリプションがありません。以下のプランの中から1つを選んで続けてください。プランはいつでも変更やキャンセルができます。", + "Managing billing for :billableName": ":billableNameの支払いを管理", + "Monthly": "月", + "Nevermind, I'll keep my old plan": "以前のプランを維持します。", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "支払いの管理ポータルではプランやお支払い方法の変更、請求書のダウンロードができます。", + "Payment Method": "Payment Method", + "Receipts": "領収書", + "Resume Subscription": "サブスクリプションを再開", + "Return to :appName": ":appNameに戻る", + "Signed in as": "Signed in as", + "Subscribe": "購読する", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "利用規約", + "The selected plan is invalid.": "選択されたプランが無効です。", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "このアカウントには有効なサブスクリプションがありません。", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "エラーの内容を確認してください。", + "Yearly": "年", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "サブスクリプションはいつでもキャンセルできます。キャンセルする際は次回お支払い日まで利用を続けるかどうかを選択できます。", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "現在のお支払い方法は下4桁が:lastFour、有効期限が:expirationのクレジットカードです。" +} diff --git a/locales/ja/packages/spark-stripe.json b/locales/ja/packages/spark-stripe.json new file mode 100644 index 00000000000..ffeaf11fe53 --- /dev/null +++ b/locales/ja/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days日のトライアル", + "Add VAT Number": "VAT番号を追加", + "Address": "住所", + "Address Line 2": "住所2", + "Afghanistan": "アフガニスタン", + "Albania": "アルバニア", + "Algeria": "アルジェリア", + "American Samoa": "アメリカ領サモア", + "An unexpected error occurred and we have notified our support team. Please try again later.": "予期せぬエラーが発生しました。時間をおいてから改めてお試しください。", + "Andorra": "アンドラ", + "Angola": "アンゴラ", + "Anguilla": "アンギラ", + "Antarctica": "南極大陸", + "Antigua and Barbuda": "アンティグア・バーブーダ", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "アルゼンチン", + "Armenia": "アルメニア", + "Aruba": "アルバ", + "Australia": "オーストラア", + "Austria": "オーストリア", + "Azerbaijan": "アゼルバイジャン", + "Bahamas": "バハマ", + "Bahrain": "バーレーン", + "Bangladesh": "バングラデシュ", + "Barbados": "バルバドス", + "Belarus": "ベラルーシ", + "Belgium": "ベルギー", + "Belize": "ベリーズ", + "Benin": "ベナン", + "Bermuda": "バミューダ諸島", + "Bhutan": "ブータン", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "ボネール、シント・ユースタティウスおよびサバ", + "Bosnia and Herzegovina": "ボスニア・ヘルツェゴビナ", + "Botswana": "ボツワナ", + "Bouvet Island": "ブーベ島", + "Brazil": "ブラジル", + "British Indian Ocean Territory": "イギリス領インド洋地域", + "Brunei Darussalam": "ブルネイ", + "Bulgaria": "ブルガリア", + "Burkina Faso": "ブルキナファソ", + "Burundi": "ブルンジ", + "Cambodia": "カンボジア", + "Cameroon": "カメルーン", + "Canada": "カナダ", + "Cancel Subscription": "プランをキャンセル", + "Cape Verde": "カーボベルデ", + "Card": "カード", + "Cayman Islands": "ケイマン諸島", + "Central African Republic": "中央アフリカ共和国", + "Chad": "チャド", + "Change Subscription Plan": "プランを変更", + "Chile": "チリ", + "China": "中国", + "Christmas Island": "クリスマス島", + "City": "市区町村", + "Cocos (Keeling) Islands": "ココス(キーリング)諸島", + "Colombia": "コロンビア", + "Comoros": "コモロ", + "Confirm Payment": "お支払いの確認", + "Confirm your :amount payment": ":amount 個のお支払いを確認", + "Congo": "コンゴ", + "Congo, the Democratic Republic of the": "コンゴ民主共和国", + "Cook Islands": "クック諸島", + "Costa Rica": "コスタリカ", + "Country": "国", + "Coupon": "クーポン", + "Croatia": "クロアチア", + "Cuba": "キューバ", + "Current Subscription Plan": "現在のプラン", + "Currently Subscribed": "現在購読している", + "Cyprus": "キプロス", + "Czech Republic": "チェコ", + "Côte d'Ivoire": "コートジボワール", + "Denmark": "デンマーク", + "Djibouti": "ジブチ", + "Dominica": "ドミニカ", + "Dominican Republic": "ドミニカ共和国", + "Download Receipt": "領収書をダウンロード", + "Ecuador": "エクアドル", + "Egypt": "エジプト", + "El Salvador": "エルサルバドル", + "Email Addresses": "メールアドレス", + "Equatorial Guinea": "赤道ギニア", + "Eritrea": "エリトリア", + "Estonia": "エストニア", + "Ethiopia": "エチオピア", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "お支払いを完了するには、追加の確認が必要です。以下のボタンをクリックして、お支払いページに進んでください。", + "Falkland Islands (Malvinas)": "フォークランド諸島 (マルビナス諸島)", + "Faroe Islands": "フェロー諸島", + "Fiji": "フィジー", + "Finland": "フィンランド", + "France": "フランス", + "French Guiana": "フランス領ギアナ", + "French Polynesia": "フランス領ポリネシア", + "French Southern Territories": "フランス領南方・南極地域", + "Gabon": "ガボン", + "Gambia": "ガンビア", + "Georgia": "ジョージア", + "Germany": "ドイツ", + "Ghana": "ガーナ", + "Gibraltar": "ジブラルタル", + "Greece": "ギリシャ", + "Greenland": "グリーンランド", + "Grenada": "グレナダ", + "Guadeloupe": "グアドループ", + "Guam": "グアム", + "Guatemala": "グアテマラ", + "Guernsey": "ガーンジー島", + "Guinea": "ギニア", + "Guinea-Bissau": "ギニア・ビサウ", + "Guyana": "ガイアナ", + "Haiti": "ハイチ", + "Have a coupon code?": "クーポンコードをお持ちの場合", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "有効期間内であればいつでもプランを再開できます。有効期限を過ぎた際には新しくプランに登録し直す必要があります。", + "Heard Island and McDonald Islands": "ハード島とマクドナルド諸島", + "Holy See (Vatican City State)": "バチカン市国", + "Honduras": "ホンジュラス", + "Hong Kong": "香港", + "Hungary": "ハンガリー", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "アイスランド", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "領収書に社名や住所など追加の情報を記載する場合はこちらに記入してください。", + "India": "インド", + "Indonesia": "インドネシア", + "Iran, Islamic Republic of": "イラン", + "Iraq": "イラク", + "Ireland": "アイルランド", + "Isle of Man": "マン島", + "Israel": "イスラエル", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "有効なサブスクリプションがありません。以下のプランの中から1つを選んで続けてください。プランはいつでも変更やキャンセルができます。", + "Italy": "イタリア", + "Jamaica": "ジャマイカ", + "Japan": "日本", + "Jersey": "ジャージー島", + "Jordan": "ヨルダン", + "Kazakhstan": "カザフスタン", + "Kenya": "ケニア", + "Kiribati": "キリバス", + "Korea, Democratic People's Republic of": "北朝鮮", + "Korea, Republic of": "韓国", + "Kuwait": "クウェート", + "Kyrgyzstan": "キルギスタン", + "Lao People's Democratic Republic": "ラオス", + "Latvia": "ラトビア", + "Lebanon": "レバノン", + "Lesotho": "レソト", + "Liberia": "リベリア", + "Libyan Arab Jamahiriya": "リビア", + "Liechtenstein": "リヒテンシュタイン", + "Lithuania": "リトアニア", + "Luxembourg": "ルクセンブルク", + "Macao": "マカオ", + "Macedonia, the former Yugoslav Republic of": "北マケドニア共和国", + "Madagascar": "マダガスカル", + "Malawi": "マラウイ", + "Malaysia": "マレーシア", + "Maldives": "モルディブ", + "Mali": "小さい", + "Malta": "マルタ", + "Managing billing for :billableName": ":billableNameの支払いを管理", + "Marshall Islands": "マーシャル諸島", + "Martinique": "マルティニーク島", + "Mauritania": "モーリタニア", + "Mauritius": "モーリシャス", + "Mayotte": "マヨット", + "Mexico": "メキシコ", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "モルドバ共和国", + "Monaco": "モナコ", + "Mongolia": "モンゴル", + "Montenegro": "モンテネグロ", + "Monthly": "月", + "monthly": "月", + "Montserrat": "モントセラト", + "Morocco": "モロッコ", + "Mozambique": "モザンビーク", + "Myanmar": "ミャンマー", + "Namibia": "ナミビア", + "Nauru": "ナウル", + "Nepal": "ネパール", + "Netherlands": "オランダ", + "Netherlands Antilles": "オランダ領アンティル", + "Nevermind, I'll keep my old plan": "以前のプランを維持します。", + "New Caledonia": "ニューカレドニア", + "New Zealand": "ニュージーランド", + "Nicaragua": "ニカラグア", + "Niger": "ニジェール", + "Nigeria": "ナイジェリア", + "Niue": "ニウエ", + "Norfolk Island": "ノーフォーク島", + "Northern Mariana Islands": "北マリアナ諸島", + "Norway": "ノルウェー", + "Oman": "オマーン", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "支払いの管理ポータルではプランやお支払い方法の変更、請求書のダウンロードができます。", + "Pakistan": "パキスタン", + "Palau": "パラオ", + "Palestinian Territory, Occupied": "パレスチナ自治区", + "Panama": "パナマ", + "Papua New Guinea": "パプアニューギニア", + "Paraguay": "パラグアイ", + "Payment Information": "お支払い方法", + "Peru": "ペルー", + "Philippines": "フィリピン", + "Pitcairn": "ピトケアン諸島", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "領収書発行用メールアドレスを最大3つまで入力してください。", + "Poland": "ポーランド", + "Portugal": "ポルトガル", + "Puerto Rico": "プエルトリコ", + "Qatar": "カタール", + "Receipt Email Addresses": "領収書発行用メールアドレス", + "Receipts": "領収書", + "Resume Subscription": "サブスクリプションを再開", + "Return to :appName": ":appNameに戻る", + "Romania": "ルーマニア", + "Russian Federation": "ロシア連邦", + "Rwanda": "ルワンダ", + "Réunion": "レユニオン", + "Saint Barthélemy": "サン・バルテルミー島", + "Saint Helena": "セントヘレナ", + "Saint Kitts and Nevis": "セントクリストファー・ネービス", + "Saint Lucia": "セントルシア", + "Saint Martin (French part)": "サン・マルタン島", + "Saint Pierre and Miquelon": "サンピエール島・ミクロン島", + "Saint Vincent and the Grenadines": "セントビンセントおよびグレナディーン諸島", + "Samoa": "サモア", + "San Marino": "サンマリノ", + "Sao Tome and Principe": "サントメ・プリンシペ", + "Saudi Arabia": "サウジアラビア", + "Save": "更新", + "Select": "選択", + "Select a different plan": "別のプランを選択", + "Senegal": "セネガル", + "Serbia": "セルビア", + "Seychelles": "セーシェル", + "Sierra Leone": "シエラレオネ", + "Signed in as": "Signed in as", + "Singapore": "シンガポール", + "Slovakia": "スロバキア", + "Slovenia": "スロベニア", + "Solomon Islands": "ソロモン諸島", + "Somalia": "ソマリア", + "South Africa": "南アフリカ", + "South Georgia and the South Sandwich Islands": "サウスジョージア・サウスサンドウィッチ諸島", + "Spain": "スペイン", + "Sri Lanka": "スリランカ", + "State \/ County": "州", + "Subscribe": "購読する", + "Subscription Information": "サブスクリプション情報", + "Sudan": "スーダン", + "Suriname": "スリナム", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "スイス", + "Sweden": "スウェーデン", + "Switzerland": "スイス", + "Syrian Arab Republic": "シリア", + "Taiwan, Province of China": "台湾", + "Tajikistan": "タジキスタン", + "Tanzania, United Republic of": "タンザニア連合共和国", + "Terms of Service": "利用規約", + "Thailand": "タイ", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "継続した支援をありがとうございます。請求書のコピーをレコードに添付しました。ご不明点があればお問い合わせください。", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "クーポンコードが無効です。", + "The provided VAT number is invalid.": "VAT番号が無効です。", + "The receipt emails must be valid email addresses.": "有効なメールアドレスを入力してください。", + "The selected country is invalid.": "選択された国が無効です。", + "The selected plan is invalid.": "選択されたプランが無効です。", + "This account does not have an active subscription.": "このアカウントには有効なサブスクリプションがありません。", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "このサブスクリプションは有効期限を過ぎており再開できません。新しいサブスクリプションを作成してください。", + "Timor-Leste": "東ティモール", + "Togo": "トーゴ", + "Tokelau": "トケラウ", + "Tonga": "トンガ", + "Total:": "合計:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "チュニジア", + "Turkey": "トルコ", + "Turkmenistan": "トルクメニスタン", + "Turks and Caicos Islands": "タークス・カイコス諸島", + "Tuvalu": "ツバル", + "Uganda": "ウガンダ", + "Ukraine": "ウクライナ", + "United Arab Emirates": "アラブ首長国連邦", + "United Kingdom": "イギリス", + "United States": "アメリカ合衆国", + "United States Minor Outlying Islands": "アメリカ合衆国のマイナーな離島", + "Update": "更新", + "Update Payment Information": "お支払い方法を更新", + "Uruguay": "ウルグアイ", + "Uzbekistan": "ウズベキスタン", + "Vanuatu": "バヌアツ", + "VAT Number": "VAT番号", + "Venezuela, Bolivarian Republic of": "ベネズエラ・ボリバル共和国", + "Viet Nam": "ベトナム", + "Virgin Islands, British": "英領ヴァージン諸島", + "Virgin Islands, U.S.": "米領ヴァージン諸島", + "Wallis and Futuna": "ウォリス・フツナ", + "We are unable to process your payment. Please contact customer support.": "決済が完了できませんでした。カスタマーサポートへお問い合わせください。", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "領収書のダウンロードURLを以下のメールアドレスにお送りします。カンマ区切りで複数のメールアドレスの指定が可能です。", + "Western Sahara": "西サハラ", + "Whoops! Something went wrong.": "エラーの内容を確認してください。", + "Yearly": "年", + "Yemen": "イエメン", + "You are currently within your free trial period. Your trial will expire on :date.": "現在トライアル期間です。トライアル期間は:dateまでです。", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "サブスクリプションはいつでもキャンセルできます。キャンセルする際は次回お支払い日まで利用を続けるかどうかを選択できます。", + "Your :invoiceName invoice is now available!": ":invoiceNameの請求書がご利用可能です。", + "Your card was declined. Please contact your card issuer for more information.": "カードが拒否されました。詳細はカード発行会社にお問い合わせください。", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "現在のお支払い方法は下4桁が:lastFour、有効期限が:expirationのクレジットカードです。", + "Your registered VAT Number is :vatNumber.": "登録されているVAT番号は:vatNumberです。", + "Zambia": "ザンビア", + "Zimbabwe": "ジンバブエ", + "Zip \/ Postal Code": "郵便番号", + "Åland Islands": "Åland Islands" +} diff --git a/locales/ka/ka.json b/locales/ka/ka.json index 699ad1cc83d..204be033036 100644 --- a/locales/ka/ka.json +++ b/locales/ka/ka.json @@ -1,710 +1,48 @@ { - "30 Days": "30 დღე", - "60 Days": "60 დღე", - "90 Days": "90 დღე", - ":amount Total": "სულ ჯამში", - ":days day trial": ":days day trial", - ":resource Details": ":resource დეტალები", - ":resource Details: :title": ":resource დეტალები: :title", "A fresh verification link has been sent to your email address.": "ახალი გადამოწმების ბმული გაიგზავნა თქვენი ელექტრონული ფოსტის მისამართი.", - "A new verification link has been sent to the email address you provided during registration.": "ახალი გადამოწმების ლინკი გაიგზავნა ელექტრონული ფოსტის მისამართი თქვენ უზრუნველყოფილი რეგისტრაციის დროს.", - "Accept Invitation": "მოწვევა", - "Action": "აქცია", - "Action Happened At": "მოხდა", - "Action Initiated By": "მიერ ინიცირებული", - "Action Name": "სახელი", - "Action Status": "სტატუსი", - "Action Target": "სამიზნე", - "Actions": "აქციები", - "Add": "დამატება", - "Add a new team member to your team, allowing them to collaborate with you.": "დაამატეთ ახალი გუნდის წევრი თქვენს გუნდში, რომელიც საშუალებას აძლევს მათ ითანამშრომლონ თქვენთან ერთად.", - "Add additional security to your account using two factor authentication.": "დამატებითი უსაფრთხოების თქვენი ანგარიში გამოყენებით ორი ფაქტორი ავტორიზაციის.", - "Add row": "დამატება row", - "Add Team Member": "გუნდის წევრის დამატება", - "Add VAT Number": "Add VAT Number", - "Added.": "დამატებულია.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "ადმინისტრატორი", - "Administrator users can perform any action.": "ადმინისტრატორს შეუძლია შეასრულოს ნებისმიერი ქმედება.", - "Afghanistan": "ავღანეთში", - "Aland Islands": "ალანდის კუნძულები", - "Albania": "ალბანეთიname", - "Algeria": "ალჟირი", - "All of the people that are part of this team.": "ყველა ადამიანი, რომელიც ამ გუნდის ნაწილია.", - "All resources loaded.": "ყველა რესურსი დატვირთული.", - "All rights reserved.": "ყველა უფლება დაცულია.", - "Already registered?": "უკვე რეგისტრირებული?", - "American Samoa": "ამერიკის სამოა", - "An error occured while uploading the file.": "ფაილის ატვირთვისას მოხდა შეცდომა.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "ანდორაname", - "Angola": "ანგოლაname", - "Anguilla": "ანგვილაafrica. kgm", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "კიდევ ერთი მომხმარებელი განახლდა ეს რესურსი, რადგან ეს გვერდი დატვირთული იყო. გთხოვთ, განაახლოთ გვერდი და კვლავ სცადოთ.", - "Antarctica": "ანტარქტიდა", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "ანტიგუა და ბარბუდა", - "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 სიმბოლოს საშუალებას მესამე მხარის მომსახურების სინამდვილის ჩვენი განცხადება თქვენი სახელით.", - "April": "აპრილი", - "Are you sure you want to delete the selected resources?": "დარწმუნებული ხარ, რომ გსურს წაშლა selected resources?", - "Are you sure you want to delete this file?": "დარწმუნებული ხართ, რომ გსურთ წაშალოთ ეს ფაილი?", - "Are you sure you want to delete this resource?": "დარწმუნებული ხარ, რომ გსურს წაშლა this resource?", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "დარწმუნებული ხარ, რომ გსურს წაშლა this team? მას შემდეგ, რაც გუნდი წაიშლება, ყველა მისი რესურსები და მონაცემები მუდმივად წაიშლება.", - "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.": "დარწმუნებული ხარ, რომ გსურს წაშლა your account? მას შემდეგ, რაც თქვენი ანგარიში წაიშლება, ყველა მისი რესურსები და მონაცემები მუდმივად წაიშლება. გთხოვთ შეიყვანოთ თქვენი პაროლი ადასტურებენ გსურთ მუდმივად წაშალოთ თქვენი ანგარიში.", - "Are you sure you want to detach the selected resources?": "დარწმუნებული ხართ, რომ გსურთ გაშლა შერჩეული რესურსები?", - "Are you sure you want to detach this resource?": "დარწმუნებული ხართ, რომ გსურთ გაშლა ეს რესურსი?", - "Are you sure you want to force delete the selected resources?": "დარწმუნებული ხართ, რომ გსურთ, რათა აიძულოს წაშლა შერჩეული რესურსები?", - "Are you sure you want to force delete this resource?": "დარწმუნებული ხართ, რომ გსურთ ამ რესურსის წაშლა?", - "Are you sure you want to restore the selected resources?": "დარწმუნებული ხართ, რომ გსურთ აღდგენა შერჩეული რესურსები?", - "Are you sure you want to restore this resource?": "დარწმუნებული ხართ, რომ გსურთ აღდგენა ამ რესურსის?", - "Are you sure you want to run this action?": "დარწმუნებული ხართ, რომ გსურთ აწარმოებს ეს ქმედება?", - "Are you sure you would like to delete this API token?": "დარწმუნებული ხართ, რომ გსურთ წაშალოთ ეს API ნიშნად?", - "Are you sure you would like to leave this team?": "დარწმუნებული ხართ, რომ გსურთ ამ გუნდის დატოვება?", - "Are you sure you would like to remove this person from the team?": "დარწმუნებული ხართ, რომ გსურთ ამოიღონ ამ პირის გუნდი?", - "Argentina": "არგენტინაname", - "Armenia": "სომხეთი", - "Aruba": "არაბიafrica. kgm", - "Attach": "მიმაგრება", - "Attach & Attach Another": "მიმაგრება და მიმაგრება სხვა", - "Attach :resource": "მიმაგრება :resource", - "August": "აგვისტო", - "Australia": "ავსტრალია", - "Austria": "ავსტრია", - "Azerbaijan": "აზერბაიჯანიname", - "Bahamas": "ბაჰამის კუნძულები", - "Bahrain": "ბაჰრეname", - "Bangladesh": "ბანგლადეში", - "Barbados": "ბარბადოსი", "Before proceeding, please check your email for a verification link.": "გაგრძელებამდე, გთხოვთ შეამოწმოთ თქვენი ელ გადამოწმების ბმული.", - "Belarus": "ბელარუსიname", - "Belgium": "ბელგია", - "Belize": "ბელიზიname", - "Benin": "ბენინიname", - "Bermuda": "ბერმუდის", - "Bhutan": "ბუტანიname", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "ბოლივიაname", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "ბონაირი, Sint Eustatius და Sábado", - "Bosnia And Herzegovina": "ბოსნია და ჰერცეგოვინა", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "ბოტსვანაname", - "Bouvet Island": "ბუვეტის კუნძული", - "Brazil": "ბრაზილია", - "British Indian Ocean Territory": "ბრიტანეთის ტერიტორია ინდოეთის ოკეანეში", - "Browser Sessions": "ბრაუზერის სესიები", - "Brunei Darussalam": "Brunei", - "Bulgaria": "ბულგარეთი", - "Burkina Faso": "ბურკინა ფასო", - "Burundi": "ბურუნდიname", - "Cambodia": "კამბოჯაworld. kgm", - "Cameroon": "კამერუნიname", - "Canada": "კანადა", - "Cancel": "გაუქმება", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "კაბო ვერდეname", - "Card": "ბარათი", - "Cayman Islands": "კაიმანის კუნძულები", - "Central African Republic": "ცენტრალური აფრიკის რესპუბლიკა", - "Chad": "ჩადი", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "ცვლილებები", - "Chile": "ჩილე", - "China": "ჩინეთი", - "Choose": "არჩევა", - "Choose :field": "აირჩიეთ :field", - "Choose :resource": "აირჩიეთ :resource", - "Choose an option": "ამოირჩიეთ ვარიანტი", - "Choose date": "აირჩიეთ თარიღი", - "Choose File": "აირჩიეთ ფაილი", - "Choose Type": "აირჩიეთ ტიპი", - "Christmas Island": "საშობაო კუნძული", - "City": "City", "click here to request another": "დააწკაპუნეთ აქ მოითხოვოს სხვა", - "Click to choose": "დაწკაპეთ არჩევა", - "Close": "დახურვა", - "Cocos (Keeling) Islands": "Cocos (Keeling) კუნძულები", - "Code": "კოდი", - "Colombia": "კოლუმბიაworld. kgm", - "Comoros": "კომორის კუნძულები", - "Confirm": "დაადასტურეთ", - "Confirm Password": "პაროლის დადასტურება", - "Confirm Payment": "დაადასტურეთ გადახდა", - "Confirm your :amount payment": "დაადასტურეთ თქვენი :amount გადახდა", - "Congo": "კონგო", - "Congo, Democratic Republic": "კონგოს დემოკრატიული რესპუბლიკა", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "მუდმივი", - "Cook Islands": "კუკის კუნძულები", - "Costa Rica": "კოსტა რიკა", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "ვერ მოიძებნა.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "შექმნა", - "Create & Add Another": "შექმნა & დამატება სხვა", - "Create :resource": "შექმნა :resource", - "Create a new team to collaborate with others on projects.": "შექმნა ახალი გუნდი თანამშრომლობა სხვებთან ერთად პროექტები.", - "Create Account": "ანგარიშის შექმნა", - "Create API Token": "შექმნა API ნიშნად", - "Create New Team": "ახალი გუნდის შექმნა", - "Create Team": "გუნდის შექმნა", - "Created.": "შექმნილია.", - "Croatia": "ხორვატია", - "Cuba": "კუბაworld. kgm", - "Curaçao": "Asia. kgm", - "Current Password": "მიმდინარე პაროლი", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "გე", - "Cyprus": "კვიპროსი", - "Czech Republic": "ჩეხეთი", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "დაფა", - "December": "დეკემბერი", - "Decrease": "შემცირება", - "Delete": "წაშლა", - "Delete Account": "ანგარიშის წაშლა", - "Delete API Token": "წაშლა API ნიშნად", - "Delete File": "ფაილის წაშლა", - "Delete Resource": "რესურსების წაშლა", - "Delete Selected": "შერჩეული წაშლა", - "Delete Team": "გუნდის წაშლა", - "Denmark": "დანია", - "Detach": "გაშლა", - "Detach Resource": "გაშლა რესურსი", - "Detach Selected": "გაშლა შერჩეული", - "Details": "დეტალები", - "Disable": "გამორთვა", - "Djibouti": "ჯიბუტი", - "Do you really want to leave? You have unsaved changes.": "ნამდვილად გსურთ დატოვოს? თქვენ არ unsaved ცვლილებები.", - "Dominica": "კვირა", - "Dominican Republic": "დომინიკის რესპუბლიკა", - "Done.": "შესრულებულია.", - "Download": "ჩამოტვირთვა", - "Download Receipt": "Download Receipt", "E-Mail Address": "ელ-ფოსტა", - "Ecuador": "ეკვადორიworld. kgm", - "Edit": "რედაქტირება", - "Edit :resource": "რედაქტირება :resource", - "Edit Attached": "მიმაგრებული რედაქტირება", - "Editor": "რედაქტორი", - "Editor users have the ability to read, create, and update.": "რედაქტორი მომხმარებლებს აქვთ შესაძლებლობა წაიკითხონ, შექმნა, და განახლება.", - "Egypt": "ეგვიპტე", - "El Salvador": "სალვადორიname", - "Email": "ელ. ფოსტა", - "Email Address": "ელექტრონული ფოსტის მისამართი", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "ელ პაროლის აღდგენა ლინკი", - "Enable": "ჩართვა", - "Ensure your account is using a long, random password to stay secure.": "დარწმუნდით, რომ თქვენი ანგარიში გამოყენებით ხანგრძლივი, შემთხვევითი დაგავიწყდათ დარჩენა უსაფრთხო.", - "Equatorial Guinea": "ეკვატორული გვინეა", - "Eritrea": "ერიტრეა", - "Estonia": "ესტონეთიname", - "Ethiopia": "ეთიოპიაworld. kgm", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "დამატებითი დადასტურება საჭიროა თქვენი გადახდის დამუშავებისთვის. გთხოვთ დაადასტუროთ თქვენი გადახდის შევსების თქვენი გადახდის დეტალები ქვემოთ.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "დამატებითი დადასტურება საჭიროა თქვენი გადახდის დამუშავებისთვის. გთხოვთ გააგრძელოთ გადახდის გვერდზე დაჭერით ღილაკს ქვემოთ.", - "Falkland Islands (Malvinas)": "ფოლკლენდის კუნძულები (Malvinas)", - "Faroe Islands": "ფარერის კუნძულები", - "February": "თებერვალი", - "Fiji": "ფიჯი", - "Finland": "ფინეთი", - "For your security, please confirm your password to continue.": "თქვენი უსაფრთხოების, გთხოვთ დაადასტუროთ თქვენი პაროლი გაგრძელდება.", "Forbidden": "აკრძალული", - "Force Delete": "ძალის წაშლა", - "Force Delete Resource": "ძალის წაშლა რესურსი", - "Force Delete Selected": "მონიშნული ძალის წაშლა", - "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.": "დაგავიწყდათ პაროლი? პრობლემა არ არის. უბრალოდ გვაცნობოთ თქვენი ელექტრონული ფოსტის მისამართი და ჩვენ გამოგიგზავნით პაროლის გადატვირთვის ბმულს, რომელიც საშუალებას მოგცემთ აირჩიოთ ახალი.", - "France": "France. kgm", - "French Guiana": "საფრანგეთის გვიანა", - "French Polynesia": "ფრანგული პოლინეზია", - "French Southern Territories": "საფრანგეთის სამხრეთ ტერიტორიები", - "Full name": "სრული სახელი", - "Gabon": "გაბონიname", - "Gambia": "გამბიაworld. kgm", - "Georgia": "საქართველო", - "Germany": "გერმანია", - "Ghana": "განაname", - "Gibraltar": "გიბრალტარი", - "Go back": "უკან დაბრუნება", - "Go Home": "სახლში წასვლა", "Go to page :page": "გადასვლა გვერდზე :page", - "Great! You have accepted the invitation to join the :team team.": "ჟსოვპ! თქვენ არ მიიღო მიწვევა შეუერთდეს :team გუნდი.", - "Greece": "საბერძნეთი", - "Greenland": "გრენლანდიაname", - "Grenada": "გრენადა", - "Guadeloupe": "გვადელუპეname", - "Guam": "გუამი", - "Guatemala": "გვატემალაname", - "Guernsey": "გერნსი", - "Guinea": "გვინეაname", - "Guinea-Bissau": "გვინეა-ბისაუ", - "Guyana": "გაიანა", - "Haiti": "ჰაიტიname", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "ისმის კუნძული და მაკდონალდის კუნძულები", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "ჱეპაგვი!", - "Hide Content": "კონტენტის დამალვა", - "Hold Up!": "ოჲფაკაი!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "ჰონდურასიworld. kgm", - "Hong Kong": "ჰონგ კონგი", - "Hungary": "უნგრეთი", - "I agree to the :terms_of_service and :privacy_policy": "მე ვეთანხმები :terms_of_service და :privacy_policy", - "Iceland": "ისლანდიაworld. kgm", - "ID": "ID", - "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 logout 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 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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "თუ თქვენ მქონე უბედურება დაჭერით \":actionText\" ღილაკს, დააკოპირეთ და ჩასვით URL ქვემოთ\nთქვენს ბრაუზერში:", - "Increase": "გაზრდა", - "India": "ინდოეთი", - "Indonesia": "ინდონეზიურიname", "Invalid signature.": "არასწორი ხელმოწერა.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "ირანი", - "Iraq": "ერაყში", - "Ireland": "ირლანდია", - "Isle of Man": "Isle of Man", - "Isle Of Man": "კუნძული მენი", - "Israel": "ისრაელი", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "იტალია", - "Jamaica": "იამაიკა", - "January": "იანვარი", - "Japan": "იაპონია", - "Jersey": "Jersey", - "Jordan": "იორდანიაname", - "July": "ივლისი", - "June": "ივნისი", - "Kazakhstan": "ყაზახეთიname", - "Kenya": "კენიაworld. kgm", - "Key": "გასაღები", - "Kiribati": "კირიბატი", - "Korea": "სამხრეთ კორეა", - "Korea, Democratic People's Republic of": "ჩრდილოეთ კორეა", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "კოსოვო", - "Kuwait": "ქუვეითი", - "Kyrgyzstan": "ყირგიზეთიname", - "Lao People's Democratic Republic": "ლაოსი", - "Last active": "ბოლო აქტიური", - "Last used": "ბოლო გამოყენებული", - "Latvia": "ლატვია", - "Leave": "დატოვე", - "Leave Team": "დატოვე გუნდი", - "Lebanon": "ლიბანი", - "Lens": "ობიექტივი", - "Lesotho": "ლესოთოworld. kgm", - "Liberia": "ლიბერიაworld. kgm", - "Libyan Arab Jamahiriya": "ლიბიაworld. kgm", - "Liechtenstein": "ლიხტენშტეინი", - "Lithuania": "ლიტვაname", - "Load :perPage More": "დატვირთვა :perPage მეტი", - "Log in": "შესვლა", "Log out": "გამოხვიდეთ", - "Log Out": "გამოხვიდეთ", - "Log Out Other Browser Sessions": "სხვა ბრაუზერის სესიების შესვლა", - "Login": "შესვლა", - "Logout": "გასვლა", "Logout Other Browser Sessions": "გამოსვლა სხვა ბრაუზერის სხდომები", - "Luxembourg": "ლუქსემბურგი", - "Macao": "მაკაო", - "Macedonia": "ჩრდილოეთი მაკედონია", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "მადაგასკარი", - "Malawi": "მალავიname", - "Malaysia": "მალაიზიაworld. kgm", - "Maldives": "მალდივის კუნძულები", - "Mali": "პატარა", - "Malta": "მალტაname", - "Manage Account": "ანგარიშის მართვა", - "Manage and log out your active sessions on other browsers and devices.": "მართვა და გამოხვიდეთ თქვენი აქტიური სხდომები სხვა ბრაუზერები და მოწყობილობები.", "Manage and logout your active sessions on other browsers and devices.": "მართვა და გამოსვლა თქვენი აქტიური სხდომები სხვა ბრაუზერები და მოწყობილობები.", - "Manage API Tokens": "API სიმბოლოების მართვა", - "Manage Role": "როლის მართვა", - "Manage Team": "გუნდის მართვა", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "მარტი", - "Marshall Islands": "მარშალის კუნძულები", - "Martinique": "მარტინიკი", - "Mauritania": "მავრიტანიაworld. kgm", - "Mauritius": "მავრიკიაname", - "May": "მაისი", - "Mayotte": "მაიატიusa. kgm", - "Mexico": "მექსიკა", - "Micronesia, Federated States Of": "მიკრონეზია", - "Moldova": "მოლდოვა", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "მონაკოname", - "Mongolia": "მონღოლეთი", - "Montenegro": "Montenegro", - "Month To Date": "თვის თარიღი", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "მონსერატი", - "Morocco": "მაროკოworld. kgm", - "Mozambique": "მოზამბიკიname", - "Myanmar": "მიანმარიname", - "Name": "სახელი", - "Namibia": "ნამიბიაname", - "Nauru": "ნაურუworld. kgm", - "Nepal": "ნეპალიname", - "Netherlands": "ნიდერლანდები", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Nevermind", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "ახალი", - "New :resource": "ახალი :resource", - "New Caledonia": "ახალი კალედონია", - "New Password": "ახალი პაროლი", - "New Zealand": "ახალი ზელანდია", - "Next": "შემდეგი", - "Nicaragua": "ნიკარაგუა", - "Niger": "ნიგერი", - "Nigeria": "ნიგერია", - "Niue": "ნიუიworld. kgm", - "No": "არა", - "No :resource matched the given criteria.": "არარის :resource შესაბამისი მოცემულ კრიტერიუმებს.", - "No additional information...": "დამატებითი ინფორმაცია არ არის...", - "No Current Data": "მიმდინარე მონაცემები არ არის", - "No Data": "მონაცემები არ არის", - "no file selected": "ფაილი არ არის არჩეული", - "No Increase": "არ ზრდა", - "No Prior Data": "წინასწარი მონაცემები", - "No Results Found.": "შედეგები არ მოიძებნა.", - "Norfolk Island": "ნორფოლკის კუნძული", - "Northern Mariana Islands": "ჩრდილოეთ მარიანას კუნძულები", - "Norway": "ნორვეგია", "Not Found": "ვერ მოიძებნა", - "Nova User": "Nova მომხმარებელი", - "November": "ნოემბერი", - "October": "ოქტომბერი", - "of": "of", "Oh no": "ოჰ არა", - "Oman": "ომანიname", - "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 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 Trashed": "მხოლოდ Trashed", - "Original": "ორიგინალი", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "გვერდი ამოიწურა", "Pagination Navigation": "Pagination ნავიგაცია", - "Pakistan": "პაკისტანიname", - "Palau": "პალაუfrance. kgm", - "Palestinian Territory, Occupied": "პალესტინის ტერიტორიები", - "Panama": "პანამა", - "Papua New Guinea": "პაპუა ახალი გვინეა", - "Paraguay": "პარაგვაი", - "Password": "პაროლი", - "Pay :amount": "გადახდა :amount", - "Payment Cancelled": "გადახდა გაუქმდა", - "Payment Confirmation": "გადახდის დადასტურება", - "Payment Information": "Payment Information", - "Payment Successful": "გადახდის წარმატებული", - "Pending Team Invitations": "მოლოდინში გუნდი მოსაწვევები", - "Per Page": "თითო გვერდზე", - "Permanently delete this team.": "მუდმივად წაშლა ამ გუნდს.", - "Permanently delete your account.": "მუდმივად წაშალოთ თქვენი ანგარიში.", - "Permissions": "ნებართვები", - "Peru": "პერუს", - "Philippines": "ფილიპინები", - "Photo": "ფოტო", - "Pitcairn": "Pitcairn კუნძულები", "Please click the button below to verify your email address.": "გთხოვთ, დააჭირეთ ღილაკს ქვემოთ, რათა შეამოწმოს თქვენი ელექტრონული ფოსტის მისამართი.", - "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 your password before continuing.": "გთხოვთ დაადასტუროთ თქვენი პაროლი გაგრძელებამდე.", - "Please copy your new API token. For your security, it won't be shown again.": "გთხოვთ დააკოპირეთ თქვენი ახალი API ნიშნად. თქვენი უსაფრთხოების, ეს არ იქნება ნაჩვენები ერთხელ.", - "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 logout of your other browser sessions across all of your devices.": "გთხოვთ შეიყვანოთ თქვენი პაროლი ადასტურებენ გსურთ გამოსვლა თქვენი სხვა ბრაუზერის სხდომები მთელი თქვენი მოწყობილობების.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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. The email address must be associated with an existing account.": "გთხოვთ მოგვაწოდოთ ელექტრონული ფოსტის მისამართი პირი გსურთ დაამატოთ ეს გუნდი. ელექტრონული ფოსტის მისამართი უნდა იყოს დაკავშირებული არსებული ანგარიში.", - "Please provide your name.": "გთხოვთ მოგვაწოდოთ თქვენი სახელი.", - "Poland": "პოლონეთი", - "Portugal": "პორტუგალია", - "Press \/ to search": "პრესა \/ ძიება", - "Preview": "გადახედვა", - "Previous": "წინა", - "Privacy Policy": "კონფიდენციალურობის პოლიტიკა", - "Profile": "პროფილი", - "Profile Information": "პროფილის ინფორმაცია", - "Puerto Rico": "პუერტო რიკო", - "Qatar": "Qatar", - "Quarter To Date": "კვარტალი თარიღი", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "აღდგენის კოდი", "Regards": "დაკავშირებით", - "Regenerate Recovery Codes": "რეგენერაცია აღდგენა კოდები", - "Register": "რეგისტრირება", - "Reload": "გადატვირთვა", - "Remember me": "დამიმახსოვრე", - "Remember Me": "დამიმახსოვრე", - "Remove": "წაშლა", - "Remove Photo": "წაშლა ფოტო", - "Remove Team Member": "გუნდის წევრის წაშლა", - "Resend Verification Email": "ხელახლა გადამოწმების ელ", - "Reset Filters": "აღდგენა ფილტრები", - "Reset Password": "პაროლის აღდგენა", - "Reset Password Notification": "პაროლის აღდგენის შეტყობინება", - "resource": "რესურსი", - "Resources": "რესურსები", - "resources": "რესურსები", - "Restore": "აღდგენა", - "Restore Resource": "აღდგენა რესურსი", - "Restore Selected": "აღდგენა შერჩეული", "results": "შედეგები", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "შეხვედრა", - "Role": "როლი", - "Romania": "რუმინეთიname", - "Run Action": "აწარმოებს აქცია", - "Russian Federation": "რუსეთის ფედერაცია", - "Rwanda": "რუანდა", - "Réunion": "Réunion", - "Saint Barthelemy": "ქ. ბართელემი", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "წმინდა ჰელენა", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "წმინდა კიტსი და ნევისი", - "Saint Lucia": "წმინდა ლუსია", - "Saint Martin": "წმინდა მარტინი", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "წმინდა პიერი და მიქელონი", - "Saint Vincent And Grenadines": "სენტ-ვინსენტი და გრენადინები", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "სამოა", - "San Marino": "სან მარინოworld. Kgm", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "სან-ტომე და პრინსიპი", - "Saudi Arabia": "საუდის არაბეთიworld. Kgm", - "Save": "შენახვა", - "Saved.": "ჟოაჟთ.", - "Search": "ძიება", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "აირჩიეთ ახალი ფოტო", - "Select Action": "აირჩიეთ აქცია", - "Select All": "აირჩიეთ ყველა", - "Select All Matching": "აირჩიეთ ყველა შესაბამისი", - "Send Password Reset Link": "პაროლის აღსადგენი ლინკის გაგზავნა", - "Senegal": "სენეგალიname", - "September": "სექტემბერი", - "Serbia": "სერბეთი", "Server Error": "სერვერის შეცდომა", "Service Unavailable": "სერვისი მიუწვდომელია", - "Seychelles": "სეიშელის კუნძულები", - "Show All Fields": "აჩვენეთ ყველა ველი", - "Show Content": "კონტენტის ჩვენება", - "Show Recovery Codes": "აღდგენა კოდების ჩვენება", "Showing": "ჩვენება", - "Sierra Leone": "სიერა ლეონეworld. Kgm", - "Signed in as": "Signed in as", - "Singapore": "სინგაპური", - "Sint Maarten (Dutch part)": "France. Kgm", - "Slovakia": "სლოვაკიაname", - "Slovenia": "სლოვენიაname", - "Solomon Islands": "სოლომონის კუნძულები", - "Somalia": "სომალიname", - "Something went wrong.": "რაღაც გაფუჭდა.", - "Sorry! You are not authorized to perform this action.": "ჟყზალწგამ! თქვენ არ ხართ უფლებამოსილი შეასრულოს ეს ქმედება.", - "Sorry, your session has expired.": "ბოდიში, თქვენი სესია ამოიწურა.", - "South Africa": "სამხრეთი აფრიკა", - "South Georgia And Sandwich Isl.": "სამხრეთ საქართველო და სამხრეთ სენდვიჩის კუნძულები", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "სამხრეთ სუდანი", - "Spain": "ესპანეთი", - "Sri Lanka": "შრი ლანკაworld. Kgm", - "Start Polling": "კენჭისყრის დაწყება", - "State \/ County": "State \/ County", - "Stop Polling": "შეაჩერე კენჭისყრა", - "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.": "შესანახად ამ აღდგენა კოდები უსაფრთხო დაგავიწყდათ მენეჯერი. ისინი შეიძლება გამოყენებულ იქნას ფეხზე ხელმისაწვდომობის თქვენი ანგარიში, თუ თქვენი ორი ფაქტორი ავტორიზაციის მოწყობილობა დაკარგა.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "სუდანიname", - "Suriname": "სურინამიname", - "Svalbard And Jan Mayen": "სვალბარდი და იან მაიენი", - "Swaziland": "Eswatini", - "Sweden": "შვედეთი", - "Switch Teams": "შეცვლა გუნდები", - "Switzerland": "შვეიცარია", - "Syrian Arab Republic": "სირიაworld. kgm", - "Taiwan": "ტაივანი", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "ტაჯიკეთი", - "Tanzania": "ტანზანიაname", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "გუნდის დეტალები", - "Team Invitation": "გუნდის მოწვევა", - "Team Members": "გუნდის წევრები", - "Team Name": "გუნდის სახელი", - "Team Owner": "გუნდის მფლობელი", - "Team Settings": "გუნდის პარამეტრები", - "Terms of Service": "მომსახურების პირობები", - "Thailand": "ტაილანდი", - "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.": "მადლობა ხელმოწერის up! სანამ ნაცნობობა, იქნებ შეამოწმოს თქვენი ელექტრონული ფოსტის მისამართი დაწკაპვით ბმულს ჩვენ უბრალოდ ელექტრონული ფოსტით თქვენ? თუ თქვენ არ მიიღოს ელ, ჩვენ სიამოვნებით გამოგიგზავნით სხვა.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute უნდა იყოს სწორი როლი.", - "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 and 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 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 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.": ":attribute უნდა იყოს მინიმუმ :length სიმბოლო.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource შეიქმნა!", - "The :resource was deleted!": ":resource წაიშალა!", - "The :resource was restored!": ":resource აღდგა!", - "The :resource was updated!": ":resource განახლდა!", - "The action ran successfully!": "აქცია გაიქცა წარმატებით!", - "The file was deleted!": "ფაილი წაიშალა!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "მთავრობა არ გაჩვენოთ, რა არის ამ კარების უკან", - "The HasOne relationship has already been filled.": "HasOne ურთიერთობა უკვე შევსებული.", - "The payment was successful.": "გადახდის წარმატებული იყო.", - "The provided coupon code is invalid.": "The provided coupon code is 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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "რესურსი განახლდა!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "გუნდის სახელი და მფლობელი ინფორმაცია.", - "There are no available options for this resource.": "არ არსებობს ხელმისაწვდომი ვარიანტი ამ რესურსის.", - "There was a problem executing the action.": "იყო პრობლემა შესრულებაში აქცია.", - "There was a problem submitting the form.": "იყო პრობლემა წარდგენის ფორმა.", - "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.": "ეს ხალხი მიწვეული თქვენი გუნდი და გაიგზავნა მოწვევა ელ. ისინი შეიძლება შეუერთდეს გუნდი მიღებით ელ მოწვევა.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "ეს ქმედება არასანქცირებული.", - "This device": "ეს მოწყობილობა", - "This file field is read-only.": "ეს ფაილი სფეროში წაკითხული მხოლოდ.", - "This image": "ეს სურათი", - "This is a secure area of the application. Please confirm your password before continuing.": "ეს არის უსაფრთხო ფართობი განაცხადის. გთხოვთ დაადასტუროთ თქვენი პაროლი გაგრძელებამდე.", - "This password does not match our records.": "ეს პაროლი არ შეესაბამება ჩვენს ჩანაწერებს.", "This password reset link will expire in :count minutes.": "ეს პაროლის გადატვირთვის ბმული იწურება :count წუთში.", - "This payment was already successfully confirmed.": "ეს გადახდა უკვე წარმატებით დადასტურდა.", - "This payment was cancelled.": "ეს გადახდა გაუქმდა.", - "This resource no longer exists": "ეს რესურსი აღარ არსებობს", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "ეს მომხმარებელი უკვე ეკუთვნის გუნდს.", - "This user has already been invited to the team.": "ამ მომხმარებელს უკვე მიწვეული გუნდი.", - "Timor-Leste": "ტიმორიworld. Kgm", "to": "დან", - "Today": "დღეს", "Toggle navigation": "გადართვა ნავიგაცია", - "Togo": "ტოგოworld. kgm", - "Tokelau": "ტოკელაfrance. kgm", - "Token Name": "ნიშნად სახელი", - "Tonga": "მოდი", "Too Many Attempts.": "ძალიან ბევრი მცდელობა.", "Too Many Requests": "ძალიან ბევრი მოთხოვნა", - "total": "სულ", - "Total:": "Total:", - "Trashed": "ღალატი", - "Trinidad And Tobago": "ტრინიდადი და ტობაგო", - "Tunisia": "ტუნისიname", - "Turkey": "თურქეთი", - "Turkmenistan": "თურქმენეთიname", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "თურქები და კაიკოსის კუნძულები", - "Tuvalu": "ტუვალუfrance. kgm", - "Two Factor Authentication": "ორი ფაქტორი ავთენტიფიკაცია", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "ორი ფაქტორი ავტორიზაციის ახლა ჩართულია. სკანირების შემდეგ QR კოდი გამოყენებით თქვენი ტელეფონის authenticator განცხადება.", - "Uganda": "უგანდაname", - "Ukraine": "უკრაინა", "Unauthorized": "არასანქცირებული", - "United Arab Emirates": "არაბთა გაერთიანებული საამიროები", - "United Kingdom": "გაერთიანებული სამეფო", - "United States": "ამერიკის შეერთებული შტატები", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "აშშ დაშორებული კუნძულები", - "Update": "განახლება", - "Update & Continue Editing": "განახლება და გაგრძელება რედაქტირება", - "Update :resource": "განახლება :resource", - "Update :resource: :title": "განახლება :resource: :title", - "Update attached :resource: :title": "განახლება ერთვის :resource: :title", - "Update Password": "პაროლის განახლება", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "განაახლოთ თქვენი ანგარიშის ნახვა ინფორმაცია და ელექტრონული ფოსტის მისამართი.", - "Uruguay": "ურუგვაი", - "Use a recovery code": "გამოიყენეთ აღდგენის კოდი", - "Use an authentication code": "გამოიყენეთ ავტორიზაციის კოდი", - "Uzbekistan": "უზბეკეთიname", - "Value": "ღირებულება", - "Vanuatu": "ვანუატუname", - "VAT Number": "VAT Number", - "Venezuela": "ვენესუელა", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "გადაამოწმონ ელექტრონული ფოსტის მისამართი", "Verify Your Email Address": "დაადასტურეთ თქვენი ელექტრონული ფოსტის მისამართი", - "Viet Nam": "Vietnam", - "View": "ნახვა", - "Virgin Islands, British": "ბრიტანეთის ვირჯინიის კუნძულები", - "Virgin Islands, U.S.": "აშშ ვირჯინიის კუნძულები", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "უოლისი და ფუტუნა", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "ჩვენ ვერ პოულობენ დარეგისტრირებულ მომხმარებელს ამ ელექტრონული ფოსტის მისამართი.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "ჩვენ არ ვთხოვთ თქვენი პაროლი კიდევ რამდენიმე საათის განმავლობაში.", - "We're lost in space. The page you were trying to view does not exist.": "ჩვენ დავკარგეთ სივრცეში. გვერდზე თქვენ ცდილობთ ნახოთ არ არსებობს.", - "Welcome Back!": "კეთილი იყოს თქვენი მობრძანება!", - "Western Sahara": "დასავლეთ საჰარა", - "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 აპლიკაციიდან.", - "Whoops": "Whoops", - "Whoops!": "ჟსოვპ!", - "Whoops! Something went wrong.": "ჟსოვპ! რაღაც გაფუჭდა.", - "With Trashed": "ერთად Trashed", - "Write": "დაწერეთ", - "Year To Date": "წელი დღემდე", - "Yearly": "Yearly", - "Yemen": "იემენიname", - "Yes": "დიახ", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "თქვენ ხართ შესული სისტემაში!", - "You are receiving this email because we received a password reset request for your account.": "თქვენ ხედავთ აღნიშნულ შეტყობინებას რადგან მივიღეთ თქვენი მოთხოვნა პაროლის აღდგენასთან დაკავშირებით.", - "You have been invited to join the :team team!": "თქვენ მიწვეული :team გუნდი!", - "You have enabled two factor authentication.": "თქვენ საშუალება ორი ფაქტორი ავტორიზაციის.", - "You have not enabled two factor authentication.": "თქვენ არ საშუალება ორი ფაქტორი ავტორიზაციის.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.": "თქვენ შეიძლება არ დატოვოს გუნდი, რომელიც თქვენ შექმნა.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "თქვენი ელექტრონული ფოსტის მისამართი არ არის დამოწმებული.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "ზამბიაworld. kgm", - "Zimbabwe": "ზიმბაბვეname", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "თქვენი ელექტრონული ფოსტის მისამართი არ არის დამოწმებული." } diff --git a/locales/ka/packages/cashier.json b/locales/ka/packages/cashier.json new file mode 100644 index 00000000000..31dc92ebdf1 --- /dev/null +++ b/locales/ka/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "ყველა უფლება დაცულია.", + "Card": "ბარათი", + "Confirm Payment": "დაადასტურეთ გადახდა", + "Confirm your :amount payment": "დაადასტურეთ თქვენი :amount გადახდა", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "დამატებითი დადასტურება საჭიროა თქვენი გადახდის დამუშავებისთვის. გთხოვთ დაადასტუროთ თქვენი გადახდის შევსების თქვენი გადახდის დეტალები ქვემოთ.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "დამატებითი დადასტურება საჭიროა თქვენი გადახდის დამუშავებისთვის. გთხოვთ გააგრძელოთ გადახდის გვერდზე დაჭერით ღილაკს ქვემოთ.", + "Full name": "სრული სახელი", + "Go back": "უკან დაბრუნება", + "Jane Doe": "Jane Doe", + "Pay :amount": "გადახდა :amount", + "Payment Cancelled": "გადახდა გაუქმდა", + "Payment Confirmation": "გადახდის დადასტურება", + "Payment Successful": "გადახდის წარმატებული", + "Please provide your name.": "გთხოვთ მოგვაწოდოთ თქვენი სახელი.", + "The payment was successful.": "გადახდის წარმატებული იყო.", + "This payment was already successfully confirmed.": "ეს გადახდა უკვე წარმატებით დადასტურდა.", + "This payment was cancelled.": "ეს გადახდა გაუქმდა." +} diff --git a/locales/ka/packages/fortify.json b/locales/ka/packages/fortify.json new file mode 100644 index 00000000000..5e3165e88bc --- /dev/null +++ b/locales/ka/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 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 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.": ":attribute უნდა იყოს მინიმუმ :length სიმბოლო.", + "The provided password does not match your current password.": "გათვალისწინებული პაროლი არ ემთხვევა თქვენი მიმდინარე პაროლი.", + "The provided password was incorrect.": "გათვალისწინებული პაროლი არასწორია.", + "The provided two factor authentication code was invalid.": "გათვალისწინებული ორი ფაქტორი ავტორიზაციის კოდი არასწორია." +} diff --git a/locales/ka/packages/jetstream.json b/locales/ka/packages/jetstream.json new file mode 100644 index 00000000000..13275134da1 --- /dev/null +++ b/locales/ka/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "ახალი გადამოწმების ლინკი გაიგზავნა ელექტრონული ფოსტის მისამართი თქვენ უზრუნველყოფილი რეგისტრაციის დროს.", + "Accept Invitation": "მოწვევა", + "Add": "დამატება", + "Add a new team member to your team, allowing them to collaborate with you.": "დაამატეთ ახალი გუნდის წევრი თქვენს გუნდში, რომელიც საშუალებას აძლევს მათ ითანამშრომლონ თქვენთან ერთად.", + "Add additional security to your account using two factor authentication.": "დამატებითი უსაფრთხოების თქვენი ანგარიში გამოყენებით ორი ფაქტორი ავტორიზაციის.", + "Add Team Member": "გუნდის წევრის დამატება", + "Added.": "დამატებულია.", + "Administrator": "ადმინისტრატორი", + "Administrator users can perform any action.": "ადმინისტრატორს შეუძლია შეასრულოს ნებისმიერი ქმედება.", + "All of the people that are part of this team.": "ყველა ადამიანი, რომელიც ამ გუნდის ნაწილია.", + "Already registered?": "უკვე რეგისტრირებული?", + "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 სიმბოლოს საშუალებას მესამე მხარის მომსახურების სინამდვილის ჩვენი განცხადება თქვენი სახელით.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "დარწმუნებული ხარ, რომ გსურს წაშლა this team? მას შემდეგ, რაც გუნდი წაიშლება, ყველა მისი რესურსები და მონაცემები მუდმივად წაიშლება.", + "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.": "დარწმუნებული ხარ, რომ გსურს წაშლა your account? მას შემდეგ, რაც თქვენი ანგარიში წაიშლება, ყველა მისი რესურსები და მონაცემები მუდმივად წაიშლება. გთხოვთ შეიყვანოთ თქვენი პაროლი ადასტურებენ გსურთ მუდმივად წაშალოთ თქვენი ანგარიში.", + "Are you sure you would like to delete this API token?": "დარწმუნებული ხართ, რომ გსურთ წაშალოთ ეს API ნიშნად?", + "Are you sure you would like to leave this team?": "დარწმუნებული ხართ, რომ გსურთ ამ გუნდის დატოვება?", + "Are you sure you would like to remove this person from the team?": "დარწმუნებული ხართ, რომ გსურთ ამოიღონ ამ პირის გუნდი?", + "Browser Sessions": "ბრაუზერის სესიები", + "Cancel": "გაუქმება", + "Close": "დახურვა", + "Code": "კოდი", + "Confirm": "დაადასტურეთ", + "Confirm Password": "პაროლის დადასტურება", + "Create": "შექმნა", + "Create a new team to collaborate with others on projects.": "შექმნა ახალი გუნდი თანამშრომლობა სხვებთან ერთად პროექტები.", + "Create Account": "ანგარიშის შექმნა", + "Create API Token": "შექმნა API ნიშნად", + "Create New Team": "ახალი გუნდის შექმნა", + "Create Team": "გუნდის შექმნა", + "Created.": "შექმნილია.", + "Current Password": "მიმდინარე პაროლი", + "Dashboard": "დაფა", + "Delete": "წაშლა", + "Delete Account": "ანგარიშის წაშლა", + "Delete API Token": "წაშლა API ნიშნად", + "Delete Team": "გუნდის წაშლა", + "Disable": "გამორთვა", + "Done.": "შესრულებულია.", + "Editor": "რედაქტორი", + "Editor users have the ability to read, create, and update.": "რედაქტორი მომხმარებლებს აქვთ შესაძლებლობა წაიკითხონ, შექმნა, და განახლება.", + "Email": "ელ. ფოსტა", + "Email Password Reset Link": "ელ პაროლის აღდგენა ლინკი", + "Enable": "ჩართვა", + "Ensure your account is using a long, random password to stay secure.": "დარწმუნდით, რომ თქვენი ანგარიში გამოყენებით ხანგრძლივი, შემთხვევითი დაგავიწყდათ დარჩენა უსაფრთხო.", + "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.": "დაგავიწყდათ პაროლი? პრობლემა არ არის. უბრალოდ გვაცნობოთ თქვენი ელექტრონული ფოსტის მისამართი და ჩვენ გამოგიგზავნით პაროლის გადატვირთვის ბმულს, რომელიც საშუალებას მოგცემთ აირჩიოთ ახალი.", + "Great! You have accepted the invitation to join the :team team.": "ჟსოვპ! თქვენ არ მიიღო მიწვევა შეუერთდეს :team გუნდი.", + "I agree to the :terms_of_service and :privacy_policy": "მე ვეთანხმები :terms_of_service და :privacy_policy", + "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 you already have an account, you may accept this invitation by clicking the button below:": "თუ თქვენ უკვე გაქვთ ანგარიში, თქვენ შეიძლება მიიღოს ეს მოწვევა დაჭერით ღილაკს ქვემოთ:", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "თუ თქვენ არ გაქვთ ანგარიში, თქვენ შეიძლება შექმნათ ერთი დაჭერით ღილაკს ქვემოთ. ანგარიშის შექმნის შემდეგ, თქვენ შეგიძლიათ დააჭიროთ მოწვევა მიღება ღილაკს ამ ელ მიიღოს გუნდი მოწვევა:", + "Last active": "ბოლო აქტიური", + "Last used": "ბოლო გამოყენებული", + "Leave": "დატოვე", + "Leave Team": "დატოვე გუნდი", + "Log in": "შესვლა", + "Log Out": "გამოხვიდეთ", + "Log Out Other Browser Sessions": "სხვა ბრაუზერის სესიების შესვლა", + "Manage Account": "ანგარიშის მართვა", + "Manage and log out your active sessions on other browsers and devices.": "მართვა და გამოხვიდეთ თქვენი აქტიური სხდომები სხვა ბრაუზერები და მოწყობილობები.", + "Manage API Tokens": "API სიმბოლოების მართვა", + "Manage Role": "როლის მართვა", + "Manage Team": "გუნდის მართვა", + "Name": "სახელი", + "New Password": "ახალი პაროლი", + "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 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.": "მას შემდეგ, რაც თქვენი ანგარიში წაიშლება, ყველა მისი რესურსები და მონაცემები მუდმივად წაიშლება. სანამ წაშლის თქვენი ანგარიში, გთხოვთ ჩამოტვირთოთ ნებისმიერი მონაცემები ან ინფორმაცია, რომ გსურთ შეინარჩუნოს.", + "Password": "პაროლი", + "Pending Team Invitations": "მოლოდინში გუნდი მოსაწვევები", + "Permanently delete this team.": "მუდმივად წაშლა ამ გუნდს.", + "Permanently delete your account.": "მუდმივად წაშალოთ თქვენი ანგარიში.", + "Permissions": "ნებართვები", + "Photo": "ფოტო", + "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 copy your new API token. For your security, it won't be shown again.": "გთხოვთ დააკოპირეთ თქვენი ახალი API ნიშნად. თქვენი უსაფრთხოების, ეს არ იქნება ნაჩვენები ერთხელ.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "გთხოვთ შეიყვანოთ თქვენი პაროლი ადასტურებენ გსურთ შეხვიდეთ თქვენი სხვა ბრაუზერის სხდომები მთელი თქვენი მოწყობილობების.", + "Please provide the email address of the person you would like to add to this team.": "გთხოვთ მოგვაწოდოთ ელექტრონული ფოსტის მისამართი პირი გსურთ დაამატოთ ეს გუნდი.", + "Privacy Policy": "კონფიდენციალურობის პოლიტიკა", + "Profile": "პროფილი", + "Profile Information": "პროფილის ინფორმაცია", + "Recovery Code": "აღდგენის კოდი", + "Regenerate Recovery Codes": "რეგენერაცია აღდგენა კოდები", + "Register": "რეგისტრირება", + "Remember me": "დამიმახსოვრე", + "Remove": "წაშლა", + "Remove Photo": "წაშლა ფოტო", + "Remove Team Member": "გუნდის წევრის წაშლა", + "Resend Verification Email": "ხელახლა გადამოწმების ელ", + "Reset Password": "პაროლის აღდგენა", + "Role": "როლი", + "Save": "შენახვა", + "Saved.": "ჟოაჟთ.", + "Select A New Photo": "აირჩიეთ ახალი ფოტო", + "Show Recovery Codes": "აღდგენა კოდების ჩვენება", + "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.": "შესანახად ამ აღდგენა კოდები უსაფრთხო დაგავიწყდათ მენეჯერი. ისინი შეიძლება გამოყენებულ იქნას ფეხზე ხელმისაწვდომობის თქვენი ანგარიში, თუ თქვენი ორი ფაქტორი ავტორიზაციის მოწყობილობა დაკარგა.", + "Switch Teams": "შეცვლა გუნდები", + "Team Details": "გუნდის დეტალები", + "Team Invitation": "გუნდის მოწვევა", + "Team Members": "გუნდის წევრები", + "Team Name": "გუნდის სახელი", + "Team Owner": "გუნდის მფლობელი", + "Team Settings": "გუნდის პარამეტრები", + "Terms of Service": "მომსახურების პირობები", + "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.": "მადლობა ხელმოწერის up! სანამ ნაცნობობა, იქნებ შეამოწმოს თქვენი ელექტრონული ფოსტის მისამართი დაწკაპვით ბმულს ჩვენ უბრალოდ ელექტრონული ფოსტით თქვენ? თუ თქვენ არ მიიღოს ელ, ჩვენ სიამოვნებით გამოგიგზავნით სხვა.", + "The :attribute must be a valid role.": ":attribute უნდა იყოს სწორი როლი.", + "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 and 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 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 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.": ":attribute უნდა იყოს მინიმუმ :length სიმბოლო.", + "The provided password does not match your current password.": "გათვალისწინებული პაროლი არ ემთხვევა თქვენი მიმდინარე პაროლი.", + "The provided password was incorrect.": "გათვალისწინებული პაროლი არასწორია.", + "The provided two factor authentication code was invalid.": "გათვალისწინებული ორი ფაქტორი ავტორიზაციის კოდი არასწორია.", + "The team's name and owner information.": "გუნდის სახელი და მფლობელი ინფორმაცია.", + "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.": "ეს ხალხი მიწვეული თქვენი გუნდი და გაიგზავნა მოწვევა ელ. ისინი შეიძლება შეუერთდეს გუნდი მიღებით ელ მოწვევა.", + "This device": "ეს მოწყობილობა", + "This is a secure area of the application. Please confirm your password before continuing.": "ეს არის უსაფრთხო ფართობი განაცხადის. გთხოვთ დაადასტუროთ თქვენი პაროლი გაგრძელებამდე.", + "This password does not match our records.": "ეს პაროლი არ შეესაბამება ჩვენს ჩანაწერებს.", + "This user already belongs to the team.": "ეს მომხმარებელი უკვე ეკუთვნის გუნდს.", + "This user has already been invited to the team.": "ამ მომხმარებელს უკვე მიწვეული გუნდი.", + "Token Name": "ნიშნად სახელი", + "Two Factor Authentication": "ორი ფაქტორი ავთენტიფიკაცია", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "ორი ფაქტორი ავტორიზაციის ახლა ჩართულია. სკანირების შემდეგ QR კოდი გამოყენებით თქვენი ტელეფონის authenticator განცხადება.", + "Update Password": "პაროლის განახლება", + "Update your account's profile information and email address.": "განაახლოთ თქვენი ანგარიშის ნახვა ინფორმაცია და ელექტრონული ფოსტის მისამართი.", + "Use a recovery code": "გამოიყენეთ აღდგენის კოდი", + "Use an authentication code": "გამოიყენეთ ავტორიზაციის კოდი", + "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.": "როდესაც ორი ფაქტორი ავტორიზაციის ჩართულია, თქვენ მოთხოვნილია უსაფრთხო, შემთხვევითი ნიშნად დროს ავტორიზაციის. თქვენ შეგიძლიათ მიიღოთ ეს ნიშნად თქვენი ტელეფონის Google Authenticator აპლიკაციიდან.", + "Whoops! Something went wrong.": "ჟსოვპ! რაღაც გაფუჭდა.", + "You have been invited to join the :team team!": "თქვენ მიწვეული :team გუნდი!", + "You have enabled two factor authentication.": "თქვენ საშუალება ორი ფაქტორი ავტორიზაციის.", + "You have not enabled two factor authentication.": "თქვენ არ საშუალება ორი ფაქტორი ავტორიზაციის.", + "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.": "თქვენ შეიძლება არ დატოვოს გუნდი, რომელიც თქვენ შექმნა." +} diff --git a/locales/ka/packages/nova.json b/locales/ka/packages/nova.json new file mode 100644 index 00000000000..f7b943392bc --- /dev/null +++ b/locales/ka/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 დღე", + "60 Days": "60 დღე", + "90 Days": "90 დღე", + ":amount Total": "სულ ჯამში", + ":resource Details": ":resource დეტალები", + ":resource Details: :title": ":resource დეტალები: :title", + "Action": "აქცია", + "Action Happened At": "მოხდა", + "Action Initiated By": "მიერ ინიცირებული", + "Action Name": "სახელი", + "Action Status": "სტატუსი", + "Action Target": "სამიზნე", + "Actions": "აქციები", + "Add row": "დამატება row", + "Afghanistan": "ავღანეთში", + "Aland Islands": "ალანდის კუნძულები", + "Albania": "ალბანეთიname", + "Algeria": "ალჟირი", + "All resources loaded.": "ყველა რესურსი დატვირთული.", + "American Samoa": "ამერიკის სამოა", + "An error occured while uploading the file.": "ფაილის ატვირთვისას მოხდა შეცდომა.", + "Andorra": "ანდორაname", + "Angola": "ანგოლაname", + "Anguilla": "ანგვილაafrica. kgm", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "კიდევ ერთი მომხმარებელი განახლდა ეს რესურსი, რადგან ეს გვერდი დატვირთული იყო. გთხოვთ, განაახლოთ გვერდი და კვლავ სცადოთ.", + "Antarctica": "ანტარქტიდა", + "Antigua And Barbuda": "ანტიგუა და ბარბუდა", + "April": "აპრილი", + "Are you sure you want to delete the selected resources?": "დარწმუნებული ხარ, რომ გსურს წაშლა selected resources?", + "Are you sure you want to delete this file?": "დარწმუნებული ხართ, რომ გსურთ წაშალოთ ეს ფაილი?", + "Are you sure you want to delete this resource?": "დარწმუნებული ხარ, რომ გსურს წაშლა this resource?", + "Are you sure you want to detach the selected resources?": "დარწმუნებული ხართ, რომ გსურთ გაშლა შერჩეული რესურსები?", + "Are you sure you want to detach this resource?": "დარწმუნებული ხართ, რომ გსურთ გაშლა ეს რესურსი?", + "Are you sure you want to force delete the selected resources?": "დარწმუნებული ხართ, რომ გსურთ, რათა აიძულოს წაშლა შერჩეული რესურსები?", + "Are you sure you want to force delete this resource?": "დარწმუნებული ხართ, რომ გსურთ ამ რესურსის წაშლა?", + "Are you sure you want to restore the selected resources?": "დარწმუნებული ხართ, რომ გსურთ აღდგენა შერჩეული რესურსები?", + "Are you sure you want to restore this resource?": "დარწმუნებული ხართ, რომ გსურთ აღდგენა ამ რესურსის?", + "Are you sure you want to run this action?": "დარწმუნებული ხართ, რომ გსურთ აწარმოებს ეს ქმედება?", + "Argentina": "არგენტინაname", + "Armenia": "სომხეთი", + "Aruba": "არაბიafrica. kgm", + "Attach": "მიმაგრება", + "Attach & Attach Another": "მიმაგრება და მიმაგრება სხვა", + "Attach :resource": "მიმაგრება :resource", + "August": "აგვისტო", + "Australia": "ავსტრალია", + "Austria": "ავსტრია", + "Azerbaijan": "აზერბაიჯანიname", + "Bahamas": "ბაჰამის კუნძულები", + "Bahrain": "ბაჰრეname", + "Bangladesh": "ბანგლადეში", + "Barbados": "ბარბადოსი", + "Belarus": "ბელარუსიname", + "Belgium": "ბელგია", + "Belize": "ბელიზიname", + "Benin": "ბენინიname", + "Bermuda": "ბერმუდის", + "Bhutan": "ბუტანიname", + "Bolivia": "ბოლივიაname", + "Bonaire, Sint Eustatius and Saba": "ბონაირი, Sint Eustatius და Sábado", + "Bosnia And Herzegovina": "ბოსნია და ჰერცეგოვინა", + "Botswana": "ბოტსვანაname", + "Bouvet Island": "ბუვეტის კუნძული", + "Brazil": "ბრაზილია", + "British Indian Ocean Territory": "ბრიტანეთის ტერიტორია ინდოეთის ოკეანეში", + "Brunei Darussalam": "Brunei", + "Bulgaria": "ბულგარეთი", + "Burkina Faso": "ბურკინა ფასო", + "Burundi": "ბურუნდიname", + "Cambodia": "კამბოჯაworld. kgm", + "Cameroon": "კამერუნიname", + "Canada": "კანადა", + "Cancel": "გაუქმება", + "Cape Verde": "კაბო ვერდეname", + "Cayman Islands": "კაიმანის კუნძულები", + "Central African Republic": "ცენტრალური აფრიკის რესპუბლიკა", + "Chad": "ჩადი", + "Changes": "ცვლილებები", + "Chile": "ჩილე", + "China": "ჩინეთი", + "Choose": "არჩევა", + "Choose :field": "აირჩიეთ :field", + "Choose :resource": "აირჩიეთ :resource", + "Choose an option": "ამოირჩიეთ ვარიანტი", + "Choose date": "აირჩიეთ თარიღი", + "Choose File": "აირჩიეთ ფაილი", + "Choose Type": "აირჩიეთ ტიპი", + "Christmas Island": "საშობაო კუნძული", + "Click to choose": "დაწკაპეთ არჩევა", + "Cocos (Keeling) Islands": "Cocos (Keeling) კუნძულები", + "Colombia": "კოლუმბიაworld. kgm", + "Comoros": "კომორის კუნძულები", + "Confirm Password": "პაროლის დადასტურება", + "Congo": "კონგო", + "Congo, Democratic Republic": "კონგოს დემოკრატიული რესპუბლიკა", + "Constant": "მუდმივი", + "Cook Islands": "კუკის კუნძულები", + "Costa Rica": "კოსტა რიკა", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "ვერ მოიძებნა.", + "Create": "შექმნა", + "Create & Add Another": "შექმნა & დამატება სხვა", + "Create :resource": "შექმნა :resource", + "Croatia": "ხორვატია", + "Cuba": "კუბაworld. kgm", + "Curaçao": "Asia. kgm", + "Customize": "გე", + "Cyprus": "კვიპროსი", + "Czech Republic": "ჩეხეთი", + "Dashboard": "დაფა", + "December": "დეკემბერი", + "Decrease": "შემცირება", + "Delete": "წაშლა", + "Delete File": "ფაილის წაშლა", + "Delete Resource": "რესურსების წაშლა", + "Delete Selected": "შერჩეული წაშლა", + "Denmark": "დანია", + "Detach": "გაშლა", + "Detach Resource": "გაშლა რესურსი", + "Detach Selected": "გაშლა შერჩეული", + "Details": "დეტალები", + "Djibouti": "ჯიბუტი", + "Do you really want to leave? You have unsaved changes.": "ნამდვილად გსურთ დატოვოს? თქვენ არ unsaved ცვლილებები.", + "Dominica": "კვირა", + "Dominican Republic": "დომინიკის რესპუბლიკა", + "Download": "ჩამოტვირთვა", + "Ecuador": "ეკვადორიworld. kgm", + "Edit": "რედაქტირება", + "Edit :resource": "რედაქტირება :resource", + "Edit Attached": "მიმაგრებული რედაქტირება", + "Egypt": "ეგვიპტე", + "El Salvador": "სალვადორიname", + "Email Address": "ელექტრონული ფოსტის მისამართი", + "Equatorial Guinea": "ეკვატორული გვინეა", + "Eritrea": "ერიტრეა", + "Estonia": "ესტონეთიname", + "Ethiopia": "ეთიოპიაworld. kgm", + "Falkland Islands (Malvinas)": "ფოლკლენდის კუნძულები (Malvinas)", + "Faroe Islands": "ფარერის კუნძულები", + "February": "თებერვალი", + "Fiji": "ფიჯი", + "Finland": "ფინეთი", + "Force Delete": "ძალის წაშლა", + "Force Delete Resource": "ძალის წაშლა რესურსი", + "Force Delete Selected": "მონიშნული ძალის წაშლა", + "Forgot Your Password?": "პაროლი დაგავიწყდათ?", + "Forgot your password?": "დაგავიწყდათ პაროლი?", + "France": "France. kgm", + "French Guiana": "საფრანგეთის გვიანა", + "French Polynesia": "ფრანგული პოლინეზია", + "French Southern Territories": "საფრანგეთის სამხრეთ ტერიტორიები", + "Gabon": "გაბონიname", + "Gambia": "გამბიაworld. kgm", + "Georgia": "საქართველო", + "Germany": "გერმანია", + "Ghana": "განაname", + "Gibraltar": "გიბრალტარი", + "Go Home": "სახლში წასვლა", + "Greece": "საბერძნეთი", + "Greenland": "გრენლანდიაname", + "Grenada": "გრენადა", + "Guadeloupe": "გვადელუპეname", + "Guam": "გუამი", + "Guatemala": "გვატემალაname", + "Guernsey": "გერნსი", + "Guinea": "გვინეაname", + "Guinea-Bissau": "გვინეა-ბისაუ", + "Guyana": "გაიანა", + "Haiti": "ჰაიტიname", + "Heard Island & Mcdonald Islands": "ისმის კუნძული და მაკდონალდის კუნძულები", + "Hide Content": "კონტენტის დამალვა", + "Hold Up!": "ოჲფაკაი!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "ჰონდურასიworld. kgm", + "Hong Kong": "ჰონგ კონგი", + "Hungary": "უნგრეთი", + "Iceland": "ისლანდიაworld. kgm", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "თუ არ მოგითხოვიათ პაროლის შეცვლა, არანაირი საპასუხო ქმედება არ არის საჭირო.", + "Increase": "გაზრდა", + "India": "ინდოეთი", + "Indonesia": "ინდონეზიურიname", + "Iran, Islamic Republic Of": "ირანი", + "Iraq": "ერაყში", + "Ireland": "ირლანდია", + "Isle Of Man": "კუნძული მენი", + "Israel": "ისრაელი", + "Italy": "იტალია", + "Jamaica": "იამაიკა", + "January": "იანვარი", + "Japan": "იაპონია", + "Jersey": "Jersey", + "Jordan": "იორდანიაname", + "July": "ივლისი", + "June": "ივნისი", + "Kazakhstan": "ყაზახეთიname", + "Kenya": "კენიაworld. kgm", + "Key": "გასაღები", + "Kiribati": "კირიბატი", + "Korea": "სამხრეთ კორეა", + "Korea, Democratic People's Republic of": "ჩრდილოეთ კორეა", + "Kosovo": "კოსოვო", + "Kuwait": "ქუვეითი", + "Kyrgyzstan": "ყირგიზეთიname", + "Lao People's Democratic Republic": "ლაოსი", + "Latvia": "ლატვია", + "Lebanon": "ლიბანი", + "Lens": "ობიექტივი", + "Lesotho": "ლესოთოworld. kgm", + "Liberia": "ლიბერიაworld. kgm", + "Libyan Arab Jamahiriya": "ლიბიაworld. kgm", + "Liechtenstein": "ლიხტენშტეინი", + "Lithuania": "ლიტვაname", + "Load :perPage More": "დატვირთვა :perPage მეტი", + "Login": "შესვლა", + "Logout": "გასვლა", + "Luxembourg": "ლუქსემბურგი", + "Macao": "მაკაო", + "Macedonia": "ჩრდილოეთი მაკედონია", + "Madagascar": "მადაგასკარი", + "Malawi": "მალავიname", + "Malaysia": "მალაიზიაworld. kgm", + "Maldives": "მალდივის კუნძულები", + "Mali": "პატარა", + "Malta": "მალტაname", + "March": "მარტი", + "Marshall Islands": "მარშალის კუნძულები", + "Martinique": "მარტინიკი", + "Mauritania": "მავრიტანიაworld. kgm", + "Mauritius": "მავრიკიაname", + "May": "მაისი", + "Mayotte": "მაიატიusa. kgm", + "Mexico": "მექსიკა", + "Micronesia, Federated States Of": "მიკრონეზია", + "Moldova": "მოლდოვა", + "Monaco": "მონაკოname", + "Mongolia": "მონღოლეთი", + "Montenegro": "Montenegro", + "Month To Date": "თვის თარიღი", + "Montserrat": "მონსერატი", + "Morocco": "მაროკოworld. kgm", + "Mozambique": "მოზამბიკიname", + "Myanmar": "მიანმარიname", + "Namibia": "ნამიბიაname", + "Nauru": "ნაურუworld. kgm", + "Nepal": "ნეპალიname", + "Netherlands": "ნიდერლანდები", + "New": "ახალი", + "New :resource": "ახალი :resource", + "New Caledonia": "ახალი კალედონია", + "New Zealand": "ახალი ზელანდია", + "Next": "შემდეგი", + "Nicaragua": "ნიკარაგუა", + "Niger": "ნიგერი", + "Nigeria": "ნიგერია", + "Niue": "ნიუიworld. kgm", + "No": "არა", + "No :resource matched the given criteria.": "არარის :resource შესაბამისი მოცემულ კრიტერიუმებს.", + "No additional information...": "დამატებითი ინფორმაცია არ არის...", + "No Current Data": "მიმდინარე მონაცემები არ არის", + "No Data": "მონაცემები არ არის", + "no file selected": "ფაილი არ არის არჩეული", + "No Increase": "არ ზრდა", + "No Prior Data": "წინასწარი მონაცემები", + "No Results Found.": "შედეგები არ მოიძებნა.", + "Norfolk Island": "ნორფოლკის კუნძული", + "Northern Mariana Islands": "ჩრდილოეთ მარიანას კუნძულები", + "Norway": "ნორვეგია", + "Nova User": "Nova მომხმარებელი", + "November": "ნოემბერი", + "October": "ოქტომბერი", + "of": "of", + "Oman": "ომანიname", + "Only Trashed": "მხოლოდ Trashed", + "Original": "ორიგინალი", + "Pakistan": "პაკისტანიname", + "Palau": "პალაუfrance. kgm", + "Palestinian Territory, Occupied": "პალესტინის ტერიტორიები", + "Panama": "პანამა", + "Papua New Guinea": "პაპუა ახალი გვინეა", + "Paraguay": "პარაგვაი", + "Password": "პაროლი", + "Per Page": "თითო გვერდზე", + "Peru": "პერუს", + "Philippines": "ფილიპინები", + "Pitcairn": "Pitcairn კუნძულები", + "Poland": "პოლონეთი", + "Portugal": "პორტუგალია", + "Press \/ to search": "პრესა \/ ძიება", + "Preview": "გადახედვა", + "Previous": "წინა", + "Puerto Rico": "პუერტო რიკო", + "Qatar": "Qatar", + "Quarter To Date": "კვარტალი თარიღი", + "Reload": "გადატვირთვა", + "Remember Me": "დამიმახსოვრე", + "Reset Filters": "აღდგენა ფილტრები", + "Reset Password": "პაროლის აღდგენა", + "Reset Password Notification": "პაროლის აღდგენის შეტყობინება", + "resource": "რესურსი", + "Resources": "რესურსები", + "resources": "რესურსები", + "Restore": "აღდგენა", + "Restore Resource": "აღდგენა რესურსი", + "Restore Selected": "აღდგენა შერჩეული", + "Reunion": "შეხვედრა", + "Romania": "რუმინეთიname", + "Run Action": "აწარმოებს აქცია", + "Russian Federation": "რუსეთის ფედერაცია", + "Rwanda": "რუანდა", + "Saint Barthelemy": "ქ. ბართელემი", + "Saint Helena": "წმინდა ჰელენა", + "Saint Kitts And Nevis": "წმინდა კიტსი და ნევისი", + "Saint Lucia": "წმინდა ლუსია", + "Saint Martin": "წმინდა მარტინი", + "Saint Pierre And Miquelon": "წმინდა პიერი და მიქელონი", + "Saint Vincent And Grenadines": "სენტ-ვინსენტი და გრენადინები", + "Samoa": "სამოა", + "San Marino": "სან მარინოworld. Kgm", + "Sao Tome And Principe": "სან-ტომე და პრინსიპი", + "Saudi Arabia": "საუდის არაბეთიworld. Kgm", + "Search": "ძიება", + "Select Action": "აირჩიეთ აქცია", + "Select All": "აირჩიეთ ყველა", + "Select All Matching": "აირჩიეთ ყველა შესაბამისი", + "Send Password Reset Link": "პაროლის აღსადგენი ლინკის გაგზავნა", + "Senegal": "სენეგალიname", + "September": "სექტემბერი", + "Serbia": "სერბეთი", + "Seychelles": "სეიშელის კუნძულები", + "Show All Fields": "აჩვენეთ ყველა ველი", + "Show Content": "კონტენტის ჩვენება", + "Sierra Leone": "სიერა ლეონეworld. Kgm", + "Singapore": "სინგაპური", + "Sint Maarten (Dutch part)": "France. Kgm", + "Slovakia": "სლოვაკიაname", + "Slovenia": "სლოვენიაname", + "Solomon Islands": "სოლომონის კუნძულები", + "Somalia": "სომალიname", + "Something went wrong.": "რაღაც გაფუჭდა.", + "Sorry! You are not authorized to perform this action.": "ჟყზალწგამ! თქვენ არ ხართ უფლებამოსილი შეასრულოს ეს ქმედება.", + "Sorry, your session has expired.": "ბოდიში, თქვენი სესია ამოიწურა.", + "South Africa": "სამხრეთი აფრიკა", + "South Georgia And Sandwich Isl.": "სამხრეთ საქართველო და სამხრეთ სენდვიჩის კუნძულები", + "South Sudan": "სამხრეთ სუდანი", + "Spain": "ესპანეთი", + "Sri Lanka": "შრი ლანკაworld. Kgm", + "Start Polling": "კენჭისყრის დაწყება", + "Stop Polling": "შეაჩერე კენჭისყრა", + "Sudan": "სუდანიname", + "Suriname": "სურინამიname", + "Svalbard And Jan Mayen": "სვალბარდი და იან მაიენი", + "Swaziland": "Eswatini", + "Sweden": "შვედეთი", + "Switzerland": "შვეიცარია", + "Syrian Arab Republic": "სირიაworld. kgm", + "Taiwan": "ტაივანი", + "Tajikistan": "ტაჯიკეთი", + "Tanzania": "ტანზანიაname", + "Thailand": "ტაილანდი", + "The :resource was created!": ":resource შეიქმნა!", + "The :resource was deleted!": ":resource წაიშალა!", + "The :resource was restored!": ":resource აღდგა!", + "The :resource was updated!": ":resource განახლდა!", + "The action ran successfully!": "აქცია გაიქცა წარმატებით!", + "The file was deleted!": "ფაილი წაიშალა!", + "The government won't let us show you what's behind these doors": "მთავრობა არ გაჩვენოთ, რა არის ამ კარების უკან", + "The HasOne relationship has already been filled.": "HasOne ურთიერთობა უკვე შევსებული.", + "The resource was updated!": "რესურსი განახლდა!", + "There are no available options for this resource.": "არ არსებობს ხელმისაწვდომი ვარიანტი ამ რესურსის.", + "There was a problem executing the action.": "იყო პრობლემა შესრულებაში აქცია.", + "There was a problem submitting the form.": "იყო პრობლემა წარდგენის ფორმა.", + "This file field is read-only.": "ეს ფაილი სფეროში წაკითხული მხოლოდ.", + "This image": "ეს სურათი", + "This resource no longer exists": "ეს რესურსი აღარ არსებობს", + "Timor-Leste": "ტიმორიworld. Kgm", + "Today": "დღეს", + "Togo": "ტოგოworld. kgm", + "Tokelau": "ტოკელაfrance. kgm", + "Tonga": "მოდი", + "total": "სულ", + "Trashed": "ღალატი", + "Trinidad And Tobago": "ტრინიდადი და ტობაგო", + "Tunisia": "ტუნისიname", + "Turkey": "თურქეთი", + "Turkmenistan": "თურქმენეთიname", + "Turks And Caicos Islands": "თურქები და კაიკოსის კუნძულები", + "Tuvalu": "ტუვალუfrance. kgm", + "Uganda": "უგანდაname", + "Ukraine": "უკრაინა", + "United Arab Emirates": "არაბთა გაერთიანებული საამიროები", + "United Kingdom": "გაერთიანებული სამეფო", + "United States": "ამერიკის შეერთებული შტატები", + "United States Outlying Islands": "აშშ დაშორებული კუნძულები", + "Update": "განახლება", + "Update & Continue Editing": "განახლება და გაგრძელება რედაქტირება", + "Update :resource": "განახლება :resource", + "Update :resource: :title": "განახლება :resource: :title", + "Update attached :resource: :title": "განახლება ერთვის :resource: :title", + "Uruguay": "ურუგვაი", + "Uzbekistan": "უზბეკეთიname", + "Value": "ღირებულება", + "Vanuatu": "ვანუატუname", + "Venezuela": "ვენესუელა", + "Viet Nam": "Vietnam", + "View": "ნახვა", + "Virgin Islands, British": "ბრიტანეთის ვირჯინიის კუნძულები", + "Virgin Islands, U.S.": "აშშ ვირჯინიის კუნძულები", + "Wallis And Futuna": "უოლისი და ფუტუნა", + "We're lost in space. The page you were trying to view does not exist.": "ჩვენ დავკარგეთ სივრცეში. გვერდზე თქვენ ცდილობთ ნახოთ არ არსებობს.", + "Welcome Back!": "კეთილი იყოს თქვენი მობრძანება!", + "Western Sahara": "დასავლეთ საჰარა", + "Whoops": "Whoops", + "Whoops!": "ჟსოვპ!", + "With Trashed": "ერთად Trashed", + "Write": "დაწერეთ", + "Year To Date": "წელი დღემდე", + "Yemen": "იემენიname", + "Yes": "დიახ", + "You are receiving this email because we received a password reset request for your account.": "თქვენ ხედავთ აღნიშნულ შეტყობინებას რადგან მივიღეთ თქვენი მოთხოვნა პაროლის აღდგენასთან დაკავშირებით.", + "Zambia": "ზამბიაworld. kgm", + "Zimbabwe": "ზიმბაბვეname" +} diff --git a/locales/ka/packages/spark-paddle.json b/locales/ka/packages/spark-paddle.json new file mode 100644 index 00000000000..3dd11a72b3f --- /dev/null +++ b/locales/ka/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "მომსახურების პირობები", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "ჟსოვპ! რაღაც გაფუჭდა.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/ka/packages/spark-stripe.json b/locales/ka/packages/spark-stripe.json new file mode 100644 index 00000000000..3e86cb3cfc7 --- /dev/null +++ b/locales/ka/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "ავღანეთში", + "Albania": "ალბანეთიname", + "Algeria": "ალჟირი", + "American Samoa": "ამერიკის სამოა", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "ანდორაname", + "Angola": "ანგოლაname", + "Anguilla": "ანგვილაafrica. kgm", + "Antarctica": "ანტარქტიდა", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "არგენტინაname", + "Armenia": "სომხეთი", + "Aruba": "არაბიafrica. kgm", + "Australia": "ავსტრალია", + "Austria": "ავსტრია", + "Azerbaijan": "აზერბაიჯანიname", + "Bahamas": "ბაჰამის კუნძულები", + "Bahrain": "ბაჰრეname", + "Bangladesh": "ბანგლადეში", + "Barbados": "ბარბადოსი", + "Belarus": "ბელარუსიname", + "Belgium": "ბელგია", + "Belize": "ბელიზიname", + "Benin": "ბენინიname", + "Bermuda": "ბერმუდის", + "Bhutan": "ბუტანიname", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "ბოტსვანაname", + "Bouvet Island": "ბუვეტის კუნძული", + "Brazil": "ბრაზილია", + "British Indian Ocean Territory": "ბრიტანეთის ტერიტორია ინდოეთის ოკეანეში", + "Brunei Darussalam": "Brunei", + "Bulgaria": "ბულგარეთი", + "Burkina Faso": "ბურკინა ფასო", + "Burundi": "ბურუნდიname", + "Cambodia": "კამბოჯაworld. kgm", + "Cameroon": "კამერუნიname", + "Canada": "კანადა", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "კაბო ვერდეname", + "Card": "ბარათი", + "Cayman Islands": "კაიმანის კუნძულები", + "Central African Republic": "ცენტრალური აფრიკის რესპუბლიკა", + "Chad": "ჩადი", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "ჩილე", + "China": "ჩინეთი", + "Christmas Island": "საშობაო კუნძული", + "City": "City", + "Cocos (Keeling) Islands": "Cocos (Keeling) კუნძულები", + "Colombia": "კოლუმბიაworld. kgm", + "Comoros": "კომორის კუნძულები", + "Confirm Payment": "დაადასტურეთ გადახდა", + "Confirm your :amount payment": "დაადასტურეთ თქვენი :amount გადახდა", + "Congo": "კონგო", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "კუკის კუნძულები", + "Costa Rica": "კოსტა რიკა", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "ხორვატია", + "Cuba": "კუბაworld. kgm", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "კვიპროსი", + "Czech Republic": "ჩეხეთი", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "დანია", + "Djibouti": "ჯიბუტი", + "Dominica": "კვირა", + "Dominican Republic": "დომინიკის რესპუბლიკა", + "Download Receipt": "Download Receipt", + "Ecuador": "ეკვადორიworld. kgm", + "Egypt": "ეგვიპტე", + "El Salvador": "სალვადორიname", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "ეკვატორული გვინეა", + "Eritrea": "ერიტრეა", + "Estonia": "ესტონეთიname", + "Ethiopia": "ეთიოპიაworld. kgm", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "დამატებითი დადასტურება საჭიროა თქვენი გადახდის დამუშავებისთვის. გთხოვთ გააგრძელოთ გადახდის გვერდზე დაჭერით ღილაკს ქვემოთ.", + "Falkland Islands (Malvinas)": "ფოლკლენდის კუნძულები (Malvinas)", + "Faroe Islands": "ფარერის კუნძულები", + "Fiji": "ფიჯი", + "Finland": "ფინეთი", + "France": "France. kgm", + "French Guiana": "საფრანგეთის გვიანა", + "French Polynesia": "ფრანგული პოლინეზია", + "French Southern Territories": "საფრანგეთის სამხრეთ ტერიტორიები", + "Gabon": "გაბონიname", + "Gambia": "გამბიაworld. kgm", + "Georgia": "საქართველო", + "Germany": "გერმანია", + "Ghana": "განაname", + "Gibraltar": "გიბრალტარი", + "Greece": "საბერძნეთი", + "Greenland": "გრენლანდიაname", + "Grenada": "გრენადა", + "Guadeloupe": "გვადელუპეname", + "Guam": "გუამი", + "Guatemala": "გვატემალაname", + "Guernsey": "გერნსი", + "Guinea": "გვინეაname", + "Guinea-Bissau": "გვინეა-ბისაუ", + "Guyana": "გაიანა", + "Haiti": "ჰაიტიname", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "ჰონდურასიworld. kgm", + "Hong Kong": "ჰონგ კონგი", + "Hungary": "უნგრეთი", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "ისლანდიაworld. kgm", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "ინდოეთი", + "Indonesia": "ინდონეზიურიname", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "ერაყში", + "Ireland": "ირლანდია", + "Isle of Man": "Isle of Man", + "Israel": "ისრაელი", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "იტალია", + "Jamaica": "იამაიკა", + "Japan": "იაპონია", + "Jersey": "Jersey", + "Jordan": "იორდანიაname", + "Kazakhstan": "ყაზახეთიname", + "Kenya": "კენიაworld. kgm", + "Kiribati": "კირიბატი", + "Korea, Democratic People's Republic of": "ჩრდილოეთ კორეა", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "ქუვეითი", + "Kyrgyzstan": "ყირგიზეთიname", + "Lao People's Democratic Republic": "ლაოსი", + "Latvia": "ლატვია", + "Lebanon": "ლიბანი", + "Lesotho": "ლესოთოworld. kgm", + "Liberia": "ლიბერიაworld. kgm", + "Libyan Arab Jamahiriya": "ლიბიაworld. kgm", + "Liechtenstein": "ლიხტენშტეინი", + "Lithuania": "ლიტვაname", + "Luxembourg": "ლუქსემბურგი", + "Macao": "მაკაო", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "მადაგასკარი", + "Malawi": "მალავიname", + "Malaysia": "მალაიზიაworld. kgm", + "Maldives": "მალდივის კუნძულები", + "Mali": "პატარა", + "Malta": "მალტაname", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "მარშალის კუნძულები", + "Martinique": "მარტინიკი", + "Mauritania": "მავრიტანიაworld. kgm", + "Mauritius": "მავრიკიაname", + "Mayotte": "მაიატიusa. kgm", + "Mexico": "მექსიკა", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "მონაკოname", + "Mongolia": "მონღოლეთი", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "მონსერატი", + "Morocco": "მაროკოworld. kgm", + "Mozambique": "მოზამბიკიname", + "Myanmar": "მიანმარიname", + "Namibia": "ნამიბიაname", + "Nauru": "ნაურუworld. kgm", + "Nepal": "ნეპალიname", + "Netherlands": "ნიდერლანდები", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "ახალი კალედონია", + "New Zealand": "ახალი ზელანდია", + "Nicaragua": "ნიკარაგუა", + "Niger": "ნიგერი", + "Nigeria": "ნიგერია", + "Niue": "ნიუიworld. kgm", + "Norfolk Island": "ნორფოლკის კუნძული", + "Northern Mariana Islands": "ჩრდილოეთ მარიანას კუნძულები", + "Norway": "ნორვეგია", + "Oman": "ომანიname", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "პაკისტანიname", + "Palau": "პალაუfrance. kgm", + "Palestinian Territory, Occupied": "პალესტინის ტერიტორიები", + "Panama": "პანამა", + "Papua New Guinea": "პაპუა ახალი გვინეა", + "Paraguay": "პარაგვაი", + "Payment Information": "Payment Information", + "Peru": "პერუს", + "Philippines": "ფილიპინები", + "Pitcairn": "Pitcairn კუნძულები", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "პოლონეთი", + "Portugal": "პორტუგალია", + "Puerto Rico": "პუერტო რიკო", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "რუმინეთიname", + "Russian Federation": "რუსეთის ფედერაცია", + "Rwanda": "რუანდა", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "წმინდა ჰელენა", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "წმინდა ლუსია", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "სამოა", + "San Marino": "სან მარინოworld. Kgm", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "საუდის არაბეთიworld. Kgm", + "Save": "შენახვა", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "სენეგალიname", + "Serbia": "სერბეთი", + "Seychelles": "სეიშელის კუნძულები", + "Sierra Leone": "სიერა ლეონეworld. Kgm", + "Signed in as": "Signed in as", + "Singapore": "სინგაპური", + "Slovakia": "სლოვაკიაname", + "Slovenia": "სლოვენიაname", + "Solomon Islands": "სოლომონის კუნძულები", + "Somalia": "სომალიname", + "South Africa": "სამხრეთი აფრიკა", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "ესპანეთი", + "Sri Lanka": "შრი ლანკაworld. Kgm", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "სუდანიname", + "Suriname": "სურინამიname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "შვედეთი", + "Switzerland": "შვეიცარია", + "Syrian Arab Republic": "სირიაworld. kgm", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "ტაჯიკეთი", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "მომსახურების პირობები", + "Thailand": "ტაილანდი", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "ტიმორიworld. Kgm", + "Togo": "ტოგოworld. kgm", + "Tokelau": "ტოკელაfrance. kgm", + "Tonga": "მოდი", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "ტუნისიname", + "Turkey": "თურქეთი", + "Turkmenistan": "თურქმენეთიname", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "ტუვალუfrance. kgm", + "Uganda": "უგანდაname", + "Ukraine": "უკრაინა", + "United Arab Emirates": "არაბთა გაერთიანებული საამიროები", + "United Kingdom": "გაერთიანებული სამეფო", + "United States": "ამერიკის შეერთებული შტატები", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "განახლება", + "Update Payment Information": "Update Payment Information", + "Uruguay": "ურუგვაი", + "Uzbekistan": "უზბეკეთიname", + "Vanuatu": "ვანუატუname", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "ბრიტანეთის ვირჯინიის კუნძულები", + "Virgin Islands, U.S.": "აშშ ვირჯინიის კუნძულები", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "დასავლეთ საჰარა", + "Whoops! Something went wrong.": "ჟსოვპ! რაღაც გაფუჭდა.", + "Yearly": "Yearly", + "Yemen": "იემენიname", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "ზამბიაworld. kgm", + "Zimbabwe": "ზიმბაბვეname", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/kk/kk.json b/locales/kk/kk.json index 2644c89d7c0..7b1402ecee7 100644 --- a/locales/kk/kk.json +++ b/locales/kk/kk.json @@ -1,710 +1,48 @@ { - "30 Days": "30 күн", - "60 Days": "60 күн", - "90 Days": "90 күн", - ":amount Total": "Барлығы :amount", - ":days day trial": ":days day trial", - ":resource Details": ":resource Толығырақ", - ":resource Details: :title": ":resource Толығырақ: :title", "A fresh verification link has been sent to your email address.": "Құпия сөзді қалпына келтіру сілтемесі сіздің email мекенжайыңызға жіберілді.", - "A new verification link has been sent to the email address you provided during registration.": "Тіркеу кезінде сіз көрсеткен электрондық пошта мекенжайына Жаңа тексеру сілтемесі жіберілді.", - "Accept Invitation": "Шақыруды Қабылдау", - "Action": "Әрекет", - "Action Happened At": "Оқиға Орын Алған", - "Action Initiated By": "Бастамашылық", - "Action Name": "Аты", - "Action Status": "Мәртебесі", - "Action Target": "Мақсаты", - "Actions": "Әрекеттер", - "Add": "Жалға,", - "Add a new team member to your team, allowing them to collaborate with you.": "Сіздің командаңызға жаңа топ мүшесін қосыңыз, сонда ол сізбен жұмыс істей алады.", - "Add additional security to your account using two factor authentication.": "Екі факторлы аутентификация арқылы есептік жазбаңызға қосымша қауіпсіздік қосыңыз.", - "Add row": "Жолды қосу", - "Add Team Member": "Команда Мүшесін Қосу", - "Add VAT Number": "Add VAT Number", - "Added.": "Қосылды.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Әкімші", - "Administrator users can perform any action.": "Әкімші пайдаланушылары кез-келген әрекетті орындай алады.", - "Afghanistan": "Ауғанстан", - "Aland Islands": "Аланд аралдары", - "Albania": "Албания", - "Algeria": "Алжир", - "All of the people that are part of this team.": "Барлық адамдар бір бөлігі болып табылады бұл команда.", - "All resources loaded.": "Барлық ресурстар жүктелген.", - "All rights reserved.": "Барлық құқықтар қорғалған.", - "Already registered?": "Қазірдің өзінде тіркелген?", - "American Samoa": "Американдық Самоа", - "An error occured while uploading the file.": "Файлды жүктеу кезінде қате пайда болды.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Андорра", - "Angola": "Ангола", - "Anguilla": "Ангилья", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Басқа Пайдаланушы осы бетті жүктеген сәттен бастап осы ресурсты жаңартты. Бетті жаңартып, қайталап көріңіз.", - "Antarctica": "Антарктида", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Антигуа және Барбуда", - "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 токендері үшінші тарап қызметтеріне Сіздің атыңыздан біздің бағдарламада аутентификациялауға мүмкіндік береді.", - "April": "Сәуір", - "Are you sure you want to delete the selected resources?": "Таңдалған ресурстарды жойғыңыз келетініне сенімдісіз бе?", - "Are you sure you want to delete this file?": "Сенімдісіз удалить этот файл?", - "Are you sure you want to delete this resource?": "Сіз бұл ресурсты жойғыңыз келетініне сенімдісіз бе?", - "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 detach the selected resources?": "Таңдалған ресурстарды ажыратқыңыз келетініне сенімдісіз бе?", - "Are you sure you want to detach this resource?": "Сенімдісіз ажырату бұл ресурс?", - "Are you sure you want to force delete the selected resources?": "Сіз таңдаған ресурстарды мәжбүрлеп жойғыңыз келетініне сенімдісіз бе?", - "Are you sure you want to force delete this resource?": "Сіз бұл ресурсты мәжбүрлеп жойғыңыз келетініне сенімдісіз бе?", - "Are you sure you want to restore the selected resources?": "Таңдалған ресурстарды қалпына келтіргіңіз келетініне сенімдісіз бе?", - "Are you sure you want to restore this resource?": "Сіз бұл ресурсты қалпына келтіргіңіз келетініне сенімдісіз бе?", - "Are you sure you want to run this action?": "Сенімдісіз іске қосу бұл іс-әрекет?", - "Are you sure you would like to delete this API token?": "Сіз бұл API таңбалауышын жойғыңыз келетініне сенімдісіз бе?", - "Are you sure you would like to leave this team?": "Сіз бұл командадан кеткіңіз келетініне сенімдісіз бе?", - "Are you sure you would like to remove this person from the team?": "Сіз бұл адамды командадан шығарғыңыз келетініне сенімдісіз бе?", - "Argentina": "Аргентина", - "Armenia": "Армения", - "Aruba": "Аруба", - "Attach": "Бекіту", - "Attach & Attach Another": "Тағы біреуін бекітіңіз және бекітіңіз", - "Attach :resource": "Бекіту :resource", - "August": "Тамыз", - "Australia": "Австралия", - "Austria": "Австрия", - "Azerbaijan": "Әзірбайжан", - "Bahamas": "Багам аралдары", - "Bahrain": "Бахрейн", - "Bangladesh": "Бангладеш", - "Barbados": "Барбадос", "Before proceeding, please check your email for a verification link.": "Жалғастырмас бұрын, электрондық поштадағы растау сілтемесін тексеріңіз.", - "Belarus": "Беларусь", - "Belgium": "Бельгия", - "Belize": "Белиз", - "Benin": "Бенин", - "Bermuda": "Бермуд аралдары", - "Bhutan": "Бутан", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Боливия", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sabbath", - "Bosnia And Herzegovina": "Босния және Герцеговина", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Ботсвана", - "Bouvet Island": "Буве Аралы", - "Brazil": "Бразилия", - "British Indian Ocean Territory": "Үнді Мұхитындағы Британдық аумақ", - "Browser Sessions": "Шолғыш сессиялары", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Болгария", - "Burkina Faso": "Буркина-Фасо", - "Burundi": "Бурунди", - "Cambodia": "Камбоджа", - "Cameroon": "Камерун", - "Canada": "Канада", - "Cancel": "Болдырмау", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Кабо-Верде", - "Card": "Карта", - "Cayman Islands": "Каймановы острова", - "Central African Republic": "Орталық Африка Республикасы", - "Chad": "Чад", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Өзгерістер", - "Chile": "Чили", - "China": "Қытай", - "Choose": "Таңдау", - "Choose :field": ":field таңдаңыз", - "Choose :resource": ":resource таңдаңыз", - "Choose an option": "Опцияны таңдаңыз", - "Choose date": "Күнді таңдаңыз", - "Choose File": "Файлды Таңдаңыз", - "Choose Type": "Түрін Таңдаңыз", - "Christmas Island": "Рождество Аралы", - "City": "City", "click here to request another": "қайта сұрау үшін мұнда басыңыз", - "Click to choose": "Таңдау үшін басыңыз", - "Close": "Жабу", - "Cocos (Keeling) Islands": "Кокос (Килинг) Аралдары", - "Code": "Код", - "Colombia": "Колумбия", - "Comoros": "Комор аралдары", - "Confirm": "Растау", - "Confirm Password": "Құпиясөзді растау", - "Confirm Payment": "Төлемді Растаңыз", - "Confirm your :amount payment": "Төлемді растаңыз :amount", - "Congo": "Конго", - "Congo, Democratic Republic": "Конго, Демократиялық Республикасы", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Тұрақты", - "Cook Islands": "Кук Аралдары", - "Costa Rica": "Коста-Рика", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "оны табу мүмкін болмады.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Құруға", - "Create & Add Another": "Тағы біреуін жасаңыз және қосыңыз", - "Create :resource": ":resource жасау", - "Create a new team to collaborate with others on projects.": "Жобалармен бірлесіп жұмыс істеу үшін жаңа топ құрыңыз.", - "Create Account": "тіркелгі жасау", - "Create API Token": "API токенін құру", - "Create New Team": "Жаңа Команда Құру", - "Create Team": "Команда құру", - "Created.": "Құрылған.", - "Croatia": "Хорватия", - "Cuba": "Куба", - "Curaçao": "Куракао", - "Current Password": "ағымдағы пароль", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Баптау", - "Cyprus": "Кипр", - "Czech Republic": "Чехия", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Бақылау тақтасы", - "December": "Желтоқсан", - "Decrease": "Кішірейту", - "Delete": "Өшіру", - "Delete Account": "Тіркелгіні жою", - "Delete API Token": "API маркерін жою", - "Delete File": "Файлды өшіру", - "Delete Resource": "Ресурсты өшіру", - "Delete Selected": "Жою Таңдалған", - "Delete Team": "Команданы өшіру", - "Denmark": "Дания", - "Detach": "Ажырату", - "Detach Resource": "Ресурсты ажырату", - "Detach Selected": "Таңдалғанды Ажырату", - "Details": "Толығырақ", - "Disable": "Өшіру", - "Djibouti": "Джибути", - "Do you really want to leave? You have unsaved changes.": "Сіз шынымен кеткіңіз келе ме? Сізде сақталмаған өзгерістер бар.", - "Dominica": "Жексенбі", - "Dominican Republic": "Доминикан Республикасы", - "Done.": "Жасалған.", - "Download": "Скачать", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-Mail мекенжайы", - "Ecuador": "Эквадор", - "Edit": "Редакциялау", - "Edit :resource": "Өңдеу :resource", - "Edit Attached": "Түзету Қоса Берілген", - "Editor": "Редактор", - "Editor users have the ability to read, create, and update.": "Редактордың пайдаланушылары оқу, жасау және жаңарту мүмкіндігіне ие.", - "Egypt": "Мысыр", - "El Salvador": "Құтқарушы", - "Email": "Электрондық пошта", - "Email Address": "электрондық пошта мекенжайы", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Электрондық пошта паролін қалпына келтіру сілтемесі", - "Enable": "Қосу", - "Ensure your account is using a long, random password to stay secure.": "Қауіпсіз болу үшін есептік жазбаңыз ұзақ кездейсоқ парольді қолданатындығына көз жеткізіңіз.", - "Equatorial Guinea": "Экваторлық Гвинея", - "Eritrea": "Эритрея", - "Estonia": "Эстония", - "Ethiopia": "Эфиопия", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Төлемді өңдеу үшін қосымша растау қажет. Төменде төлем деректемелерін толтыру арқылы өз төлеміңізді растауыңызды өтінеміз.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Төлемді өңдеу үшін қосымша растау қажет. Төмендегі батырманы басу арқылы төлем бетіне өтіңіз.", - "Falkland Islands (Malvinas)": "Фолклендские (Мальвинские) аралдары)", - "Faroe Islands": "Фарер аралдары", - "February": "Ақпан", - "Fiji": "Фиджи", - "Finland": "Финляндия", - "For your security, please confirm your password to continue.": "Қауіпсіздік үшін жалғастыру үшін құпия сөзді растаңыз.", "Forbidden": "Тыйым салынған", - "Force Delete": "Мәжбүрлеп алып тастау", - "Force Delete Resource": "Ресурсты мәжбүрлеп жою", - "Force Delete Selected": "Таңдалғанды Мәжбүрлеп Алып Тастау", - "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.": "Құпия сөзіңізді ұмыттыңыз ба? Жоқ. Бізге электрондық пошта мекенжайын хабарлаңыз, біз сізге жаңа таңдауға мүмкіндік беретін құпия сөзді қалпына келтіру сілтемесін жібереміз.", - "France": "Франция", - "French Guiana": "Француз Гвианасы", - "French Polynesia": "Француз Полинезиясы", - "French Southern Territories": "Францияның оңтүстік аумақтары", - "Full name": "Толық аты", - "Gabon": "Габон", - "Gambia": "Гамбия", - "Georgia": "Грузия", - "Germany": "Германия", - "Ghana": "Гана", - "Gibraltar": "Гибралтар", - "Go back": "Қайту", - "Go Home": "Үйге", "Go to page :page": ":page бетіне өтіңіз", - "Great! You have accepted the invitation to join the :team team.": "Өте жақсы! Сіз :team командасына қосылуға шақыруды қабылдадыңыз.", - "Greece": "Грекия", - "Greenland": "Гренландия", - "Grenada": "Гренада", - "Guadeloupe": "Гваделупа", - "Guam": "Гуам", - "Guatemala": "Гватемала", - "Guernsey": "Гернси", - "Guinea": "Гвинея", - "Guinea-Bissau": "Гвинея-Бисау", - "Guyana": "Гайана", - "Haiti": "Гаити", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Херд және Макдональд аралдары", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Сәлеметсіз бе!", - "Hide Content": "Мазмұнын жасыру", - "Hold Up!": "- Погоди!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Гондурас", - "Hong Kong": "Гонконг", - "Hungary": "Венгрия", - "I agree to the :terms_of_service and :privacy_policy": "Мен :terms_of_service және :privacy_policy-мен келісемін", - "Iceland": "Исландия", - "ID": "ИДЕНТИФИКАТОР", - "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 logout 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 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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Егер сізде \":actionText\" батырмасын басу кезінде ақаулықтар туындаса,\n мекенжайды көшіріңіз де, браузердің мекенжай жолына салыңыз:", - "Increase": "Ұлғайту", - "India": "Үндістан", - "Indonesia": "Индонезия", "Invalid signature.": "Қате қолтаңба.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Иран", - "Iraq": "Ирак", - "Ireland": "Ирландия", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Мэн Аралы", - "Israel": "Израиль", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Италия", - "Jamaica": "Ямайка", - "January": "Қаңтар", - "Japan": "Жапония", - "Jersey": "Джерси", - "Jordan": "Иордания", - "July": "Шілде", - "June": "Маусым", - "Kazakhstan": "Қазақстан", - "Kenya": "Кения", - "Key": "Кілт", - "Kiribati": "Кирибати", - "Korea": "Оңтүстік Корея", - "Korea, Democratic People's Republic of": "Солтүстік Корея", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Косово", - "Kuwait": "Кувейт", - "Kyrgyzstan": "Қырғызстан", - "Lao People's Democratic Republic": "Лаос", - "Last active": "Соңғы Белсенді", - "Last used": "Соңғы рет қолданылды", - "Latvia": "Латвия", - "Leave": "Покидать", - "Leave Team": "Командадан кету", - "Lebanon": "Ливан", - "Lens": "Объектив", - "Lesotho": "Лесото", - "Liberia": "Либерия", - "Libyan Arab Jamahiriya": "Ливия", - "Liechtenstein": "Лихтенштейн", - "Lithuania": "Литва", - "Load :perPage More": "Тағы :per бетті жүктеңіз", - "Log in": "Авторлану", "Log out": "Жүйеден шығу", - "Log Out": "жүйеден шығу", - "Log Out Other Browser Sessions": "Басқа Шолғыш Сеанстарынан Шығыңыз", - "Login": "Кіру", - "Logout": "Шығу", "Logout Other Browser Sessions": "Басқа Шолғыш Сеанстарынан Шығу", - "Luxembourg": "Luxembourg", - "Macao": "Макао", - "Macedonia": "Солтүстік Македония", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Мадагаскар", - "Malawi": "Малави", - "Malaysia": "Малайзия", - "Maldives": "Мальдив", - "Mali": "Кішкентай", - "Malta": "Мальта", - "Manage Account": "Есептік жазбаны басқару", - "Manage and log out your active sessions on other browsers and devices.": "Белсенді сеанстарды басқарыңыз және басқа шолғыштар мен құрылғылардан шығыңыз.", "Manage and logout your active sessions on other browsers and devices.": "Белсенді сеанстарды басқарыңыз және басқа шолғыштар мен құрылғылардан шығыңыз.", - "Manage API Tokens": "API токендерін басқару", - "Manage Role": "Рөлді басқару", - "Manage Team": "Команданы басқару", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Наурыз", - "Marshall Islands": "Маршалл аралдары", - "Martinique": "Мартиника", - "Mauritania": "Мавритания", - "Mauritius": "Маврикий", - "May": "Мамыр", - "Mayotte": "Майотт", - "Mexico": "Мексика", - "Micronesia, Federated States Of": "Микронезия", - "Moldova": "Молдова", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Монако", - "Mongolia": "Моңғолия", - "Montenegro": "Черногория", - "Month To Date": "Осы Уақытқа Дейін Бір Ай", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Монтсеррат", - "Morocco": "Марокко", - "Mozambique": "Мозамбик", - "Myanmar": "Мьянма", - "Name": "Аты", - "Namibia": "Намибия", - "Nauru": "Науру", - "Nepal": "Непал", - "Netherlands": "Нидерланды", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Бас тартпаңыз", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Жаңа", - "New :resource": "Жаңа :resource", - "New Caledonia": "Жаңа Каледония", - "New Password": "Жаңа пароль", - "New Zealand": "Жаңа Зеландия", - "Next": "Келесі", - "Nicaragua": "Никарагуа", - "Niger": "Нигер", - "Nigeria": "Нигерия", - "Niue": "Ниуэ", - "No": "Жоқ", - "No :resource matched the given criteria.": "Бірде-бір :resource белгіленген өлшемдерге сәйкес келмеді.", - "No additional information...": "Қосымша ақпарат жоқ...", - "No Current Data": "Ағымдағы Деректер Жоқ", - "No Data": "Деректер Жоқ", - "no file selected": "файл таңдалмады", - "No Increase": "Ешқандай Өсім Жоқ", - "No Prior Data": "Алдын Ала Деректер Жоқ", - "No Results Found.": "Ешқандай Нәтиже Табылған Жоқ.", - "Norfolk Island": "Норфолк Аралы", - "Northern Mariana Islands": "Солтүстік Мариан аралдары", - "Norway": "Норвегия", "Not Found": "Табылмады", - "Nova User": "Nova Пайдаланушысы", - "November": "Қараша", - "October": "Қазан", - "of": "от", "Oh no": "О жоқ", - "Oman": "Оман", - "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 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 Trashed": "Тек Жеңілді", - "Original": "Түпнұсқа", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Бет ескірген", "Pagination Navigation": "Навигация по страницам", - "Pakistan": "Пәкістан", - "Palau": "Палау", - "Palestinian Territory, Occupied": "Палестина аумақтары", - "Panama": "Панама", - "Papua New Guinea": "Папуа-Жаңа Гвинея", - "Paraguay": "Парагвай", - "Password": "Құпиясөз", - "Pay :amount": "Төлем :amount", - "Payment Cancelled": "Төлем Тоқтатылды", - "Payment Confirmation": "Төлемді растау", - "Payment Information": "Payment Information", - "Payment Successful": "Төлем Сәтті Өтті", - "Pending Team Invitations": "Команданың Шақыруын Күту", - "Per Page": "Бетке", - "Permanently delete this team.": "Бұл пәрменді біржола жойыңыз.", - "Permanently delete your account.": "Тіркелгіңізді біржола жойыңыз.", - "Permissions": "Рұқсаттар", - "Peru": "Перу", - "Philippines": "Филиппин", - "Photo": "Фотосурет", - "Pitcairn": "Питкэрн Аралдары", "Please click the button below to verify your email address.": "E-mail мекенжайыңызды растау үшін төмендегі батырманы басыңыз.", - "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 your password before continuing.": "Жалғастырмас бұрын құпиясөзіңізді растаңыз.", - "Please copy your new API token. For your security, it won't be shown again.": "Жаңа API таңбалауышын көшіріңіз. Сіздің қауіпсіздігіңіз үшін ол енді көрсетілмейді.", - "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 logout of your other browser sessions across all of your devices.": "Барлық құрылғылардағы басқа шолғыш сеанстарынан шыққыңыз келетінін растау үшін құпия сөзді енгізіңіз.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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. The email address must be associated with an existing account.": "Осы командаға қосқыңыз келетін адамның электрондық пошта мекенжайын көрсетіңіз. Электрондық пошта мекенжайы бар есептік жазбамен байланысты болуы керек.", - "Please provide your name.": "Өз атыңызды атаңыз.", - "Poland": "Польша", - "Portugal": "Португалия", - "Press \/ to search": "Іздеу үшін \/ түймесін басыңыз", - "Preview": "Алдын ала қарау", - "Previous": "Предыдущий", - "Privacy Policy": "құпиялылық саясаты", - "Profile": "Профиль", - "Profile Information": "Профиль туралы ақпарат", - "Puerto Rico": "Пуэрто-Рико", - "Qatar": "Qatar", - "Quarter To Date": "Осы Уақытқа Дейін Тоқсан", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Қалпына келтіру коды", "Regards": "Құрметпен", - "Regenerate Recovery Codes": "Қалпына келтіру кодтарын қалпына келтіру", - "Register": "Тіркеу", - "Reload": "Қайта жүктеу", - "Remember me": "Ұмытпа мені", - "Remember Me": "Мені есте сақтау", - "Remove": "Өшіру", - "Remove Photo": "Фотосуретті Өшіру", - "Remove Team Member": "Команда Мүшесін Өшіру", - "Resend Verification Email": "Тексеру Хатын Қайта Жіберу", - "Reset Filters": "Тастауға сүзгілер", - "Reset Password": "Құпиясөзді қалпына келтіру", - "Reset Password Notification": "Құпиясөзді қалпына келтіру туралы хабарландыру", - "resource": "ресурс", - "Resources": "Ресурстар", - "resources": "ресурстар", - "Restore": "Қалпына келтіру", - "Restore Resource": "Ресурсты қалпына келтіру", - "Restore Selected": "Таңдалғанды Қалпына Келтіру", "results": "нәтижелері", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Реюньон", - "Role": "Рөлі", - "Romania": "Румыния", - "Run Action": "Әрекетін орындау", - "Russian Federation": "Ресей Федерациясы", - "Rwanda": "Руанда", - "Réunion": "Réunion", - "Saint Barthelemy": "Сент-Бартоломей", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Әулие Елена Аралы", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "Сент-Китс және Невис", - "Saint Lucia": "Сент-Люсия", - "Saint Martin": "Сент-Мартин", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "Сен-Пьер және Микелон", - "Saint Vincent And Grenadines": "Сент-Винсент және Гренадин", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Самоа", - "San Marino": "Сан-Марино", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "Сан-Томе және Принсипи", - "Saudi Arabia": "Сауд Арабиясы", - "Save": "Сақтау", - "Saved.": "Сақталған.", - "Search": "Іздеу", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Жаңа Фотосуретті Таңдаңыз", - "Select Action": "Әрекетті Таңдаңыз", - "Select All": "Барлығын таңдау", - "Select All Matching": "Барлық Сәйкестіктерді Таңдаңыз", - "Send Password Reset Link": "Құпиясөзді қалпына келтіру сілтемесін жіберу", - "Senegal": "Сенегал", - "September": "Қыркүйек", - "Serbia": "Сербия", "Server Error": "Сервер қатесі", "Service Unavailable": "Қызмет қолжетімсіз", - "Seychelles": "Сейшел аралдары", - "Show All Fields": "Барлық Өрістерді Көрсету", - "Show Content": "Мазмұнын көрсету", - "Show Recovery Codes": "Қалпына Келтіру Кодтарын Көрсету", "Showing": "Көрсету", - "Sierra Leone": "Сьерра-Леоне", - "Signed in as": "Signed in as", - "Singapore": "Сингапур", - "Sint Maarten (Dutch part)": "Синт Мартин", - "Slovakia": "Словакия", - "Slovenia": "Словения", - "Solomon Islands": "Соломон аралдары", - "Somalia": "Сомали", - "Something went wrong.": "Бір нәрсе дұрыс болмады.", - "Sorry! You are not authorized to perform this action.": "Прости! Сіз орындауға уәкілеттік берілген бұл іс-әрекет.", - "Sorry, your session has expired.": "Кешіріңіз, сіздің сессияңыз аяқталды.", - "South Africa": "Оңтүстік Африка", - "South Georgia And Sandwich Isl.": "Южная георгия и Южные Сандвичевы острова", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Оңтүстік Судан", - "Spain": "Испания", - "Sri Lanka": "Шри-Ланка", - "Start Polling": "Сауалнаманы бастау", - "State \/ County": "State \/ County", - "Stop Polling": "Сауалнаманы тоқтату", - "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.": "Бұл қалпына келтіру кодтарын қауіпсіз пароль менеджерінде сақтаңыз. Егер сіздің екі факторлы аутентификация құрылғыңыз жоғалған болса, оларды есептік жазбаңызға кіруді қалпына келтіру үшін пайдалануға болады.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Судан", - "Suriname": "Суринам", - "Svalbard And Jan Mayen": "Шпицберген және Ян-Майен", - "Swaziland": "Eswatini", - "Sweden": "Швеция", - "Switch Teams": "Командаларды ауыстыру", - "Switzerland": "Швейцария", - "Syrian Arab Republic": "Сирия", - "Taiwan": "Тайвань", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Тәжікстан", - "Tanzania": "Танзания", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Команда туралы мәліметтер", - "Team Invitation": "Командаға шақыру", - "Team Members": "Команда мүшелері", - "Team Name": "Команда атауы", - "Team Owner": "Команда иесі", - "Team Settings": "Команда параметрлері", - "Terms of Service": "қызмет көрсету шарттары", - "Thailand": "Тайланд", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute нақты рөл болуы керек.", - "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 and 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 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 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.": ":attribute кемінде :length таңбадан тұруы керек.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource құрылды!", - "The :resource was deleted!": ":resource жойылды!", - "The :resource was restored!": ":resource-ші қалпына келтірілді!", - "The :resource was updated!": ":resource жаңартылды!", - "The action ran successfully!": "Акция сәтті өтті!", - "The file was deleted!": "Файл жойылды!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Үкімет Сізге осы есіктердің артында не тұрғанын көрсетуге мүмкіндік бермейді", - "The HasOne relationship has already been filled.": "HasOne қарым-қатынасы қазірдің өзінде аяқталды.", - "The payment was successful.": "Төлем сәтті өтті.", - "The provided coupon code is invalid.": "The provided coupon code is 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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Ресурс жаңартылды!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Команданың аты және иесі туралы ақпарат.", - "There are no available options for this resource.": "Бұл ресурс үшін қол жетімді опциялар жоқ.", - "There was a problem executing the action.": "Іс-әрекетті орындау мәселесі туындады.", - "There was a problem submitting the form.": "Нысанды беру мәселесі туындады.", - "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.": "Бұл адамдар сіздің командаңызға шақырылды және электронды пошта арқылы шақыру алды. Олар электрондық пошта арқылы шақыруды қабылдау арқылы командаға қосыла алады.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Авторизацияланбаған әрекет.", - "This device": "Бұл құрылғы", - "This file field is read-only.": "Бұл файл өрісі тек оқуға арналған.", - "This image": "Бұл образ", - "This is a secure area of the application. Please confirm your password before continuing.": "Бұл қауіпсіз қолдану аймағы. Жалғастырмас бұрын құпия сөзіңізді растаңыз.", - "This password does not match our records.": "Бұл пароль біздің жазбаларымызға сәйкес келмейді.", "This password reset link will expire in :count minutes.": "Құпия сөзді қалпына келтіру сілтемесінің қолданылу мерзімі :count минуттан кейін аяқталады.", - "This payment was already successfully confirmed.": "Бұл төлем сәтті расталды.", - "This payment was cancelled.": "Бұл төлем жойылды.", - "This resource no longer exists": "Бұл ресурс енді жоқ", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Бұл пайдаланушы командаға тиесілі.", - "This user has already been invited to the team.": "Бұл пайдаланушы командаға шақырылды.", - "Timor-Leste": "Тимор-Лести", "to": "к", - "Today": "Бүгін", "Toggle navigation": "Навигацияны ауыстыру", - "Togo": "Того", - "Tokelau": "Токелау", - "Token Name": "Аты көпсалалы колледждің", - "Tonga": "Келіңіздер", "Too Many Attempts.": "Тым көп әрекет.", "Too Many Requests": "Тым көп сұраулар", - "total": "бүкіл", - "Total:": "Total:", - "Trashed": "Разгромлен", - "Trinidad And Tobago": "Тринидад және Тобаго", - "Tunisia": "Тунис", - "Turkey": "Түйетауық", - "Turkmenistan": "Түрікменстан", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Теркс және Кайкос аралдары", - "Tuvalu": "Тувалу", - "Two Factor Authentication": "Екі факторлы аутентификация", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Енді екі факторлы аутентификация қосылды. Телефонның authenticator қосымшасын пайдаланып келесі QR кодын сканерлеңіз.", - "Uganda": "Уганда", - "Ukraine": "Украина", "Unauthorized": "Авторизацияланған жоқ", - "United Arab Emirates": "Біріккен Араб Әмірліктері", - "United Kingdom": "Біріккен Корольдік", - "United States": "Америка Құрама Штаттары", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "АҚШ-тың шалғай аралдары", - "Update": "Жаңарту", - "Update & Continue Editing": "Жаңарту және редакциялау", - "Update :resource": ":resource жаңарту", - "Update :resource: :title": ":resource жаңарту: :title", - "Update attached :resource: :title": "Жаңарту қоса беріледі :resource: :title", - "Update Password": "Құпиясөзді жаңарту", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Тіркелгі профилін және электрондық пошта мекенжайын жаңартыңыз.", - "Uruguay": "Уругвай", - "Use a recovery code": "Қалпына келтіру кодын пайдаланыңыз", - "Use an authentication code": "Аутентификация кодын пайдаланыңыз", - "Uzbekistan": "Өзбекстан", - "Value": "Құндылығы", - "Vanuatu": "Вануату", - "VAT Number": "VAT Number", - "Venezuela": "Венесуэла", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Email мекенжайды растау", "Verify Your Email Address": "Email мекенжайыңызды растаңыз", - "Viet Nam": "Vietnam", - "View": "Смотреть", - "Virgin Islands, British": "Британдық Виргин аралдары", - "Virgin Islands, U.S.": "АҚШ Виргин аралдары", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Уоллис және Футуна", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Біз осы электрондық пошта мекенжайы бар тіркелген пайдаланушыны таба алмадық.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Біз бірнеше сағат ішінде құпиясөзді қайта сұрамаймыз.", - "We're lost in space. The page you were trying to view does not exist.": "Біз ғарышта адасып кеттік. Сіз қарауға тырысқан бет жоқ.", - "Welcome Back!": "Қайтарумен!", - "Western Sahara": "Батыс Сахара", - "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 бағдарламасынан ала аласыз.", - "Whoops": "Упс", - "Whoops!": "Ойбай!", - "Whoops! Something went wrong.": "Упс! Бір нәрсе дұрыс болмады.", - "With Trashed": "Жеңіліспен", - "Write": "Жазу", - "Year To Date": "Осы Уақытқа Дейін Бір Жыл", - "Yearly": "Yearly", - "Yemen": "Йемен", - "Yes": "Иә", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Сіз жүйеге кірдіңіз!", - "You are receiving this email because we received a password reset request for your account.": "Тіркелгіңізге құпия сөзді қалпына келтіру туралы сұрау келіп түскесін, сіз бұл хатты алдыңыз.", - "You have been invited to join the :team team!": "Сізді :team командасына қосылуға шақырды!", - "You have enabled two factor authentication.": "Сіз екі факторлы аутентификацияны қостыңыз.", - "You have not enabled two factor authentication.": "Сіз не включили двухфакторную сәйкестендіру.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.": "Сіз жасаған командадан кете алмайсыз.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Сіздің email мекенжайыңыз расталмаған.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Замбия", - "Zimbabwe": "Зимбабве", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Сіздің email мекенжайыңыз расталмаған." } diff --git a/locales/kk/packages/cashier.json b/locales/kk/packages/cashier.json new file mode 100644 index 00000000000..c6fbba6157d --- /dev/null +++ b/locales/kk/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Барлық құқықтар қорғалған.", + "Card": "Карта", + "Confirm Payment": "Төлемді Растаңыз", + "Confirm your :amount payment": "Төлемді растаңыз :amount", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Төлемді өңдеу үшін қосымша растау қажет. Төменде төлем деректемелерін толтыру арқылы өз төлеміңізді растауыңызды өтінеміз.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Төлемді өңдеу үшін қосымша растау қажет. Төмендегі батырманы басу арқылы төлем бетіне өтіңіз.", + "Full name": "Толық аты", + "Go back": "Қайту", + "Jane Doe": "Jane Doe", + "Pay :amount": "Төлем :amount", + "Payment Cancelled": "Төлем Тоқтатылды", + "Payment Confirmation": "Төлемді растау", + "Payment Successful": "Төлем Сәтті Өтті", + "Please provide your name.": "Өз атыңызды атаңыз.", + "The payment was successful.": "Төлем сәтті өтті.", + "This payment was already successfully confirmed.": "Бұл төлем сәтті расталды.", + "This payment was cancelled.": "Бұл төлем жойылды." +} diff --git a/locales/kk/packages/fortify.json b/locales/kk/packages/fortify.json new file mode 100644 index 00000000000..032f74c73d2 --- /dev/null +++ b/locales/kk/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 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 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.": ":attribute кемінде :length таңбадан тұруы керек.", + "The provided password does not match your current password.": "Берілген пароль Сіздің ағымдағы құпия сөзіңізге сәйкес келмейді.", + "The provided password was incorrect.": "Берілген пароль дұрыс болмады.", + "The provided two factor authentication code was invalid.": "Берілген екі факторлы аутентификация коды жарамсыз болды." +} diff --git a/locales/kk/packages/jetstream.json b/locales/kk/packages/jetstream.json new file mode 100644 index 00000000000..76cf5da734b --- /dev/null +++ b/locales/kk/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Тіркеу кезінде сіз көрсеткен электрондық пошта мекенжайына Жаңа тексеру сілтемесі жіберілді.", + "Accept Invitation": "Шақыруды Қабылдау", + "Add": "Жалға,", + "Add a new team member to your team, allowing them to collaborate with you.": "Сіздің командаңызға жаңа топ мүшесін қосыңыз, сонда ол сізбен жұмыс істей алады.", + "Add additional security to your account using two factor authentication.": "Екі факторлы аутентификация арқылы есептік жазбаңызға қосымша қауіпсіздік қосыңыз.", + "Add Team Member": "Команда Мүшесін Қосу", + "Added.": "Қосылды.", + "Administrator": "Әкімші", + "Administrator users can perform any action.": "Әкімші пайдаланушылары кез-келген әрекетті орындай алады.", + "All of the people that are part of this team.": "Барлық адамдар бір бөлігі болып табылады бұл команда.", + "Already registered?": "Қазірдің өзінде тіркелген?", + "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 токендері үшінші тарап қызметтеріне Сіздің атыңыздан біздің бағдарламада аутентификациялауға мүмкіндік береді.", + "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 delete this API token?": "Сіз бұл API таңбалауышын жойғыңыз келетініне сенімдісіз бе?", + "Are you sure you would like to leave this team?": "Сіз бұл командадан кеткіңіз келетініне сенімдісіз бе?", + "Are you sure you would like to remove this person from the team?": "Сіз бұл адамды командадан шығарғыңыз келетініне сенімдісіз бе?", + "Browser Sessions": "Шолғыш сессиялары", + "Cancel": "Болдырмау", + "Close": "Жабу", + "Code": "Код", + "Confirm": "Растау", + "Confirm Password": "Құпиясөзді растау", + "Create": "Құруға", + "Create a new team to collaborate with others on projects.": "Жобалармен бірлесіп жұмыс істеу үшін жаңа топ құрыңыз.", + "Create Account": "тіркелгі жасау", + "Create API Token": "API токенін құру", + "Create New Team": "Жаңа Команда Құру", + "Create Team": "Команда құру", + "Created.": "Құрылған.", + "Current Password": "ағымдағы пароль", + "Dashboard": "Бақылау тақтасы", + "Delete": "Өшіру", + "Delete Account": "Тіркелгіні жою", + "Delete API Token": "API маркерін жою", + "Delete Team": "Команданы өшіру", + "Disable": "Өшіру", + "Done.": "Жасалған.", + "Editor": "Редактор", + "Editor users have the ability to read, create, and update.": "Редактордың пайдаланушылары оқу, жасау және жаңарту мүмкіндігіне ие.", + "Email": "Электрондық пошта", + "Email Password Reset Link": "Электрондық пошта паролін қалпына келтіру сілтемесі", + "Enable": "Қосу", + "Ensure your account is using a long, random password to stay secure.": "Қауіпсіз болу үшін есептік жазбаңыз ұзақ кездейсоқ парольді қолданатындығына көз жеткізіңіз.", + "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.": "Құпия сөзіңізді ұмыттыңыз ба? Жоқ. Бізге электрондық пошта мекенжайын хабарлаңыз, біз сізге жаңа таңдауға мүмкіндік беретін құпия сөзді қалпына келтіру сілтемесін жібереміз.", + "Great! You have accepted the invitation to join the :team team.": "Өте жақсы! Сіз :team командасына қосылуға шақыруды қабылдадыңыз.", + "I agree to the :terms_of_service and :privacy_policy": "Мен :terms_of_service және :privacy_policy-мен келісемін", + "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 you already have an account, you may accept this invitation by clicking the button below:": "Егер сізде тіркелгі болса, төмендегі батырманы басу арқылы осы шақыруды қабылдай аласыз:", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "Егер сізде тіркелгі болмаса, оны төмендегі батырманы басу арқылы жасай аласыз. Тіркелгіні жасағаннан кейін, шақыру пәрменін қабылдау үшін осы электрондық поштадағы шақыру түймесін басуға болады:", + "Last active": "Соңғы Белсенді", + "Last used": "Соңғы рет қолданылды", + "Leave": "Покидать", + "Leave Team": "Командадан кету", + "Log in": "Авторлану", + "Log Out": "жүйеден шығу", + "Log Out Other Browser Sessions": "Басқа Шолғыш Сеанстарынан Шығыңыз", + "Manage Account": "Есептік жазбаны басқару", + "Manage and log out your active sessions on other browsers and devices.": "Белсенді сеанстарды басқарыңыз және басқа шолғыштар мен құрылғылардан шығыңыз.", + "Manage API Tokens": "API токендерін басқару", + "Manage Role": "Рөлді басқару", + "Manage Team": "Команданы басқару", + "Name": "Аты", + "New Password": "Жаңа пароль", + "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 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.": "Есептік жазбаңыз жойылғаннан кейін оның барлық ресурстары мен деректері біржола жойылады. Есептік жазбаңызды жоймас бұрын, сақтағыңыз келетін кез келген деректерді немесе ақпаратты жүктеп алыңыз.", + "Password": "Құпиясөз", + "Pending Team Invitations": "Команданың Шақыруын Күту", + "Permanently delete this team.": "Бұл пәрменді біржола жойыңыз.", + "Permanently delete your account.": "Тіркелгіңізді біржола жойыңыз.", + "Permissions": "Рұқсаттар", + "Photo": "Фотосурет", + "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 copy your new API token. For your security, it won't be shown again.": "Жаңа API таңбалауышын көшіріңіз. Сіздің қауіпсіздігіңіз үшін ол енді көрсетілмейді.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Барлық құрылғылардағы басқа шолғыш сеанстарынан шыққыңыз келетінін растау үшін құпия сөзді енгізіңіз.", + "Please provide the email address of the person you would like to add to this team.": "Осы командаға қосқыңыз келетін адамның электрондық пошта мекенжайын көрсетіңіз.", + "Privacy Policy": "құпиялылық саясаты", + "Profile": "Профиль", + "Profile Information": "Профиль туралы ақпарат", + "Recovery Code": "Қалпына келтіру коды", + "Regenerate Recovery Codes": "Қалпына келтіру кодтарын қалпына келтіру", + "Register": "Тіркеу", + "Remember me": "Ұмытпа мені", + "Remove": "Өшіру", + "Remove Photo": "Фотосуретті Өшіру", + "Remove Team Member": "Команда Мүшесін Өшіру", + "Resend Verification Email": "Тексеру Хатын Қайта Жіберу", + "Reset Password": "Құпиясөзді қалпына келтіру", + "Role": "Рөлі", + "Save": "Сақтау", + "Saved.": "Сақталған.", + "Select A New Photo": "Жаңа Фотосуретті Таңдаңыз", + "Show Recovery Codes": "Қалпына Келтіру Кодтарын Көрсету", + "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.": "Бұл қалпына келтіру кодтарын қауіпсіз пароль менеджерінде сақтаңыз. Егер сіздің екі факторлы аутентификация құрылғыңыз жоғалған болса, оларды есептік жазбаңызға кіруді қалпына келтіру үшін пайдалануға болады.", + "Switch Teams": "Командаларды ауыстыру", + "Team Details": "Команда туралы мәліметтер", + "Team Invitation": "Командаға шақыру", + "Team Members": "Команда мүшелері", + "Team Name": "Команда атауы", + "Team Owner": "Команда иесі", + "Team Settings": "Команда параметрлері", + "Terms of Service": "қызмет көрсету шарттары", + "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 a valid role.": ":attribute нақты рөл болуы керек.", + "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 and 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 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 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.": ":attribute кемінде :length таңбадан тұруы керек.", + "The provided password does not match your current password.": "Берілген пароль Сіздің ағымдағы құпия сөзіңізге сәйкес келмейді.", + "The provided password was incorrect.": "Берілген пароль дұрыс болмады.", + "The provided two factor authentication code was invalid.": "Берілген екі факторлы аутентификация коды жарамсыз болды.", + "The team's name and owner information.": "Команданың аты және иесі туралы ақпарат.", + "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.": "Бұл адамдар сіздің командаңызға шақырылды және электронды пошта арқылы шақыру алды. Олар электрондық пошта арқылы шақыруды қабылдау арқылы командаға қосыла алады.", + "This device": "Бұл құрылғы", + "This is a secure area of the application. Please confirm your password before continuing.": "Бұл қауіпсіз қолдану аймағы. Жалғастырмас бұрын құпия сөзіңізді растаңыз.", + "This password does not match our records.": "Бұл пароль біздің жазбаларымызға сәйкес келмейді.", + "This user already belongs to the team.": "Бұл пайдаланушы командаға тиесілі.", + "This user has already been invited to the team.": "Бұл пайдаланушы командаға шақырылды.", + "Token Name": "Аты көпсалалы колледждің", + "Two Factor Authentication": "Екі факторлы аутентификация", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Енді екі факторлы аутентификация қосылды. Телефонның authenticator қосымшасын пайдаланып келесі QR кодын сканерлеңіз.", + "Update Password": "Құпиясөзді жаңарту", + "Update your account's profile information and email address.": "Тіркелгі профилін және электрондық пошта мекенжайын жаңартыңыз.", + "Use a recovery code": "Қалпына келтіру кодын пайдаланыңыз", + "Use an authentication code": "Аутентификация кодын пайдаланыңыз", + "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.": "Егер екі факторлы аутентификация қосылған болса, аутентификация кезінде сізден қауіпсіз кездейсоқ таңбалауышты енгізу сұралады. Сіз бұл таңбалауышты телефонның Google Authenticator бағдарламасынан ала аласыз.", + "Whoops! Something went wrong.": "Упс! Бір нәрсе дұрыс болмады.", + "You have been invited to join the :team team!": "Сізді :team командасына қосылуға шақырды!", + "You have enabled two factor authentication.": "Сіз екі факторлы аутентификацияны қостыңыз.", + "You have not enabled two factor authentication.": "Сіз не включили двухфакторную сәйкестендіру.", + "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.": "Сіз жасаған командадан кете алмайсыз." +} diff --git a/locales/kk/packages/nova.json b/locales/kk/packages/nova.json new file mode 100644 index 00000000000..c032bd07a4e --- /dev/null +++ b/locales/kk/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 күн", + "60 Days": "60 күн", + "90 Days": "90 күн", + ":amount Total": "Барлығы :amount", + ":resource Details": ":resource Толығырақ", + ":resource Details: :title": ":resource Толығырақ: :title", + "Action": "Әрекет", + "Action Happened At": "Оқиға Орын Алған", + "Action Initiated By": "Бастамашылық", + "Action Name": "Аты", + "Action Status": "Мәртебесі", + "Action Target": "Мақсаты", + "Actions": "Әрекеттер", + "Add row": "Жолды қосу", + "Afghanistan": "Ауғанстан", + "Aland Islands": "Аланд аралдары", + "Albania": "Албания", + "Algeria": "Алжир", + "All resources loaded.": "Барлық ресурстар жүктелген.", + "American Samoa": "Американдық Самоа", + "An error occured while uploading the file.": "Файлды жүктеу кезінде қате пайда болды.", + "Andorra": "Андорра", + "Angola": "Ангола", + "Anguilla": "Ангилья", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Басқа Пайдаланушы осы бетті жүктеген сәттен бастап осы ресурсты жаңартты. Бетті жаңартып, қайталап көріңіз.", + "Antarctica": "Антарктида", + "Antigua And Barbuda": "Антигуа және Барбуда", + "April": "Сәуір", + "Are you sure you want to delete the selected resources?": "Таңдалған ресурстарды жойғыңыз келетініне сенімдісіз бе?", + "Are you sure you want to delete this file?": "Сенімдісіз удалить этот файл?", + "Are you sure you want to delete this resource?": "Сіз бұл ресурсты жойғыңыз келетініне сенімдісіз бе?", + "Are you sure you want to detach the selected resources?": "Таңдалған ресурстарды ажыратқыңыз келетініне сенімдісіз бе?", + "Are you sure you want to detach this resource?": "Сенімдісіз ажырату бұл ресурс?", + "Are you sure you want to force delete the selected resources?": "Сіз таңдаған ресурстарды мәжбүрлеп жойғыңыз келетініне сенімдісіз бе?", + "Are you sure you want to force delete this resource?": "Сіз бұл ресурсты мәжбүрлеп жойғыңыз келетініне сенімдісіз бе?", + "Are you sure you want to restore the selected resources?": "Таңдалған ресурстарды қалпына келтіргіңіз келетініне сенімдісіз бе?", + "Are you sure you want to restore this resource?": "Сіз бұл ресурсты қалпына келтіргіңіз келетініне сенімдісіз бе?", + "Are you sure you want to run this action?": "Сенімдісіз іске қосу бұл іс-әрекет?", + "Argentina": "Аргентина", + "Armenia": "Армения", + "Aruba": "Аруба", + "Attach": "Бекіту", + "Attach & Attach Another": "Тағы біреуін бекітіңіз және бекітіңіз", + "Attach :resource": "Бекіту :resource", + "August": "Тамыз", + "Australia": "Австралия", + "Austria": "Австрия", + "Azerbaijan": "Әзірбайжан", + "Bahamas": "Багам аралдары", + "Bahrain": "Бахрейн", + "Bangladesh": "Бангладеш", + "Barbados": "Барбадос", + "Belarus": "Беларусь", + "Belgium": "Бельгия", + "Belize": "Белиз", + "Benin": "Бенин", + "Bermuda": "Бермуд аралдары", + "Bhutan": "Бутан", + "Bolivia": "Боливия", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sabbath", + "Bosnia And Herzegovina": "Босния және Герцеговина", + "Botswana": "Ботсвана", + "Bouvet Island": "Буве Аралы", + "Brazil": "Бразилия", + "British Indian Ocean Territory": "Үнді Мұхитындағы Британдық аумақ", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Болгария", + "Burkina Faso": "Буркина-Фасо", + "Burundi": "Бурунди", + "Cambodia": "Камбоджа", + "Cameroon": "Камерун", + "Canada": "Канада", + "Cancel": "Болдырмау", + "Cape Verde": "Кабо-Верде", + "Cayman Islands": "Каймановы острова", + "Central African Republic": "Орталық Африка Республикасы", + "Chad": "Чад", + "Changes": "Өзгерістер", + "Chile": "Чили", + "China": "Қытай", + "Choose": "Таңдау", + "Choose :field": ":field таңдаңыз", + "Choose :resource": ":resource таңдаңыз", + "Choose an option": "Опцияны таңдаңыз", + "Choose date": "Күнді таңдаңыз", + "Choose File": "Файлды Таңдаңыз", + "Choose Type": "Түрін Таңдаңыз", + "Christmas Island": "Рождество Аралы", + "Click to choose": "Таңдау үшін басыңыз", + "Cocos (Keeling) Islands": "Кокос (Килинг) Аралдары", + "Colombia": "Колумбия", + "Comoros": "Комор аралдары", + "Confirm Password": "Құпиясөзді растау", + "Congo": "Конго", + "Congo, Democratic Republic": "Конго, Демократиялық Республикасы", + "Constant": "Тұрақты", + "Cook Islands": "Кук Аралдары", + "Costa Rica": "Коста-Рика", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "оны табу мүмкін болмады.", + "Create": "Құруға", + "Create & Add Another": "Тағы біреуін жасаңыз және қосыңыз", + "Create :resource": ":resource жасау", + "Croatia": "Хорватия", + "Cuba": "Куба", + "Curaçao": "Куракао", + "Customize": "Баптау", + "Cyprus": "Кипр", + "Czech Republic": "Чехия", + "Dashboard": "Бақылау тақтасы", + "December": "Желтоқсан", + "Decrease": "Кішірейту", + "Delete": "Өшіру", + "Delete File": "Файлды өшіру", + "Delete Resource": "Ресурсты өшіру", + "Delete Selected": "Жою Таңдалған", + "Denmark": "Дания", + "Detach": "Ажырату", + "Detach Resource": "Ресурсты ажырату", + "Detach Selected": "Таңдалғанды Ажырату", + "Details": "Толығырақ", + "Djibouti": "Джибути", + "Do you really want to leave? You have unsaved changes.": "Сіз шынымен кеткіңіз келе ме? Сізде сақталмаған өзгерістер бар.", + "Dominica": "Жексенбі", + "Dominican Republic": "Доминикан Республикасы", + "Download": "Скачать", + "Ecuador": "Эквадор", + "Edit": "Редакциялау", + "Edit :resource": "Өңдеу :resource", + "Edit Attached": "Түзету Қоса Берілген", + "Egypt": "Мысыр", + "El Salvador": "Құтқарушы", + "Email Address": "электрондық пошта мекенжайы", + "Equatorial Guinea": "Экваторлық Гвинея", + "Eritrea": "Эритрея", + "Estonia": "Эстония", + "Ethiopia": "Эфиопия", + "Falkland Islands (Malvinas)": "Фолклендские (Мальвинские) аралдары)", + "Faroe Islands": "Фарер аралдары", + "February": "Ақпан", + "Fiji": "Фиджи", + "Finland": "Финляндия", + "Force Delete": "Мәжбүрлеп алып тастау", + "Force Delete Resource": "Ресурсты мәжбүрлеп жою", + "Force Delete Selected": "Таңдалғанды Мәжбүрлеп Алып Тастау", + "Forgot Your Password?": "Құпиясөзді ұмыттыңыз ба?", + "Forgot your password?": "Құпия сөзіңізді ұмыттыңыз ба?", + "France": "Франция", + "French Guiana": "Француз Гвианасы", + "French Polynesia": "Француз Полинезиясы", + "French Southern Territories": "Францияның оңтүстік аумақтары", + "Gabon": "Габон", + "Gambia": "Гамбия", + "Georgia": "Грузия", + "Germany": "Германия", + "Ghana": "Гана", + "Gibraltar": "Гибралтар", + "Go Home": "Үйге", + "Greece": "Грекия", + "Greenland": "Гренландия", + "Grenada": "Гренада", + "Guadeloupe": "Гваделупа", + "Guam": "Гуам", + "Guatemala": "Гватемала", + "Guernsey": "Гернси", + "Guinea": "Гвинея", + "Guinea-Bissau": "Гвинея-Бисау", + "Guyana": "Гайана", + "Haiti": "Гаити", + "Heard Island & Mcdonald Islands": "Херд және Макдональд аралдары", + "Hide Content": "Мазмұнын жасыру", + "Hold Up!": "- Погоди!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Гондурас", + "Hong Kong": "Гонконг", + "Hungary": "Венгрия", + "Iceland": "Исландия", + "ID": "ИДЕНТИФИКАТОР", + "If you did not request a password reset, no further action is required.": "Егер сіз құпиясөзді қалпына келтіруді сұрамасаңыз, онда ешқандай қосымша әрекет қажет емес.", + "Increase": "Ұлғайту", + "India": "Үндістан", + "Indonesia": "Индонезия", + "Iran, Islamic Republic Of": "Иран", + "Iraq": "Ирак", + "Ireland": "Ирландия", + "Isle Of Man": "Мэн Аралы", + "Israel": "Израиль", + "Italy": "Италия", + "Jamaica": "Ямайка", + "January": "Қаңтар", + "Japan": "Жапония", + "Jersey": "Джерси", + "Jordan": "Иордания", + "July": "Шілде", + "June": "Маусым", + "Kazakhstan": "Қазақстан", + "Kenya": "Кения", + "Key": "Кілт", + "Kiribati": "Кирибати", + "Korea": "Оңтүстік Корея", + "Korea, Democratic People's Republic of": "Солтүстік Корея", + "Kosovo": "Косово", + "Kuwait": "Кувейт", + "Kyrgyzstan": "Қырғызстан", + "Lao People's Democratic Republic": "Лаос", + "Latvia": "Латвия", + "Lebanon": "Ливан", + "Lens": "Объектив", + "Lesotho": "Лесото", + "Liberia": "Либерия", + "Libyan Arab Jamahiriya": "Ливия", + "Liechtenstein": "Лихтенштейн", + "Lithuania": "Литва", + "Load :perPage More": "Тағы :per бетті жүктеңіз", + "Login": "Кіру", + "Logout": "Шығу", + "Luxembourg": "Luxembourg", + "Macao": "Макао", + "Macedonia": "Солтүстік Македония", + "Madagascar": "Мадагаскар", + "Malawi": "Малави", + "Malaysia": "Малайзия", + "Maldives": "Мальдив", + "Mali": "Кішкентай", + "Malta": "Мальта", + "March": "Наурыз", + "Marshall Islands": "Маршалл аралдары", + "Martinique": "Мартиника", + "Mauritania": "Мавритания", + "Mauritius": "Маврикий", + "May": "Мамыр", + "Mayotte": "Майотт", + "Mexico": "Мексика", + "Micronesia, Federated States Of": "Микронезия", + "Moldova": "Молдова", + "Monaco": "Монако", + "Mongolia": "Моңғолия", + "Montenegro": "Черногория", + "Month To Date": "Осы Уақытқа Дейін Бір Ай", + "Montserrat": "Монтсеррат", + "Morocco": "Марокко", + "Mozambique": "Мозамбик", + "Myanmar": "Мьянма", + "Namibia": "Намибия", + "Nauru": "Науру", + "Nepal": "Непал", + "Netherlands": "Нидерланды", + "New": "Жаңа", + "New :resource": "Жаңа :resource", + "New Caledonia": "Жаңа Каледония", + "New Zealand": "Жаңа Зеландия", + "Next": "Келесі", + "Nicaragua": "Никарагуа", + "Niger": "Нигер", + "Nigeria": "Нигерия", + "Niue": "Ниуэ", + "No": "Жоқ", + "No :resource matched the given criteria.": "Бірде-бір :resource белгіленген өлшемдерге сәйкес келмеді.", + "No additional information...": "Қосымша ақпарат жоқ...", + "No Current Data": "Ағымдағы Деректер Жоқ", + "No Data": "Деректер Жоқ", + "no file selected": "файл таңдалмады", + "No Increase": "Ешқандай Өсім Жоқ", + "No Prior Data": "Алдын Ала Деректер Жоқ", + "No Results Found.": "Ешқандай Нәтиже Табылған Жоқ.", + "Norfolk Island": "Норфолк Аралы", + "Northern Mariana Islands": "Солтүстік Мариан аралдары", + "Norway": "Норвегия", + "Nova User": "Nova Пайдаланушысы", + "November": "Қараша", + "October": "Қазан", + "of": "от", + "Oman": "Оман", + "Only Trashed": "Тек Жеңілді", + "Original": "Түпнұсқа", + "Pakistan": "Пәкістан", + "Palau": "Палау", + "Palestinian Territory, Occupied": "Палестина аумақтары", + "Panama": "Панама", + "Papua New Guinea": "Папуа-Жаңа Гвинея", + "Paraguay": "Парагвай", + "Password": "Құпиясөз", + "Per Page": "Бетке", + "Peru": "Перу", + "Philippines": "Филиппин", + "Pitcairn": "Питкэрн Аралдары", + "Poland": "Польша", + "Portugal": "Португалия", + "Press \/ to search": "Іздеу үшін \/ түймесін басыңыз", + "Preview": "Алдын ала қарау", + "Previous": "Предыдущий", + "Puerto Rico": "Пуэрто-Рико", + "Qatar": "Qatar", + "Quarter To Date": "Осы Уақытқа Дейін Тоқсан", + "Reload": "Қайта жүктеу", + "Remember Me": "Мені есте сақтау", + "Reset Filters": "Тастауға сүзгілер", + "Reset Password": "Құпиясөзді қалпына келтіру", + "Reset Password Notification": "Құпиясөзді қалпына келтіру туралы хабарландыру", + "resource": "ресурс", + "Resources": "Ресурстар", + "resources": "ресурстар", + "Restore": "Қалпына келтіру", + "Restore Resource": "Ресурсты қалпына келтіру", + "Restore Selected": "Таңдалғанды Қалпына Келтіру", + "Reunion": "Реюньон", + "Romania": "Румыния", + "Run Action": "Әрекетін орындау", + "Russian Federation": "Ресей Федерациясы", + "Rwanda": "Руанда", + "Saint Barthelemy": "Сент-Бартоломей", + "Saint Helena": "Әулие Елена Аралы", + "Saint Kitts And Nevis": "Сент-Китс және Невис", + "Saint Lucia": "Сент-Люсия", + "Saint Martin": "Сент-Мартин", + "Saint Pierre And Miquelon": "Сен-Пьер және Микелон", + "Saint Vincent And Grenadines": "Сент-Винсент және Гренадин", + "Samoa": "Самоа", + "San Marino": "Сан-Марино", + "Sao Tome And Principe": "Сан-Томе және Принсипи", + "Saudi Arabia": "Сауд Арабиясы", + "Search": "Іздеу", + "Select Action": "Әрекетті Таңдаңыз", + "Select All": "Барлығын таңдау", + "Select All Matching": "Барлық Сәйкестіктерді Таңдаңыз", + "Send Password Reset Link": "Құпиясөзді қалпына келтіру сілтемесін жіберу", + "Senegal": "Сенегал", + "September": "Қыркүйек", + "Serbia": "Сербия", + "Seychelles": "Сейшел аралдары", + "Show All Fields": "Барлық Өрістерді Көрсету", + "Show Content": "Мазмұнын көрсету", + "Sierra Leone": "Сьерра-Леоне", + "Singapore": "Сингапур", + "Sint Maarten (Dutch part)": "Синт Мартин", + "Slovakia": "Словакия", + "Slovenia": "Словения", + "Solomon Islands": "Соломон аралдары", + "Somalia": "Сомали", + "Something went wrong.": "Бір нәрсе дұрыс болмады.", + "Sorry! You are not authorized to perform this action.": "Прости! Сіз орындауға уәкілеттік берілген бұл іс-әрекет.", + "Sorry, your session has expired.": "Кешіріңіз, сіздің сессияңыз аяқталды.", + "South Africa": "Оңтүстік Африка", + "South Georgia And Sandwich Isl.": "Южная георгия и Южные Сандвичевы острова", + "South Sudan": "Оңтүстік Судан", + "Spain": "Испания", + "Sri Lanka": "Шри-Ланка", + "Start Polling": "Сауалнаманы бастау", + "Stop Polling": "Сауалнаманы тоқтату", + "Sudan": "Судан", + "Suriname": "Суринам", + "Svalbard And Jan Mayen": "Шпицберген және Ян-Майен", + "Swaziland": "Eswatini", + "Sweden": "Швеция", + "Switzerland": "Швейцария", + "Syrian Arab Republic": "Сирия", + "Taiwan": "Тайвань", + "Tajikistan": "Тәжікстан", + "Tanzania": "Танзания", + "Thailand": "Тайланд", + "The :resource was created!": ":resource құрылды!", + "The :resource was deleted!": ":resource жойылды!", + "The :resource was restored!": ":resource-ші қалпына келтірілді!", + "The :resource was updated!": ":resource жаңартылды!", + "The action ran successfully!": "Акция сәтті өтті!", + "The file was deleted!": "Файл жойылды!", + "The government won't let us show you what's behind these doors": "Үкімет Сізге осы есіктердің артында не тұрғанын көрсетуге мүмкіндік бермейді", + "The HasOne relationship has already been filled.": "HasOne қарым-қатынасы қазірдің өзінде аяқталды.", + "The resource was updated!": "Ресурс жаңартылды!", + "There are no available options for this resource.": "Бұл ресурс үшін қол жетімді опциялар жоқ.", + "There was a problem executing the action.": "Іс-әрекетті орындау мәселесі туындады.", + "There was a problem submitting the form.": "Нысанды беру мәселесі туындады.", + "This file field is read-only.": "Бұл файл өрісі тек оқуға арналған.", + "This image": "Бұл образ", + "This resource no longer exists": "Бұл ресурс енді жоқ", + "Timor-Leste": "Тимор-Лести", + "Today": "Бүгін", + "Togo": "Того", + "Tokelau": "Токелау", + "Tonga": "Келіңіздер", + "total": "бүкіл", + "Trashed": "Разгромлен", + "Trinidad And Tobago": "Тринидад және Тобаго", + "Tunisia": "Тунис", + "Turkey": "Түйетауық", + "Turkmenistan": "Түрікменстан", + "Turks And Caicos Islands": "Теркс және Кайкос аралдары", + "Tuvalu": "Тувалу", + "Uganda": "Уганда", + "Ukraine": "Украина", + "United Arab Emirates": "Біріккен Араб Әмірліктері", + "United Kingdom": "Біріккен Корольдік", + "United States": "Америка Құрама Штаттары", + "United States Outlying Islands": "АҚШ-тың шалғай аралдары", + "Update": "Жаңарту", + "Update & Continue Editing": "Жаңарту және редакциялау", + "Update :resource": ":resource жаңарту", + "Update :resource: :title": ":resource жаңарту: :title", + "Update attached :resource: :title": "Жаңарту қоса беріледі :resource: :title", + "Uruguay": "Уругвай", + "Uzbekistan": "Өзбекстан", + "Value": "Құндылығы", + "Vanuatu": "Вануату", + "Venezuela": "Венесуэла", + "Viet Nam": "Vietnam", + "View": "Смотреть", + "Virgin Islands, British": "Британдық Виргин аралдары", + "Virgin Islands, U.S.": "АҚШ Виргин аралдары", + "Wallis And Futuna": "Уоллис және Футуна", + "We're lost in space. The page you were trying to view does not exist.": "Біз ғарышта адасып кеттік. Сіз қарауға тырысқан бет жоқ.", + "Welcome Back!": "Қайтарумен!", + "Western Sahara": "Батыс Сахара", + "Whoops": "Упс", + "Whoops!": "Ойбай!", + "With Trashed": "Жеңіліспен", + "Write": "Жазу", + "Year To Date": "Осы Уақытқа Дейін Бір Жыл", + "Yemen": "Йемен", + "Yes": "Иә", + "You are receiving this email because we received a password reset request for your account.": "Тіркелгіңізге құпия сөзді қалпына келтіру туралы сұрау келіп түскесін, сіз бұл хатты алдыңыз.", + "Zambia": "Замбия", + "Zimbabwe": "Зимбабве" +} diff --git a/locales/kk/packages/spark-paddle.json b/locales/kk/packages/spark-paddle.json new file mode 100644 index 00000000000..51b3e821a30 --- /dev/null +++ b/locales/kk/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "қызмет көрсету шарттары", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Упс! Бір нәрсе дұрыс болмады.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/kk/packages/spark-stripe.json b/locales/kk/packages/spark-stripe.json new file mode 100644 index 00000000000..11596eb9a84 --- /dev/null +++ b/locales/kk/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Ауғанстан", + "Albania": "Албания", + "Algeria": "Алжир", + "American Samoa": "Американдық Самоа", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Андорра", + "Angola": "Ангола", + "Anguilla": "Ангилья", + "Antarctica": "Антарктида", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Аргентина", + "Armenia": "Армения", + "Aruba": "Аруба", + "Australia": "Австралия", + "Austria": "Австрия", + "Azerbaijan": "Әзірбайжан", + "Bahamas": "Багам аралдары", + "Bahrain": "Бахрейн", + "Bangladesh": "Бангладеш", + "Barbados": "Барбадос", + "Belarus": "Беларусь", + "Belgium": "Бельгия", + "Belize": "Белиз", + "Benin": "Бенин", + "Bermuda": "Бермуд аралдары", + "Bhutan": "Бутан", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Ботсвана", + "Bouvet Island": "Буве Аралы", + "Brazil": "Бразилия", + "British Indian Ocean Territory": "Үнді Мұхитындағы Британдық аумақ", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Болгария", + "Burkina Faso": "Буркина-Фасо", + "Burundi": "Бурунди", + "Cambodia": "Камбоджа", + "Cameroon": "Камерун", + "Canada": "Канада", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Кабо-Верде", + "Card": "Карта", + "Cayman Islands": "Каймановы острова", + "Central African Republic": "Орталық Африка Республикасы", + "Chad": "Чад", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Чили", + "China": "Қытай", + "Christmas Island": "Рождество Аралы", + "City": "City", + "Cocos (Keeling) Islands": "Кокос (Килинг) Аралдары", + "Colombia": "Колумбия", + "Comoros": "Комор аралдары", + "Confirm Payment": "Төлемді Растаңыз", + "Confirm your :amount payment": "Төлемді растаңыз :amount", + "Congo": "Конго", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Кук Аралдары", + "Costa Rica": "Коста-Рика", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Хорватия", + "Cuba": "Куба", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Кипр", + "Czech Republic": "Чехия", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Дания", + "Djibouti": "Джибути", + "Dominica": "Жексенбі", + "Dominican Republic": "Доминикан Республикасы", + "Download Receipt": "Download Receipt", + "Ecuador": "Эквадор", + "Egypt": "Мысыр", + "El Salvador": "Құтқарушы", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Экваторлық Гвинея", + "Eritrea": "Эритрея", + "Estonia": "Эстония", + "Ethiopia": "Эфиопия", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Төлемді өңдеу үшін қосымша растау қажет. Төмендегі батырманы басу арқылы төлем бетіне өтіңіз.", + "Falkland Islands (Malvinas)": "Фолклендские (Мальвинские) аралдары)", + "Faroe Islands": "Фарер аралдары", + "Fiji": "Фиджи", + "Finland": "Финляндия", + "France": "Франция", + "French Guiana": "Француз Гвианасы", + "French Polynesia": "Француз Полинезиясы", + "French Southern Territories": "Францияның оңтүстік аумақтары", + "Gabon": "Габон", + "Gambia": "Гамбия", + "Georgia": "Грузия", + "Germany": "Германия", + "Ghana": "Гана", + "Gibraltar": "Гибралтар", + "Greece": "Грекия", + "Greenland": "Гренландия", + "Grenada": "Гренада", + "Guadeloupe": "Гваделупа", + "Guam": "Гуам", + "Guatemala": "Гватемала", + "Guernsey": "Гернси", + "Guinea": "Гвинея", + "Guinea-Bissau": "Гвинея-Бисау", + "Guyana": "Гайана", + "Haiti": "Гаити", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Гондурас", + "Hong Kong": "Гонконг", + "Hungary": "Венгрия", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Исландия", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Үндістан", + "Indonesia": "Индонезия", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Ирак", + "Ireland": "Ирландия", + "Isle of Man": "Isle of Man", + "Israel": "Израиль", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Италия", + "Jamaica": "Ямайка", + "Japan": "Жапония", + "Jersey": "Джерси", + "Jordan": "Иордания", + "Kazakhstan": "Қазақстан", + "Kenya": "Кения", + "Kiribati": "Кирибати", + "Korea, Democratic People's Republic of": "Солтүстік Корея", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Кувейт", + "Kyrgyzstan": "Қырғызстан", + "Lao People's Democratic Republic": "Лаос", + "Latvia": "Латвия", + "Lebanon": "Ливан", + "Lesotho": "Лесото", + "Liberia": "Либерия", + "Libyan Arab Jamahiriya": "Ливия", + "Liechtenstein": "Лихтенштейн", + "Lithuania": "Литва", + "Luxembourg": "Luxembourg", + "Macao": "Макао", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Мадагаскар", + "Malawi": "Малави", + "Malaysia": "Малайзия", + "Maldives": "Мальдив", + "Mali": "Кішкентай", + "Malta": "Мальта", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Маршалл аралдары", + "Martinique": "Мартиника", + "Mauritania": "Мавритания", + "Mauritius": "Маврикий", + "Mayotte": "Майотт", + "Mexico": "Мексика", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Монако", + "Mongolia": "Моңғолия", + "Montenegro": "Черногория", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Монтсеррат", + "Morocco": "Марокко", + "Mozambique": "Мозамбик", + "Myanmar": "Мьянма", + "Namibia": "Намибия", + "Nauru": "Науру", + "Nepal": "Непал", + "Netherlands": "Нидерланды", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Жаңа Каледония", + "New Zealand": "Жаңа Зеландия", + "Nicaragua": "Никарагуа", + "Niger": "Нигер", + "Nigeria": "Нигерия", + "Niue": "Ниуэ", + "Norfolk Island": "Норфолк Аралы", + "Northern Mariana Islands": "Солтүстік Мариан аралдары", + "Norway": "Норвегия", + "Oman": "Оман", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Пәкістан", + "Palau": "Палау", + "Palestinian Territory, Occupied": "Палестина аумақтары", + "Panama": "Панама", + "Papua New Guinea": "Папуа-Жаңа Гвинея", + "Paraguay": "Парагвай", + "Payment Information": "Payment Information", + "Peru": "Перу", + "Philippines": "Филиппин", + "Pitcairn": "Питкэрн Аралдары", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Польша", + "Portugal": "Португалия", + "Puerto Rico": "Пуэрто-Рико", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Румыния", + "Russian Federation": "Ресей Федерациясы", + "Rwanda": "Руанда", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Әулие Елена Аралы", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Сент-Люсия", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Самоа", + "San Marino": "Сан-Марино", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Сауд Арабиясы", + "Save": "Сақтау", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Сенегал", + "Serbia": "Сербия", + "Seychelles": "Сейшел аралдары", + "Sierra Leone": "Сьерра-Леоне", + "Signed in as": "Signed in as", + "Singapore": "Сингапур", + "Slovakia": "Словакия", + "Slovenia": "Словения", + "Solomon Islands": "Соломон аралдары", + "Somalia": "Сомали", + "South Africa": "Оңтүстік Африка", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Испания", + "Sri Lanka": "Шри-Ланка", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Судан", + "Suriname": "Суринам", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Швеция", + "Switzerland": "Швейцария", + "Syrian Arab Republic": "Сирия", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Тәжікстан", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "қызмет көрсету шарттары", + "Thailand": "Тайланд", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Тимор-Лести", + "Togo": "Того", + "Tokelau": "Токелау", + "Tonga": "Келіңіздер", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Тунис", + "Turkey": "Түйетауық", + "Turkmenistan": "Түрікменстан", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Тувалу", + "Uganda": "Уганда", + "Ukraine": "Украина", + "United Arab Emirates": "Біріккен Араб Әмірліктері", + "United Kingdom": "Біріккен Корольдік", + "United States": "Америка Құрама Штаттары", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Жаңарту", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Уругвай", + "Uzbekistan": "Өзбекстан", + "Vanuatu": "Вануату", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Британдық Виргин аралдары", + "Virgin Islands, U.S.": "АҚШ Виргин аралдары", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Батыс Сахара", + "Whoops! Something went wrong.": "Упс! Бір нәрсе дұрыс болмады.", + "Yearly": "Yearly", + "Yemen": "Йемен", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Замбия", + "Zimbabwe": "Зимбабве", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/km/km.json b/locales/km/km.json index e6b6ff2fa78..23cfc00e4d5 100644 --- a/locales/km/km.json +++ b/locales/km/km.json @@ -1,710 +1,48 @@ { - "30 Days": "៣០ ថ្ងៃ", - "60 Days": "៦០ ថ្ងៃ", - "90 Days": "៩០ ថ្ងៃ", - ":amount Total": "សរុប :amount", - ":days day trial": ":days day trial", - ":resource Details": ":resource លម្អិត", - ":resource Details: :title": ":resource លម្អិត::title", "A fresh verification link has been sent to your email address.": "តំណផ្ទៀងផ្ទាត់ថ្មីត្រូវបានផ្ញើទៅអ៊ីម៉ែល។", - "A new verification link has been sent to the email address you provided during registration.": "តំណផ្ទៀងផ្ទាត់ថ្មីត្រូវបានផ្ញើទៅកាន់អ៊ីម៉ែលអាស័យដ្ឋានអ្នកផ្តល់ក្នុងអំឡុងការចុះឈ្មោះ។", - "Accept Invitation": "ទទួលយកការអញ្ជើញ", - "Action": "សកម្មភាព", - "Action Happened At": "កើតឡើងនៅ", - "Action Initiated By": "ផ្តួចផ្តើមដោយ", - "Action Name": "ឈ្មោះ", - "Action Status": "ស្ថានភាព", - "Action Target": "គោលដៅ", - "Actions": "សកម្មភាព", - "Add": "បន្ថែម", - "Add a new team member to your team, allowing them to collaborate with you.": "បន្ថែមសមាជិកក្រុមមួយ អនុញ្ញាតឱ្យពួកគេដើម្បីសហការជាមួយនឹងអ្នក។", - "Add additional security to your account using two factor authentication.": "បន្ថែមសន្ដិសុខរបស់គណនីប្រើប្រាស់ពីរកត្តាផ្ទៀងផ្ទាត់។", - "Add row": "បន្ថែមជួរដេក", - "Add Team Member": "បន្ថែមសមាជិក", - "Add VAT Number": "Add VAT Number", - "Added.": "បានបន្ថែម។", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "គ្រប់គ្រង", - "Administrator users can perform any action.": "គ្រប់គ្រងអ្នកប្រើប្រាស់អាចអនុវត្តសកម្មភាពណាមួយ។", - "Afghanistan": "អាហ្វហ្គានីស្ថាន", - "Aland Islands": "Aland Islands", - "Albania": "អាល់បានី", - "Algeria": "អាល់ហ្សេរី", - "All of the people that are part of this team.": "មនុស្សទាំងអស់ដែលនៅក្នុងក្រុមនេះ។", - "All resources loaded.": "ទិន្នន័យទាំងអស់ត្រូវបានផ្ទុក។", - "All rights reserved.": "រក្សាសិទ្ធិគ្រប់យ៉ាង។", - "Already registered?": "បានចុះឈ្មោះរួចហើយ?", - "American Samoa": "សាម័រ អាមេរិកាំង", - "An error occured while uploading the file.": "កំហុសមួយកើតឡើងខណៈពេលផ្ទុកឯកសារ។", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "អង់ដូរ៉ា", - "Angola": "អង់ហ្គោឡា", - "Anguilla": "អង់ហ្គីឡា", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "ទិន្នន័យនេះត្រូវបានផ្លាស់ប្តូរ។ សូមធ្វើឱ្យការដោនឡូតទំព័រនេះ និងព្យាយាមម្តងទៀត។", - "Antarctica": "អង់តាក់ទិក", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "អង់ទីកានិងបាប៊ូដា", - "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 ដែលអនុញ្ញាតភាគីទីបីនៃសេវាកម្មដើម្បីផ្ទៀងផ្ទាត់ជាមួយនឹងកម្មវិធីរបស់យើងលើនាមរបស់អ្នក។", - "April": "ខែមេសា", - "Are you sure you want to delete the selected resources?": "តើអ្នកប្រាកដថាអ្នកចង់លុបទិន្នន័យដែលបានជ្រើសរើសឬទេ?", - "Are you sure you want to delete this file?": "តើអ្នកប្រាកដថាអ្នកចង់លុបឯកសារនេះ?", - "Are you sure you want to delete this resource?": "តើអ្នកប្រាកដថាអ្នកចង់លុបទិន្នន័យនេះ?", - "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 detach the selected resources?": "តើអ្នកប្រាកដថាអ្នកចង់ដើម្បីផ្ដាច់ការបានជ្រើសទិន្នន័យ?", - "Are you sure you want to detach this resource?": "តើអ្នកប្រាកដថាអ្នកចង់ដើម្បីផ្ដាច់ទិន្នន័យនេះ?", - "Are you sure you want to force delete the selected resources?": "តើអ្នកប្រាកដថាអ្នកចង់ដើម្បីបង្ខំឱ្យលុបការបានជ្រើសទិន្នន័យ?", - "Are you sure you want to force delete this resource?": "តើអ្នកប្រាកដថាអ្នកចង់ដើម្បីបង្ខំឱ្យលុបទិន្នន័យនេះ?", - "Are you sure you want to restore the selected resources?": "តើអ្នកប្រាកដថាអ្នកចង់ដើម្បីស្តារការបានជ្រើសទិន្នន័យ?", - "Are you sure you want to restore this resource?": "តើអ្នកប្រាកដថាអ្នកចង់ដើម្បីស្តារទិន្នន័យនេះ?", - "Are you sure you want to run this action?": "តើអ្នកប្រាកដថាអ្នកចង់ដំណើរការសកម្មភាពនេះ?", - "Are you sure you would like to delete this API token?": "តើអ្នកប្រាកដថាអ្នកចង់លុប API token ដែរឬទេ?", - "Are you sure you would like to leave this team?": "តើអ្នកប្រាកដថាអ្នកចង់ចាកចេញក្រុមនេះ?", - "Are you sure you would like to remove this person from the team?": "តើអ្នកប្រាកដថាអ្នកចង់យកមនុស្សម្នាក់ពីក្រុមនេះ?", - "Argentina": "អាហ្សង់ទីន", - "Armenia": "អាមេនី", - "Aruba": "អារូបា", - "Attach": "ភ្ជាប់", - "Attach & Attach Another": "ភ្ជាប់ និងភ្ជាប់ផ្សេងទៀត", - "Attach :resource": "ភ្ជាប់ :resource", - "August": "ខែសីហា", - "Australia": "អូស្ត្រាលី", - "Austria": "អូទ្រីស", - "Azerbaijan": "អាស៊ែបៃហ្សង់", - "Bahamas": "បាហាម៉ា", - "Bahrain": "បារ៉ែន", - "Bangladesh": "បង់ក្លាដែស", - "Barbados": "បាបាដុស", "Before proceeding, please check your email for a verification link.": "មុនពេលដំណើរការសូមពិនិត្យមើលអ៊ីម៉ែលរបស់អ្នកសម្រាប់ការផ្ទៀងតំណ។", - "Belarus": "បេឡារុស", - "Belgium": "បែលហ្ស៊ិក", - "Belize": "បេលី", - "Benin": "បេណាំង", - "Bermuda": "ប៊ឺមុយដា", - "Bhutan": "ប៊ូតង់", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "បូលីវី", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "ហូឡង់ ការ៉ាប៊ីន", - "Bosnia And Herzegovina": "បូស្ន៊ីនិងហឺហ្ស៊េ", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "បុតស្វាណា", - "Bouvet Island": "កោះ​ប៊ូវ៉េត", - "Brazil": "ប្រេស៊ីល", - "British Indian Ocean Territory": "ដែនដី​អង់គ្លេស​នៅ​មហា​សមុទ្រ​ឥណ្ឌា", - "Browser Sessions": "កម្មវិធីរុម័យ", - "Brunei Darussalam": "ព្រុយណេ", - "Bulgaria": "ប៊ុលហ្គារី", - "Burkina Faso": "បួគីណាហ្វាសូ", - "Burundi": "ប៊ូរុនឌី", - "Cambodia": "កម្ពុជា", - "Cameroon": "កាមេរូន", - "Canada": "កាណាដា", - "Cancel": "បោះបង់", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "ជ្រោយវែរ", - "Card": "កាត", - "Cayman Islands": "កោះ​កៃម៉ង់", - "Central African Republic": "សាធារណរដ្ឋអាហ្វ្រិកកណ្ដាល", - "Chad": "ឆាដ", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "ផ្លាស់ប្តូរ", - "Chile": "ស៊ីលី", - "China": "ចិន", - "Choose": "ជ្រើសរើស", - "Choose :field": "ជ្រើសរើស :field", - "Choose :resource": "ជ្រើសរើស :resource", - "Choose an option": "ជ្រើសជម្រើសមួយ", - "Choose date": "ជ្រើសរើសកាលបរិច្ឆេទ", - "Choose File": "ជ្រើសឯកសារ", - "Choose Type": "ជ្រើសប្រភេទ", - "Christmas Island": "កោះ​គ្រីស្មាស", - "City": "City", "click here to request another": "សូមចុចនៅទីនេះដើម្បីស្នើសុំផ្សេងទៀត", - "Click to choose": "ចុចដើម្បីជ្រើសរើស", - "Close": "បិទ", - "Cocos (Keeling) Islands": "កោះ​កូកូស (គីលីង)", - "Code": "លេខកូដ", - "Colombia": "កូឡុំប៊ី", - "Comoros": "កូម័រ", - "Confirm": "បញ្ជាក់", - "Confirm Password": "បញ្ជាក់ពាក្យសម្ងាត់", - "Confirm Payment": "បញ្ជាក់ការទូទាត់", - "Confirm your :amount payment": "បញ្ជាក់ការទូទាត់របស់អ្នកចំនួន :amount ", - "Congo": "កុងហ្គោ - ប្រាហ្សាវីល", - "Congo, Democratic Republic": "ហ្គោ,រដ្ឋ", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "ថេរ", - "Cook Islands": "កោះ​ខូក", - "Costa Rica": "កូស្តារីកា", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "មិនត្រូវបានរកឃើញ។", - "Country": "Country", - "Coupon": "Coupon", - "Create": "បង្កើត", - "Create & Add Another": "បង្កើត និងបន្ថែមទៀត", - "Create :resource": "បង្កើត :resource", - "Create a new team to collaborate with others on projects.": "បង្កើតក្រុមថ្មីមួយដើម្បីសហការជាមួយអ្នកផ្សេងលើគម្រោង។", - "Create Account": "បង្កើតគណនី", - "Create API Token": "បង្កើត API Token", - "Create New Team": "បង្កើតក្រុមថ្មី", - "Create Team": "បង្កើតក្រុម", - "Created.": "បានបង្កើត។", - "Croatia": "ក្រូអាស៊ី", - "Cuba": "គុយបា", - "Curaçao": "កូរ៉ាកៅ", - "Current Password": "ពាក្យសម្ងាត់បច្ចុប្បន្ន", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "ប្ដូរ", - "Cyprus": "ស៊ីប", - "Czech Republic": "ឆែគា", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "ប្លូ", - "December": "ខែធ្នូ", - "Decrease": "ថយចុះ", - "Delete": "លុប", - "Delete Account": "លុបគណនី", - "Delete API Token": "លុប API Token", - "Delete File": "លុបឯកសារ", - "Delete Resource": "លុបទិន្នន័យ", - "Delete Selected": "លុបបានជ្រើស", - "Delete Team": "លុបក្រុម", - "Denmark": "ដាណឺម៉ាក", - "Detach": "ផ្ដាច់", - "Detach Resource": "ផ្ដាច់ទិន្នន័យ", - "Detach Selected": "ផ្ដាច់បានជ្រើស", - "Details": "លម្អិត", - "Disable": "បិទ", - "Djibouti": "ជីប៊ូទី", - "Do you really want to leave? You have unsaved changes.": "តើអ្នកពិតជាចង់ចាកចេញ? អ្នកមានការផ្លាស់ប្តូរមិនទាន់រក្សាទុក។", - "Dominica": "ដូមីនីក", - "Dominican Republic": "សាធារណរដ្ឋ​ដូមីនីក", - "Done.": "បានធ្វើ។", - "Download": "ទាញយក", - "Download Receipt": "Download Receipt", "E-Mail Address": "អាស័យដ្ឋានអ៊ីម៉ែល", - "Ecuador": "អេក្វាទ័រ", - "Edit": "កែសម្រួល", - "Edit :resource": "កែសម្រួល :resource", - "Edit Attached": "កែសម្រួលបានភ្ជាប់", - "Editor": "អ្នកនិពន្ធ", - "Editor users have the ability to read, create, and update.": "អ្នកនិពន្ធប្រើប្រាស់មានសមត្ថភាពក្នុងការមើល, បង្កើត,និងកែប្រែ។", - "Egypt": "អេហ្ស៊ីប", - "El Salvador": "អែលសាល់វ៉ាឌ័រ", - "Email": "អ៊ីម៉ែល", - "Email Address": "អាស័យដ្ឋានអ៊ីម៉ែល", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "អ៊ីម៉ែលពាក្យសម្ងាត់កំណត់តំណភ្ជាប់", - "Enable": "អនុញ្ញាត", - "Ensure your account is using a long, random password to stay secure.": "ធានារបស់គណនីត្រូវបានប្រើជាយូរ​ សូមប្រើប្រាស់បង្កើតដោយចៃដន្យដើម្យីសុវត្ថិភាព។", - "Equatorial Guinea": "ហ្គីណេអេក្វាទ័រ", - "Eritrea": "អេរីត្រេ", - "Estonia": "អេស្តូនី", - "Ethiopia": "អេត្យូពី", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "បញ្ជាក់បន្ថែមគឺត្រូវការដើម្បីដំណើរការការទូទាត់របស់អ្នក។ សូមបញ្ជាក់ការទូទាត់របស់អ្នកដោយការបំពេញព័ត៍មានលម្អិតខាងក្រោម។", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "បញ្ជាក់បន្ថែមគឺត្រូវការដើម្បីដំណើរការការទូទាត់របស់អ្នក។ សូមបន្តការទូទាត់ទំព័រដោយចុចលើប៊ូតុងខាងក្រោម។", - "Falkland Islands (Malvinas)": "កោះ​ហ្វក់ឡែន", - "Faroe Islands": "កោះ​ហ្វារ៉ូ", - "February": "ខែកុម្ភៈ", - "Fiji": "ហ្វីជី", - "Finland": "ហ្វាំងឡង់", - "For your security, please confirm your password to continue.": "សម្រាប់សន្តិសុខរបស់អ្នក សូមបញ្ជាក់ពាក្យសម្ងាត់ដើម្បីបន្ត។", "Forbidden": "ហាមឃាត់", - "Force Delete": "លុបជារៀងរហូត", - "Force Delete Resource": "លុបទិន្នន័យជារៀងរហូត", - "Force Delete Selected": "លុបជ្រើសរើសជារៀងរហូត", - "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.": "ភ្លេចពាក្យសម្ងាត់របស់អ្នក? គ្មានបញ្ហា។ គ្រាន់តែអនុញ្ញាតឱ្យយើងដឹងរបស់អ្នកអ៊ីម៉ែលដ្ឋានហើយយើងនឹងអ៊ីម៉ែលអ្នកការពាក្យសម្ងាត់កំណត់តំណដែលនឹងអនុញ្ញាតឱ្យអ្នកជ្រើសរើសពាក្យសម្ងាត់ថ្មីមួយ។", - "France": "បារាំង", - "French Guiana": "ហ្គីអាណា បារាំង", - "French Polynesia": "ប៉ូលី​ណេស៊ី​បារាំង", - "French Southern Territories": "ដែនដី​បារាំង​នៅ​ភាគខាងត្បូង", - "Full name": "ឈ្មោះពេញ", - "Gabon": "ហ្គាបុង", - "Gambia": "ហ្គំប៊ី", - "Georgia": "ហ្សកហ្ស៊ី", - "Germany": "អាល្លឺម៉ង់", - "Ghana": "ហ្គាណា", - "Gibraltar": "ហ្ស៊ីប្រាល់តា", - "Go back": "ត្រឡប់ទៅ", - "Go Home": "ចូលទៅទំព័រដើម", "Go to page :page": "ចូលទៅទំព័រ :page", - "Great! You have accepted the invitation to join the :team team.": "អស្ចារ្យ! អ្នកបានទទួលការអញ្ជើញចូលរួម :team ក្រុម។", - "Greece": "ក្រិក", - "Greenland": "ហ្គ្រោអង់ឡង់", - "Grenada": "ហ្គ្រើណាដ", - "Guadeloupe": "ហ្គោដឺឡុប", - "Guam": "ហ្គាំ", - "Guatemala": "ក្វាតេម៉ាឡា", - "Guernsey": "ហ្គេនស៊ី", - "Guinea": "ហ្គីណេ", - "Guinea-Bissau": "ហ្គីណេប៊ីស្សូ", - "Guyana": "ហ្គីយ៉ាន", - "Haiti": "ហៃទី", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "កោះអ៊ែដនិង", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "ជំរាបសួរ!", - "Hide Content": "លាក់មាតិកា", - "Hold Up!": "កាន់ឡើង!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "ហុងឌូរ៉ាស", - "Hong Kong": "ហុងកុង", - "Hungary": "ហុងគ្រី", - "I agree to the :terms_of_service and :privacy_policy": "ខ្ញុំយល់ស្របទៅ :terms_of_service និង :privacy_policy", - "Iceland": "អ៊ីស្លង់", - "ID": "លេខសម្គាល់", - "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 logout 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 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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "ប្រសិនបើអ្នកកំពុងមានបញ្ហាចុច\":actionText\"ប៊ូតុង,ចម្លងនិងបិទភ្ជាប់ URL ខាងក្រោម\nចូលទៅក្នុងបណ្ដាញរុករក:", - "Increase": "កើនឡើង", - "India": "ឥណ្ឌា", - "Indonesia": "ឥណ្ឌូណេស៊ី", "Invalid signature.": "ហត្ថលេខាមិនត្រឹមត្រូវ។", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "រ៉ង់", - "Iraq": "អ៊ីរ៉ាក់", - "Ireland": "អៀរឡង់", - "Isle of Man": "Isle of Man", - "Isle Of Man": "ល្បែង", - "Israel": "អ៊ីស្រាអែល", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "អ៊ីតាលី", - "Jamaica": "ហ្សាម៉ាអ៊ីក", - "January": "ខែមករា", - "Japan": "ជប៉ុន", - "Jersey": "ជឺស៊ី", - "Jordan": "ហ៊្សកដានី", - "July": "ខែកក្កដា", - "June": "ខែមិថុនា", - "Kazakhstan": "កាហ្សាក់ស្ថាន", - "Kenya": "កេនយ៉ា", - "Key": "គន្លឹះ", - "Kiribati": "គិរីបាទី", - "Korea": "រ៉េខាងត្បូង", - "Korea, Democratic People's Republic of": "រ៉េខាងជើង", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "សូវ៉ូ", - "Kuwait": "កូវ៉ែត", - "Kyrgyzstan": "កៀហ្ស៊ីស៊ីស្ថាន", - "Lao People's Democratic Republic": "ឡាវ", - "Last active": "ចុងក្រោយកម្ម", - "Last used": "ប្រើចុងក្រោយ", - "Latvia": "ឡេតូនី", - "Leave": "ចាកចេញ", - "Leave Team": "ចាកចេញពីក្រុម", - "Lebanon": "លីបង់", - "Lens": "កែវ", - "Lesotho": "ឡេសូតូ", - "Liberia": "លីបេរីយ៉ា", - "Libyan Arab Jamahiriya": "លីប៊ី", - "Liechtenstein": "លិចតិនស្ដាញ", - "Lithuania": "លីទុយអានី", - "Load :perPage More": "ផ្ទុក :perPage ច្រើនទៀត", - "Log in": "ចូល", "Log out": "ចាកចេញ", - "Log Out": "ចាកចេញ", - "Log Out Other Browser Sessions": "ចាកចេញឧបករណ៍ផ្សេងទៀត", - "Login": "ចូល", - "Logout": "ចាកចេញ", "Logout Other Browser Sessions": "ចាកចេញឧបករណ៍ផ្សេងទៀត", - "Luxembourg": "លុចសំបួ", - "Macao": "ម៉ាកាវ តំបន់រដ្ឋបាលពិសេសចិន", - "Macedonia": "ខាងជើងម៉ា", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "ម៉ាដាហ្គាស្កា", - "Malawi": "ម៉ាឡាវី", - "Malaysia": "ម៉ាឡេស៊ី", - "Maldives": "ម៉ាល់ឌីវ", - "Mali": "ម៉ាលី", - "Malta": "ម៉ាល់ត៍", - "Manage Account": "គ្រប់គ្រងគណនី", - "Manage and log out your active sessions on other browsers and devices.": "គ្រប់គ្រងនិងចាកចេញឧបករណ៍ផ្សេងទៀត។", "Manage and logout your active sessions on other browsers and devices.": "គ្រប់គ្រងនិងចាកចេញឧបករណ៍ផ្សេងទៀត។", - "Manage API Tokens": "គ្រប់គ្រង API Tokens", - "Manage Role": "គ្រប់គ្រងតួនាទី", - "Manage Team": "គ្រប់គ្រងក្រុម", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "ខែមីនា", - "Marshall Islands": "កោះ​ម៉ាស់សល", - "Martinique": "ម៉ាទីនីក", - "Mauritania": "ម៉ូរីតានី", - "Mauritius": "ម៉ូរីស", - "May": "ខែឧសភា", - "Mayotte": "ម៉ាយុត", - "Mexico": "ម៉ិកស៊ិក", - "Micronesia, Federated States Of": "ទៀ", - "Moldova": "‧;", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "ម៉ូណាកូ", - "Mongolia": "ម៉ុងហ្គោលី", - "Montenegro": "ម៉ុងតេណេហ្គ្រោ", - "Month To Date": "ថ្ងៃដំបូងក្នុងខែ", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "ម៉ុងស៊ែរ៉ា", - "Morocco": "ម៉ារ៉ុក", - "Mozambique": "ម៉ូសំប៊ិក", - "Myanmar": "មីយ៉ាន់ម៉ា (ភូមា)", - "Name": "នាមឈ្មោះ", - "Namibia": "ណាមីប៊ី", - "Nauru": "ណូរូ", - "Nepal": "នេប៉ាល់", - "Netherlands": "ហូឡង់", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "មិនអីទេ", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "ថ្មី", - "New :resource": ":resource ថ្មី", - "New Caledonia": "នូវែល​កាឡេដូនី", - "New Password": "ពាក្យសម្ងាត់ថ្មី", - "New Zealand": "នូវែល​សេឡង់", - "Next": "បន្ទាប់", - "Nicaragua": "នីការ៉ាហ្គា", - "Niger": "នីហ្សេ", - "Nigeria": "នីហ្សេរីយ៉ា", - "Niue": "ណៀ", - "No": "គ្មាន", - "No :resource matched the given criteria.": "គ្មាន :resource ដែលត្រឺមត្រូវតាមការផ្ទៀងផ្ទាត់។", - "No additional information...": "គ្មានព័ត៌មានបន្ថែម។..", - "No Current Data": "គ្មានទិន្នន័យបច្ចុប្បន្ន", - "No Data": "គ្មានទិន្នន័យ", - "no file selected": "គ្មានឯកសារដែលបានជ្រើស", - "No Increase": "គ្មានការកើនឡើង", - "No Prior Data": "គ្មានទិន្នន័យមុន", - "No Results Found.": "គ្មានលទ្ធផលរកឃើញ។", - "Norfolk Island": "កោះ​ណ័រហ្វក់", - "Northern Mariana Islands": "កោះ​ម៉ារីណា​ខាង​ជើង", - "Norway": "ន័រវែស", "Not Found": "មិនឃើញ", - "Nova User": "ថ្មីអ្នកប្រើ", - "November": "ខែវិច្ឆិកា", - "October": "ខែតុលា", - "of": "នៃ", "Oh no": "អូទេ", - "Oman": "អូម៉ង់", - "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 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 Trashed": "សម្រាមតែប៉ុណ្នោះ", - "Original": "ច្បាប់ដើម", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "ទំព័រផុតកំណត់", "Pagination Navigation": "លេខទំព័ររុករក", - "Pakistan": "ប៉ាគីស្ថាន", - "Palau": "ផៅឡូ", - "Palestinian Territory, Occupied": "ទឹកដីប៉ាឡេស្ទីន", - "Panama": "ប៉ាណាម៉ា", - "Papua New Guinea": "ប៉ាពូអាស៊ី​នូវែលហ្គីណេ", - "Paraguay": "ប៉ារ៉ាហ្គាយ", - "Password": "ពាក្យសម្ងាត់", - "Pay :amount": "បង់ប្រាក់ :amount", - "Payment Cancelled": "ការទូទាត់លុបចោល", - "Payment Confirmation": "ការទូទាត់បញ្ជាក់", - "Payment Information": "Payment Information", - "Payment Successful": "ការទូទាត់ជោគជ័យ", - "Pending Team Invitations": "រង់ចាំការអញ្ជើញក្រុម", - "Per Page": "ក្នុងមួយទំព័រ", - "Permanently delete this team.": "អចិន្ត្រៃលុបក្រុមនេះ។", - "Permanently delete your account.": "អចិន្ត្រៃលុបគណនី។", - "Permissions": "សិទ្ធិ", - "Peru": "ប៉េរូ", - "Philippines": "ហ្វីលីពីន", - "Photo": "រូបថត", - "Pitcairn": "កោះ​ភីតកាន", "Please click the button below to verify your email address.": "សូមចុចប៊ូតុងខាងក្រោមដើម្បីផ្ទៀងផ្ទាត់អ៊ីម៉ែល។", - "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 your password before continuing.": "សូមបញ្ជាក់ពាក្យសម្ងាត់មុនពេលបន្ត។", - "Please copy your new API token. For your security, it won't be shown again.": "សូមចម្លង API Token ថ្មីរបស់អ្នក។ សម្រាប់សន្តិសុខរបស់អ្នក,វានឹងមិនត្រូវបានបង្ហាញម្តងទៀត។", - "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 logout of your other browser sessions across all of your devices.": "សូមបញ្ចូលពាក្យសម្ងាត់ដើម្បីបញ្ជាក់អ្នកចង់ចាកចេញរបស់អ្នកនៃឧបករណ៍ទាំងអស់។", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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. The email address must be associated with an existing account.": "សូមផ្តល់នូវអ៊ីម៉ែលនៃមនុស្សដែលអ្នកចង់បន្ថែមទៅក្រុមនេះ។ អ៊ីម៉ែលត្រូវតែត្រូវបានភ្ជាប់ជាមួយគណនីដែលមាន។", - "Please provide your name.": "សូមផ្តល់នាមឈ្មោះរបស់អ្នក។", - "Poland": "ប៉ូឡូញ", - "Portugal": "ព័រទុយហ្គាល់", - "Press \/ to search": "ចុច\/ដើម្បីស្វែងរក", - "Preview": "មើលជាមុន", - "Previous": "មុន", - "Privacy Policy": "ឯកជន", - "Profile": "ព័ត៌មាន", - "Profile Information": "ទម្រង់ព័ត៌មាន", - "Puerto Rico": "ព័រតូរីកូ", - "Qatar": "កាតា", - "Quarter To Date": "ត្រីកាលបរិច្ឆេទ", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "លេខកូដពេលអាសន្ន", "Regards": "ទាក់ទង", - "Regenerate Recovery Codes": "បង្កើតលេខកូដពេលអាសន្ន", - "Register": "ចុះឈ្មោះ", - "Reload": "ផ្ទុកឡើងវិញ", - "Remember me": "ចងចាំខ្ញុំ", - "Remember Me": "ចងចាំខ្ញុំ", - "Remove": "យកចេញ", - "Remove Photo": "យករូបថតចេញ", - "Remove Team Member": "យកចេញពីក្រុម", - "Resend Verification Email": "បញ្ចូនការផ្ទៀងអ៊ីម៉ែលម្ដងទៀត", - "Reset Filters": "កំណត់តម្រង", - "Reset Password": "កំណត់ពាក្យសម្ងាត់", - "Reset Password Notification": "កំណត់ពាក្យសម្ងាត់ជូនដំណឹង", - "resource": "ទិន្នន័យ", - "Resources": "ទិន្នន័យ", - "resources": "ទិន្នន័យ", - "Restore": "ស្តារ", - "Restore Resource": "ស្តារទិន្នន័យ", - "Restore Selected": "ស្តារបានជ្រើស", "results": "លទ្ធផល", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "ការជួបជុំ", - "Role": "តួនាទី", - "Romania": "រូម៉ានី", - "Run Action": "ដំណើរការសកម្មភាព", - "Russian Federation": "រុស្ស៊ី", - "Rwanda": "រវ៉ាន់ដា", - "Réunion": "Réunion", - "Saint Barthelemy": "St។ តេ", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "St។ Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "St។ ឃីតនិងណេវីស", - "Saint Lucia": "សាំងលូស៊ី", - "Saint Martin": "St។ ម៉ាទីន", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "St។ ព្យែរនិងមីកេឡុន", - "Saint Vincent And Grenadines": "St។ វ៉ាំងសង់និងផ", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "សាម័រ", - "San Marino": "សាន​ម៉ារីណូ", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "សៅតូម៉េនិង", - "Saudi Arabia": "អារ៉ាប៊ីសាអូឌីត", - "Save": "រក្សាទុក", - "Saved.": "បានរក្សាទុក។", - "Search": "ស្វែងរក", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "ជ្រើសរូបថតថ្មី", - "Select Action": "ជ្រើសកម្មភាព", - "Select All": "ជ្រើសទាំងអស់", - "Select All Matching": "ជ្រើសទាំងអស់ផ្គូរផ្គង", - "Send Password Reset Link": "ផ្ញើពាក្យសម្ងាត់កំណត់តំណភ្ជាប់", - "Senegal": "សេណេហ្គាល់", - "September": "នៅខែកញ្ញា", - "Serbia": "សែប៊ី", "Server Error": "ម៉ាស៊ីនដំណើរការមិនប្រក្រតី", "Service Unavailable": "សេវាមិនអាចប្រើ", - "Seychelles": "សីស្ហែល", - "Show All Fields": "បង្ហាញទាំងអស់", - "Show Content": "បង្ហាញមាតិកា", - "Show Recovery Codes": "បង្ហាញលេខកូដពេលអាសន្ន", "Showing": "បង្ហាញពី", - "Sierra Leone": "សៀរ៉ាឡេអូន", - "Signed in as": "Signed in as", - "Singapore": "សិង្ហបុរី", - "Sint Maarten (Dutch part)": "សីង​ម៉ាធីន", - "Slovakia": "ស្លូវ៉ាគី", - "Slovenia": "ស្លូវេនី", - "Solomon Islands": "កោះ​សូឡូម៉ុង", - "Somalia": "សូម៉ាលី", - "Something went wrong.": "អ្វីមួយបានខុស។", - "Sorry! You are not authorized to perform this action.": "សោកស្តាយ! អ្នកមិនត្រូវអនុញ្ញាតដើម្បីអនុវត្តសកម្មភាពនេះ។", - "Sorry, your session has expired.": "សូមទោស ការចូលត្រូវបានផុតកំណត់។", - "South Africa": "អាហ្វ្រិកខាងត្បូង", - "South Georgia And Sandwich Isl.": "ហ្សកហ្ស៊ីខាងត្បូងនិងកោះសាំងវិច", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "ស៊ូដង់​ខាង​ត្បូង", - "Spain": "អេស្ប៉ាញ", - "Sri Lanka": "ស្រីលង្កា", - "Start Polling": "ចាប់ផ្តើមបោះឆ្នោត", - "State \/ County": "State \/ County", - "Stop Polling": "ឈប់បោះឆ្នោត", - "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.": "រក្សាទុកលេខកូដពេលអាសន្នទាំងនេះនៅក្នុងកម្មវិធីគ្រប់គ្រងពាក្យសម្ងាត់។ ពួកគេអាចត្រូវបានប្រើដើម្បីចូលដំណើររបស់អ្នកប្រសិនបើគណនីរបស់អ្នកឧបករណ៍ផ្ទៀងផ្ទាត់ទី២បានបាត់បង់។", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "ស៊ូដង់", - "Suriname": "សូរីណាម", - "Svalbard And Jan Mayen": "បំលាស់ប្ដូរ", - "Swaziland": "ស្វាស៊ីឡង់", - "Sweden": "ស៊ុយអែត", - "Switch Teams": "ប្តូរក្រុម", - "Switzerland": "ស្វីស", - "Syrian Arab Republic": "ស៊ីរី", - "Taiwan": "តៃវ៉ាន់", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "តាហ្ស៊ីគីស្ថាន", - "Tanzania": "តង់ហ្សានី", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "លម្អិតក្រុម", - "Team Invitation": "ការអញ្ជើញក្រុម", - "Team Members": "សមាជិកក្រុម", - "Team Name": "ឈ្មោះក្រុម", - "Team Owner": "ម្ចាស់ក្រុម", - "Team Settings": "ការកំណត់ក្រុម", - "Terms of Service": "លក្ខខណ្ឌនៃសេវាកម្ម", - "Thailand": "ថៃ", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute ត្រូវតែមានសុពលភាពតួនាទី។", - "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 and 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 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.": "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, 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.": ":attribute ត្រូវតែមានយ៉ាងហោច :length តួអក្សរ។", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource ត្រូវបានបង្កើតឡើង!", - "The :resource was deleted!": ":resource ត្រូវបានលុប!", - "The :resource was restored!": ":resource ត្រូវបានស្ដារឡើង!", - "The :resource was updated!": ":resource ត្រូវបានកែប្រែ!", - "The action ran successfully!": "សកម្មភាពដំណើរការជោគជ័យ!", - "The file was deleted!": "ឯកសារត្រូវបានលុប!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "រដ្ឋាភិបាលនឹងមិនអនុញ្ញាតឱ្យយើងបង្ហាញអ្នកតើមានអ្វីនៅពីក្រោយទ្វារទាំងនេះ", - "The HasOne relationship has already been filled.": "ទំនាក់ទំនង HasOne ត្រូវបានបំពេញរួចហើយ។", - "The payment was successful.": "ការទូទាត់បានជោគជ័យ។", - "The provided coupon code is invalid.": "The provided coupon code is 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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "ទិន្នន័យត្រូវបានកែប្រែ!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "ក្រុមនេះជាឈ្មោះនិងជាម្ចាស់ព័ត៌មាន។", - "There are no available options for this resource.": "មិនមានអាចប្រើបានជម្រើសសម្រាប់ទិន្នន័យនេះ។", - "There was a problem executing the action.": "មានបញ្ហាប្រតិបត្តិការ។", - "There was a problem submitting the form.": "មានបញ្ហាមួយដាក់ស្នើសំណុំបែប។", - "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.": "មនុស្សទាំងត្រូវបានគេអញ្ជើញឱ្យទៅក្រុមរបស់និងត្រូវបានផ្ញើការអញ្ជើញអ៊ីម៉ែល។ ពួកគេអាចចូលរួមក្រុមដោយទទួលការអញ្ជើញ។", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "សកម្មភាពនេះមិនត្រូវបានអនុញ្ញាត។", - "This device": "ឧបករណ៍នេះ", - "This file field is read-only.": "ឯកសារនេះគឺបានតែអាន។", - "This image": "រូបភាពនេះ", - "This is a secure area of the application. Please confirm your password before continuing.": "នេះគឺជាតំបន់សុវត្ថិភាពនៃកម្មវិធី។ សូមបញ្ជាក់ពាក្យសម្ងាត់មុនពេលបន្ត។", - "This password does not match our records.": "ពាក្យសម្ងាត់នេះមិនត្រឹមត្រូវ។", "This password reset link will expire in :count minutes.": "នេះពាក្យសម្ងាត់កំណត់តំណនឹងផុតកំណត់នៅក្នុង :count នាទី។", - "This payment was already successfully confirmed.": "នេះការទូទាត់ត្រូវបានរួចទៅហើយជោគជ័យបានបញ្ជាក់។", - "This payment was cancelled.": "ការទូទាត់នេះត្រូវបានលុបចោល។", - "This resource no longer exists": "ទិន្នន័យនេះបានលែងមាន", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "អ្នកប្រើប្រាស់នៅក្នុងក្រុមនេះរួចហើយ។", - "This user has already been invited to the team.": "អ្នកប្រើនេះត្រូវបានអញ្ជើញឱ្យក្រុមនេះរួចហើយ។", - "Timor-Leste": "ទីម័រលេស្តេ", "to": "ដើម្បី", - "Today": "ថ្ងៃនេះ", "Toggle navigation": "បិទបើករុករក", - "Togo": "តូហ្គោ", - "Tokelau": "តូខេឡៅ", - "Token Name": "សញ្ញាឈ្មោះ", - "Tonga": "តុងហ្គា", "Too Many Attempts.": "ព្យាយាមច្រើនពេក។", "Too Many Requests": "សំណើរច្រើនពេក", - "total": "សរុប", - "Total:": "Total:", - "Trashed": "សម្រាម", - "Trinidad And Tobago": "ទ្រីនីដាដនិងតូបាហ្គោ", - "Tunisia": "ទុយនីស៊ី", - "Turkey": "តួកគី", - "Turkmenistan": "តួកម៉េនីស្ថាន", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "កោះថឹកនិង", - "Tuvalu": "ទូវ៉ាលូ", - "Two Factor Authentication": "ការផ្ទៀងផ្ទាត់ទី២", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "ការផ្ទៀងផ្ទាត់ទី២ត្រូវបានដំណើរការ។ ស្កេន QR code ខាងក្រោម ដោយប្រើប្រាស់កម្មវិធីផ្ទៀងផ្ទាត់របស់ទូរស័ព្ទ។", - "Uganda": "អ៊ូហ្គង់ដា", - "Ukraine": "អ៊ុយក្រែន", "Unauthorized": "មិនត្រូវបានអនុញ្ញាត", - "United Arab Emirates": "អេមីរ៉ាត​អារ៉ាប់​រួម", - "United Kingdom": "សហព្រះរាជ្យ", - "United States": "សហរដ្ឋអាមេ", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "U។S។ កោះឆ្ងាយ", - "Update": "ទាន់សម័យ", - "Update & Continue Editing": "ទាន់សម័យ និងបន្តកែសម្រួល", - "Update :resource": "ទាន់សម័យ :resource", - "Update :resource: :title": "ទាន់សម័យ :resource: :title", - "Update attached :resource: :title": "ទាន់សម័យភ្ជាប់ :resource: :title", - "Update Password": "កែប្រែពាក្យសម្ងាត់", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "កែប្រែព័ត៌មានគណនី និងអ៊ីម៉ែល។", - "Uruguay": "អ៊ុយរូហ្គាយ", - "Use a recovery code": "ប្រើលេខកូដពេលអាសន្ន", - "Use an authentication code": "ប្រើការផ្ទៀងលេខកូដ", - "Uzbekistan": "អ៊ូសបេគីស្ថាន", - "Value": "តម្លៃ", - "Vanuatu": "វ៉ានូទូ", - "VAT Number": "VAT Number", - "Venezuela": "វេណេហ្ស៊ុយ", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "ផ្ទៀងអ៊ីម៉ែល", "Verify Your Email Address": "ផ្ទៀងផ្ទាត់អ៊ីម៉ែលរបស់អ្នក", - "Viet Nam": "វៀតណាម", - "View": "មើល", - "Virgin Islands, British": "អង់គ្លេសវឺដ្យីនកោះ", - "Virgin Islands, U.S.": "U។S។ កោះ", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "កោះវ៉ាលីសនិងហ្វុទុណា", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "យើងមិនអាចរកឃើញមួយចុះឈ្មោះអ្នកប្រើជាមួយអ៊ីម៉ែលនេះ។", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "យើងនឹងមិនសុំពាក្យសម្ងាត់ថ្មីម្តងទៀតសម្រាប់ពីរបីម៉ោង។", - "We're lost in space. The page you were trying to view does not exist.": "ទំព័រអ្នកត្រូវបានគេព្យាយាមមើលមិនមានទេ។", - "Welcome Back!": "ស្វាគមន៍!", - "Western Sahara": "សាហារ៉ាខាងលិច", - "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 ផ្ទៀងផ្ទាត់កម្មវិធី។", - "Whoops": "អុប", - "Whoops!": "អុប!", - "Whoops! Something went wrong.": "អុប! អ្វីមួយបានទៅខុស។", - "With Trashed": "ជាមួយនឹងសម្រាម", - "Write": "សរសេរ", - "Year To Date": "ឆ្នាំកាលបរិច្ឆេទ", - "Yearly": "Yearly", - "Yemen": "យេម៉ែន", - "Yes": "បាទ\/ចាស៎", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "អ្នកបានចូល!", - "You are receiving this email because we received a password reset request for your account.": "អ្នកទទួលអ៊ីម៉ែលនេះព្រោះយើងបានទទួលពាក្យសម្ងាត់កំណត់ស្នើសុំសម្រាប់គណនីរបស់អ្នក។", - "You have been invited to join the :team team!": "អ្នកត្រូវបានគេអញ្ជើញឱ្យចូលរួមក្រុម :team!", - "You have enabled two factor authentication.": "អ្នកបានអនុញ្ញាតពីកត្តាការផ្ទៀង។", - "You have not enabled two factor authentication.": "អ្នកមិនបានអនុញ្ញាតពីកត្តាការផ្ទៀង។", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "អ្នកអាចលុបណាមួយនៃ Token ប្រសិនបើលែងត្រូវការ។", - "You may not delete your personal team.": "អ្នកមិនអាចលុបរបស់ផ្ទាល់ខ្លួនក្រុម។", - "You may not leave a team that you created.": "អ្នកមិនអាចចាកចេញក្រុមមួយដែលអ្នកបង្កើត។", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "អ៊ីម៉ែលរបស់អ្នកគឺមិនទាន់ផ្ទៀងផ្ទាត់។", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "សំប៊ី", - "Zimbabwe": "ស៊ីមបាវ៉េ", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "អ៊ីម៉ែលរបស់អ្នកគឺមិនទាន់ផ្ទៀងផ្ទាត់។" } diff --git a/locales/km/packages/cashier.json b/locales/km/packages/cashier.json new file mode 100644 index 00000000000..16d1e16b347 --- /dev/null +++ b/locales/km/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "រក្សាសិទ្ធិគ្រប់យ៉ាង។", + "Card": "កាត", + "Confirm Payment": "បញ្ជាក់ការទូទាត់", + "Confirm your :amount payment": "បញ្ជាក់ការទូទាត់របស់អ្នកចំនួន :amount ", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "បញ្ជាក់បន្ថែមគឺត្រូវការដើម្បីដំណើរការការទូទាត់របស់អ្នក។ សូមបញ្ជាក់ការទូទាត់របស់អ្នកដោយការបំពេញព័ត៍មានលម្អិតខាងក្រោម។", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "បញ្ជាក់បន្ថែមគឺត្រូវការដើម្បីដំណើរការការទូទាត់របស់អ្នក។ សូមបន្តការទូទាត់ទំព័រដោយចុចលើប៊ូតុងខាងក្រោម។", + "Full name": "ឈ្មោះពេញ", + "Go back": "ត្រឡប់ទៅ", + "Jane Doe": "Jane Doe", + "Pay :amount": "បង់ប្រាក់ :amount", + "Payment Cancelled": "ការទូទាត់លុបចោល", + "Payment Confirmation": "ការទូទាត់បញ្ជាក់", + "Payment Successful": "ការទូទាត់ជោគជ័យ", + "Please provide your name.": "សូមផ្តល់នាមឈ្មោះរបស់អ្នក។", + "The payment was successful.": "ការទូទាត់បានជោគជ័យ។", + "This payment was already successfully confirmed.": "នេះការទូទាត់ត្រូវបានរួចទៅហើយជោគជ័យបានបញ្ជាក់។", + "This payment was cancelled.": "ការទូទាត់នេះត្រូវបានលុបចោល។" +} diff --git a/locales/km/packages/fortify.json b/locales/km/packages/fortify.json new file mode 100644 index 00000000000..72a8bf07e50 --- /dev/null +++ b/locales/km/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 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.": "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, 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.": ":attribute ត្រូវតែមានយ៉ាងហោច :length តួអក្សរ។", + "The provided password does not match your current password.": "ពាក្យសម្ងាត់មិនផ្គូរផ្គងជាមួយនពាក្យសម្ងាត់បច្ចុប្បន្របស់អ្នក។", + "The provided password was incorrect.": "ការផ្ដល់ពាក្យសម្ងាត់មិនត្រឹមត្រូវ។", + "The provided two factor authentication code was invalid.": "ការផ្តល់ជូនពីកត្តាការផ្ទៀងលេខកូដមិនត្រឹមត្រូវ។" +} diff --git a/locales/km/packages/jetstream.json b/locales/km/packages/jetstream.json new file mode 100644 index 00000000000..9f55242f947 --- /dev/null +++ b/locales/km/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "តំណផ្ទៀងផ្ទាត់ថ្មីត្រូវបានផ្ញើទៅកាន់អ៊ីម៉ែលអាស័យដ្ឋានអ្នកផ្តល់ក្នុងអំឡុងការចុះឈ្មោះ។", + "Accept Invitation": "ទទួលយកការអញ្ជើញ", + "Add": "បន្ថែម", + "Add a new team member to your team, allowing them to collaborate with you.": "បន្ថែមសមាជិកក្រុមមួយ អនុញ្ញាតឱ្យពួកគេដើម្បីសហការជាមួយនឹងអ្នក។", + "Add additional security to your account using two factor authentication.": "បន្ថែមសន្ដិសុខរបស់គណនីប្រើប្រាស់ពីរកត្តាផ្ទៀងផ្ទាត់។", + "Add Team Member": "បន្ថែមសមាជិក", + "Added.": "បានបន្ថែម។", + "Administrator": "គ្រប់គ្រង", + "Administrator users can perform any action.": "គ្រប់គ្រងអ្នកប្រើប្រាស់អាចអនុវត្តសកម្មភាពណាមួយ។", + "All of the people that are part of this team.": "មនុស្សទាំងអស់ដែលនៅក្នុងក្រុមនេះ។", + "Already registered?": "បានចុះឈ្មោះរួចហើយ?", + "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 ដែលអនុញ្ញាតភាគីទីបីនៃសេវាកម្មដើម្បីផ្ទៀងផ្ទាត់ជាមួយនឹងកម្មវិធីរបស់យើងលើនាមរបស់អ្នក។", + "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 delete this API token?": "តើអ្នកប្រាកដថាអ្នកចង់លុប API token ដែរឬទេ?", + "Are you sure you would like to leave this team?": "តើអ្នកប្រាកដថាអ្នកចង់ចាកចេញក្រុមនេះ?", + "Are you sure you would like to remove this person from the team?": "តើអ្នកប្រាកដថាអ្នកចង់យកមនុស្សម្នាក់ពីក្រុមនេះ?", + "Browser Sessions": "កម្មវិធីរុម័យ", + "Cancel": "បោះបង់", + "Close": "បិទ", + "Code": "លេខកូដ", + "Confirm": "បញ្ជាក់", + "Confirm Password": "បញ្ជាក់ពាក្យសម្ងាត់", + "Create": "បង្កើត", + "Create a new team to collaborate with others on projects.": "បង្កើតក្រុមថ្មីមួយដើម្បីសហការជាមួយអ្នកផ្សេងលើគម្រោង។", + "Create Account": "បង្កើតគណនី", + "Create API Token": "បង្កើត API Token", + "Create New Team": "បង្កើតក្រុមថ្មី", + "Create Team": "បង្កើតក្រុម", + "Created.": "បានបង្កើត។", + "Current Password": "ពាក្យសម្ងាត់បច្ចុប្បន្ន", + "Dashboard": "ប្លូ", + "Delete": "លុប", + "Delete Account": "លុបគណនី", + "Delete API Token": "លុប API Token", + "Delete Team": "លុបក្រុម", + "Disable": "បិទ", + "Done.": "បានធ្វើ។", + "Editor": "អ្នកនិពន្ធ", + "Editor users have the ability to read, create, and update.": "អ្នកនិពន្ធប្រើប្រាស់មានសមត្ថភាពក្នុងការមើល, បង្កើត,និងកែប្រែ។", + "Email": "អ៊ីម៉ែល", + "Email Password Reset Link": "អ៊ីម៉ែលពាក្យសម្ងាត់កំណត់តំណភ្ជាប់", + "Enable": "អនុញ្ញាត", + "Ensure your account is using a long, random password to stay secure.": "ធានារបស់គណនីត្រូវបានប្រើជាយូរ​ សូមប្រើប្រាស់បង្កើតដោយចៃដន្យដើម្យីសុវត្ថិភាព។", + "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.": "ភ្លេចពាក្យសម្ងាត់របស់អ្នក? គ្មានបញ្ហា។ គ្រាន់តែអនុញ្ញាតឱ្យយើងដឹងរបស់អ្នកអ៊ីម៉ែលដ្ឋានហើយយើងនឹងអ៊ីម៉ែលអ្នកការពាក្យសម្ងាត់កំណត់តំណដែលនឹងអនុញ្ញាតឱ្យអ្នកជ្រើសរើសពាក្យសម្ងាត់ថ្មីមួយ។", + "Great! You have accepted the invitation to join the :team team.": "អស្ចារ្យ! អ្នកបានទទួលការអញ្ជើញចូលរួម :team ក្រុម។", + "I agree to the :terms_of_service and :privacy_policy": "ខ្ញុំយល់ស្របទៅ :terms_of_service និង :privacy_policy", + "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 you already have an account, you may accept this invitation by clicking the button below:": "ប្រសិនបើអ្នកមានគណនីរួចហើយ អ្នកអាចទទួលយកការអញ្ជើញនេះដោយចុចប៊ូតុងខាងក្រោម:", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "ប្រសិនបើអ្នកមិនមានគណនីទេ អ្នកអាចបង្កើតមួយដោយចុចប៊ូតុងខាងក្រោម។ បន្ទាប់ពីការបង្កើតគណនីមួយ អ្នកអាចចុចការអញ្ជើញទទួលយកប៊ូតុងនៅក្នុងនេះអ៊ីម៉ែលដើម្បីទទួលយកការអញ្ជើញរបស់ក្រុម:", + "Last active": "ចុងក្រោយកម្ម", + "Last used": "ប្រើចុងក្រោយ", + "Leave": "ចាកចេញ", + "Leave Team": "ចាកចេញពីក្រុម", + "Log in": "ចូល", + "Log Out": "ចាកចេញ", + "Log Out Other Browser Sessions": "ចាកចេញឧបករណ៍ផ្សេងទៀត", + "Manage Account": "គ្រប់គ្រងគណនី", + "Manage and log out your active sessions on other browsers and devices.": "គ្រប់គ្រងនិងចាកចេញឧបករណ៍ផ្សេងទៀត។", + "Manage API Tokens": "គ្រប់គ្រង API Tokens", + "Manage Role": "គ្រប់គ្រងតួនាទី", + "Manage Team": "គ្រប់គ្រងក្រុម", + "Name": "នាមឈ្មោះ", + "New Password": "ពាក្យសម្ងាត់ថ្មី", + "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 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.": "នៅពេលដែលគណនីនេះត្រូវបានលុប ទិន្នន័យទាំងអស់របស់ខ្លួននឹងត្រូវបានលុប។ មុនពេលលុបគណនីរបស់អ្នក,សូមទាញយកទិន្នន័យឬព័ត៌មានដែលអ្នកចង់រក្សា។", + "Password": "ពាក្យសម្ងាត់", + "Pending Team Invitations": "រង់ចាំការអញ្ជើញក្រុម", + "Permanently delete this team.": "អចិន្ត្រៃលុបក្រុមនេះ។", + "Permanently delete your account.": "អចិន្ត្រៃលុបគណនី។", + "Permissions": "សិទ្ធិ", + "Photo": "រូបថត", + "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 copy your new API token. For your security, it won't be shown again.": "សូមចម្លង API Token ថ្មីរបស់អ្នក។ សម្រាប់សន្តិសុខរបស់អ្នក,វានឹងមិនត្រូវបានបង្ហាញម្តងទៀត។", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "សូមបញ្ចូលពាក្យសម្ងាត់ដើម្បីបញ្ជាក់អ្នកចង់ចាកចេញរបស់អ្នកនៃឧបករណ៍ទាំងអស់។", + "Please provide the email address of the person you would like to add to this team.": "សូមផ្តល់នូវអ៊ីម៉ែលនៃមនុស្សដែលអ្នកចង់បន្ថែមទៅក្រុមនេះ។", + "Privacy Policy": "ឯកជន", + "Profile": "ព័ត៌មាន", + "Profile Information": "ទម្រង់ព័ត៌មាន", + "Recovery Code": "លេខកូដពេលអាសន្ន", + "Regenerate Recovery Codes": "បង្កើតលេខកូដពេលអាសន្ន", + "Register": "ចុះឈ្មោះ", + "Remember me": "ចងចាំខ្ញុំ", + "Remove": "យកចេញ", + "Remove Photo": "យករូបថតចេញ", + "Remove Team Member": "យកចេញពីក្រុម", + "Resend Verification Email": "បញ្ចូនការផ្ទៀងអ៊ីម៉ែលម្ដងទៀត", + "Reset Password": "កំណត់ពាក្យសម្ងាត់", + "Role": "តួនាទី", + "Save": "រក្សាទុក", + "Saved.": "បានរក្សាទុក។", + "Select A New Photo": "ជ្រើសរូបថតថ្មី", + "Show Recovery Codes": "បង្ហាញលេខកូដពេលអាសន្ន", + "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.": "រក្សាទុកលេខកូដពេលអាសន្នទាំងនេះនៅក្នុងកម្មវិធីគ្រប់គ្រងពាក្យសម្ងាត់។ ពួកគេអាចត្រូវបានប្រើដើម្បីចូលដំណើររបស់អ្នកប្រសិនបើគណនីរបស់អ្នកឧបករណ៍ផ្ទៀងផ្ទាត់ទី២បានបាត់បង់។", + "Switch Teams": "ប្តូរក្រុម", + "Team Details": "លម្អិតក្រុម", + "Team Invitation": "ការអញ្ជើញក្រុម", + "Team Members": "សមាជិកក្រុម", + "Team Name": "ឈ្មោះក្រុម", + "Team Owner": "ម្ចាស់ក្រុម", + "Team Settings": "ការកំណត់ក្រុម", + "Terms of Service": "លក្ខខណ្ឌនៃសេវាកម្ម", + "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 a valid role.": ":attribute ត្រូវតែមានសុពលភាពតួនាទី។", + "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 and 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 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.": "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, 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.": ":attribute ត្រូវតែមានយ៉ាងហោច :length តួអក្សរ។", + "The provided password does not match your current password.": "ពាក្យសម្ងាត់មិនផ្គូរផ្គងជាមួយនពាក្យសម្ងាត់បច្ចុប្បន្របស់អ្នក។", + "The provided password was incorrect.": "ការផ្ដល់ពាក្យសម្ងាត់មិនត្រឹមត្រូវ។", + "The provided two factor authentication code was invalid.": "ការផ្តល់ជូនពីកត្តាការផ្ទៀងលេខកូដមិនត្រឹមត្រូវ។", + "The team's name and owner information.": "ក្រុមនេះជាឈ្មោះនិងជាម្ចាស់ព័ត៌មាន។", + "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.": "មនុស្សទាំងត្រូវបានគេអញ្ជើញឱ្យទៅក្រុមរបស់និងត្រូវបានផ្ញើការអញ្ជើញអ៊ីម៉ែល។ ពួកគេអាចចូលរួមក្រុមដោយទទួលការអញ្ជើញ។", + "This device": "ឧបករណ៍នេះ", + "This is a secure area of the application. Please confirm your password before continuing.": "នេះគឺជាតំបន់សុវត្ថិភាពនៃកម្មវិធី។ សូមបញ្ជាក់ពាក្យសម្ងាត់មុនពេលបន្ត។", + "This password does not match our records.": "ពាក្យសម្ងាត់នេះមិនត្រឹមត្រូវ។", + "This user already belongs to the team.": "អ្នកប្រើប្រាស់នៅក្នុងក្រុមនេះរួចហើយ។", + "This user has already been invited to the team.": "អ្នកប្រើនេះត្រូវបានអញ្ជើញឱ្យក្រុមនេះរួចហើយ។", + "Token Name": "សញ្ញាឈ្មោះ", + "Two Factor Authentication": "ការផ្ទៀងផ្ទាត់ទី២", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "ការផ្ទៀងផ្ទាត់ទី២ត្រូវបានដំណើរការ។ ស្កេន QR code ខាងក្រោម ដោយប្រើប្រាស់កម្មវិធីផ្ទៀងផ្ទាត់របស់ទូរស័ព្ទ។", + "Update Password": "កែប្រែពាក្យសម្ងាត់", + "Update your account's profile information and email address.": "កែប្រែព័ត៌មានគណនី និងអ៊ីម៉ែល។", + "Use a recovery code": "ប្រើលេខកូដពេលអាសន្ន", + "Use an authentication code": "ប្រើការផ្ទៀងលេខកូដ", + "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.": "នៅពេលដែលពីរកត្តាផ្ទៀងត្រូវអនុញ្ញាត,អ្នកនឹងត្រូវបានសួរសម្រាប់ការសុវត្ថិភាពចៃដន្យ Token ក្នុងអំឡុងការផ្ទៀង។ អ្នកអាចទាញយកនេះសញ្ញាទូរស័ព្ទរបស់ Google ផ្ទៀងផ្ទាត់កម្មវិធី។", + "Whoops! Something went wrong.": "អុប! អ្វីមួយបានទៅខុស។", + "You have been invited to join the :team team!": "អ្នកត្រូវបានគេអញ្ជើញឱ្យចូលរួមក្រុម :team!", + "You have enabled two factor authentication.": "អ្នកបានអនុញ្ញាតពីកត្តាការផ្ទៀង។", + "You have not enabled two factor authentication.": "អ្នកមិនបានអនុញ្ញាតពីកត្តាការផ្ទៀង។", + "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.": "អ្នកអាចលុបណាមួយនៃ Token ប្រសិនបើលែងត្រូវការ។", + "You may not delete your personal team.": "អ្នកមិនអាចលុបរបស់ផ្ទាល់ខ្លួនក្រុម។", + "You may not leave a team that you created.": "អ្នកមិនអាចចាកចេញក្រុមមួយដែលអ្នកបង្កើត។" +} diff --git a/locales/km/packages/nova.json b/locales/km/packages/nova.json new file mode 100644 index 00000000000..2d48c283347 --- /dev/null +++ b/locales/km/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "៣០ ថ្ងៃ", + "60 Days": "៦០ ថ្ងៃ", + "90 Days": "៩០ ថ្ងៃ", + ":amount Total": "សរុប :amount", + ":resource Details": ":resource លម្អិត", + ":resource Details: :title": ":resource លម្អិត::title", + "Action": "សកម្មភាព", + "Action Happened At": "កើតឡើងនៅ", + "Action Initiated By": "ផ្តួចផ្តើមដោយ", + "Action Name": "ឈ្មោះ", + "Action Status": "ស្ថានភាព", + "Action Target": "គោលដៅ", + "Actions": "សកម្មភាព", + "Add row": "បន្ថែមជួរដេក", + "Afghanistan": "អាហ្វហ្គានីស្ថាន", + "Aland Islands": "Aland Islands", + "Albania": "អាល់បានី", + "Algeria": "អាល់ហ្សេរី", + "All resources loaded.": "ទិន្នន័យទាំងអស់ត្រូវបានផ្ទុក។", + "American Samoa": "សាម័រ អាមេរិកាំង", + "An error occured while uploading the file.": "កំហុសមួយកើតឡើងខណៈពេលផ្ទុកឯកសារ។", + "Andorra": "អង់ដូរ៉ា", + "Angola": "អង់ហ្គោឡា", + "Anguilla": "អង់ហ្គីឡា", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "ទិន្នន័យនេះត្រូវបានផ្លាស់ប្តូរ។ សូមធ្វើឱ្យការដោនឡូតទំព័រនេះ និងព្យាយាមម្តងទៀត។", + "Antarctica": "អង់តាក់ទិក", + "Antigua And Barbuda": "អង់ទីកានិងបាប៊ូដា", + "April": "ខែមេសា", + "Are you sure you want to delete the selected resources?": "តើអ្នកប្រាកដថាអ្នកចង់លុបទិន្នន័យដែលបានជ្រើសរើសឬទេ?", + "Are you sure you want to delete this file?": "តើអ្នកប្រាកដថាអ្នកចង់លុបឯកសារនេះ?", + "Are you sure you want to delete this resource?": "តើអ្នកប្រាកដថាអ្នកចង់លុបទិន្នន័យនេះ?", + "Are you sure you want to detach the selected resources?": "តើអ្នកប្រាកដថាអ្នកចង់ដើម្បីផ្ដាច់ការបានជ្រើសទិន្នន័យ?", + "Are you sure you want to detach this resource?": "តើអ្នកប្រាកដថាអ្នកចង់ដើម្បីផ្ដាច់ទិន្នន័យនេះ?", + "Are you sure you want to force delete the selected resources?": "តើអ្នកប្រាកដថាអ្នកចង់ដើម្បីបង្ខំឱ្យលុបការបានជ្រើសទិន្នន័យ?", + "Are you sure you want to force delete this resource?": "តើអ្នកប្រាកដថាអ្នកចង់ដើម្បីបង្ខំឱ្យលុបទិន្នន័យនេះ?", + "Are you sure you want to restore the selected resources?": "តើអ្នកប្រាកដថាអ្នកចង់ដើម្បីស្តារការបានជ្រើសទិន្នន័យ?", + "Are you sure you want to restore this resource?": "តើអ្នកប្រាកដថាអ្នកចង់ដើម្បីស្តារទិន្នន័យនេះ?", + "Are you sure you want to run this action?": "តើអ្នកប្រាកដថាអ្នកចង់ដំណើរការសកម្មភាពនេះ?", + "Argentina": "អាហ្សង់ទីន", + "Armenia": "អាមេនី", + "Aruba": "អារូបា", + "Attach": "ភ្ជាប់", + "Attach & Attach Another": "ភ្ជាប់ និងភ្ជាប់ផ្សេងទៀត", + "Attach :resource": "ភ្ជាប់ :resource", + "August": "ខែសីហា", + "Australia": "អូស្ត្រាលី", + "Austria": "អូទ្រីស", + "Azerbaijan": "អាស៊ែបៃហ្សង់", + "Bahamas": "បាហាម៉ា", + "Bahrain": "បារ៉ែន", + "Bangladesh": "បង់ក្លាដែស", + "Barbados": "បាបាដុស", + "Belarus": "បេឡារុស", + "Belgium": "បែលហ្ស៊ិក", + "Belize": "បេលី", + "Benin": "បេណាំង", + "Bermuda": "ប៊ឺមុយដា", + "Bhutan": "ប៊ូតង់", + "Bolivia": "បូលីវី", + "Bonaire, Sint Eustatius and Saba": "ហូឡង់ ការ៉ាប៊ីន", + "Bosnia And Herzegovina": "បូស្ន៊ីនិងហឺហ្ស៊េ", + "Botswana": "បុតស្វាណា", + "Bouvet Island": "កោះ​ប៊ូវ៉េត", + "Brazil": "ប្រេស៊ីល", + "British Indian Ocean Territory": "ដែនដី​អង់គ្លេស​នៅ​មហា​សមុទ្រ​ឥណ្ឌា", + "Brunei Darussalam": "ព្រុយណេ", + "Bulgaria": "ប៊ុលហ្គារី", + "Burkina Faso": "បួគីណាហ្វាសូ", + "Burundi": "ប៊ូរុនឌី", + "Cambodia": "កម្ពុជា", + "Cameroon": "កាមេរូន", + "Canada": "កាណាដា", + "Cancel": "បោះបង់", + "Cape Verde": "ជ្រោយវែរ", + "Cayman Islands": "កោះ​កៃម៉ង់", + "Central African Republic": "សាធារណរដ្ឋអាហ្វ្រិកកណ្ដាល", + "Chad": "ឆាដ", + "Changes": "ផ្លាស់ប្តូរ", + "Chile": "ស៊ីលី", + "China": "ចិន", + "Choose": "ជ្រើសរើស", + "Choose :field": "ជ្រើសរើស :field", + "Choose :resource": "ជ្រើសរើស :resource", + "Choose an option": "ជ្រើសជម្រើសមួយ", + "Choose date": "ជ្រើសរើសកាលបរិច្ឆេទ", + "Choose File": "ជ្រើសឯកសារ", + "Choose Type": "ជ្រើសប្រភេទ", + "Christmas Island": "កោះ​គ្រីស្មាស", + "Click to choose": "ចុចដើម្បីជ្រើសរើស", + "Cocos (Keeling) Islands": "កោះ​កូកូស (គីលីង)", + "Colombia": "កូឡុំប៊ី", + "Comoros": "កូម័រ", + "Confirm Password": "បញ្ជាក់ពាក្យសម្ងាត់", + "Congo": "កុងហ្គោ - ប្រាហ្សាវីល", + "Congo, Democratic Republic": "ហ្គោ,រដ្ឋ", + "Constant": "ថេរ", + "Cook Islands": "កោះ​ខូក", + "Costa Rica": "កូស្តារីកា", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "មិនត្រូវបានរកឃើញ។", + "Create": "បង្កើត", + "Create & Add Another": "បង្កើត និងបន្ថែមទៀត", + "Create :resource": "បង្កើត :resource", + "Croatia": "ក្រូអាស៊ី", + "Cuba": "គុយបា", + "Curaçao": "កូរ៉ាកៅ", + "Customize": "ប្ដូរ", + "Cyprus": "ស៊ីប", + "Czech Republic": "ឆែគា", + "Dashboard": "ប្លូ", + "December": "ខែធ្នូ", + "Decrease": "ថយចុះ", + "Delete": "លុប", + "Delete File": "លុបឯកសារ", + "Delete Resource": "លុបទិន្នន័យ", + "Delete Selected": "លុបបានជ្រើស", + "Denmark": "ដាណឺម៉ាក", + "Detach": "ផ្ដាច់", + "Detach Resource": "ផ្ដាច់ទិន្នន័យ", + "Detach Selected": "ផ្ដាច់បានជ្រើស", + "Details": "លម្អិត", + "Djibouti": "ជីប៊ូទី", + "Do you really want to leave? You have unsaved changes.": "តើអ្នកពិតជាចង់ចាកចេញ? អ្នកមានការផ្លាស់ប្តូរមិនទាន់រក្សាទុក។", + "Dominica": "ដូមីនីក", + "Dominican Republic": "សាធារណរដ្ឋ​ដូមីនីក", + "Download": "ទាញយក", + "Ecuador": "អេក្វាទ័រ", + "Edit": "កែសម្រួល", + "Edit :resource": "កែសម្រួល :resource", + "Edit Attached": "កែសម្រួលបានភ្ជាប់", + "Egypt": "អេហ្ស៊ីប", + "El Salvador": "អែលសាល់វ៉ាឌ័រ", + "Email Address": "អាស័យដ្ឋានអ៊ីម៉ែល", + "Equatorial Guinea": "ហ្គីណេអេក្វាទ័រ", + "Eritrea": "អេរីត្រេ", + "Estonia": "អេស្តូនី", + "Ethiopia": "អេត្យូពី", + "Falkland Islands (Malvinas)": "កោះ​ហ្វក់ឡែន", + "Faroe Islands": "កោះ​ហ្វារ៉ូ", + "February": "ខែកុម្ភៈ", + "Fiji": "ហ្វីជី", + "Finland": "ហ្វាំងឡង់", + "Force Delete": "លុបជារៀងរហូត", + "Force Delete Resource": "លុបទិន្នន័យជារៀងរហូត", + "Force Delete Selected": "លុបជ្រើសរើសជារៀងរហូត", + "Forgot Your Password?": "ភ្លេចពាក្យសម្ងាត់របស់អ្នក?", + "Forgot your password?": "ភ្លេចពាក្យសម្ងាត់របស់អ្នក?", + "France": "បារាំង", + "French Guiana": "ហ្គីអាណា បារាំង", + "French Polynesia": "ប៉ូលី​ណេស៊ី​បារាំង", + "French Southern Territories": "ដែនដី​បារាំង​នៅ​ភាគខាងត្បូង", + "Gabon": "ហ្គាបុង", + "Gambia": "ហ្គំប៊ី", + "Georgia": "ហ្សកហ្ស៊ី", + "Germany": "អាល្លឺម៉ង់", + "Ghana": "ហ្គាណា", + "Gibraltar": "ហ្ស៊ីប្រាល់តា", + "Go Home": "ចូលទៅទំព័រដើម", + "Greece": "ក្រិក", + "Greenland": "ហ្គ្រោអង់ឡង់", + "Grenada": "ហ្គ្រើណាដ", + "Guadeloupe": "ហ្គោដឺឡុប", + "Guam": "ហ្គាំ", + "Guatemala": "ក្វាតេម៉ាឡា", + "Guernsey": "ហ្គេនស៊ី", + "Guinea": "ហ្គីណេ", + "Guinea-Bissau": "ហ្គីណេប៊ីស្សូ", + "Guyana": "ហ្គីយ៉ាន", + "Haiti": "ហៃទី", + "Heard Island & Mcdonald Islands": "កោះអ៊ែដនិង", + "Hide Content": "លាក់មាតិកា", + "Hold Up!": "កាន់ឡើង!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "ហុងឌូរ៉ាស", + "Hong Kong": "ហុងកុង", + "Hungary": "ហុងគ្រី", + "Iceland": "អ៊ីស្លង់", + "ID": "លេខសម្គាល់", + "If you did not request a password reset, no further action is required.": "ប្រសិនបើអ្នកមិនបានស្នើសុំប្តូរពាក្យសម្ងាត់,គ្មានការទាមទារសកម្មភាពបន្ថែមឡើយ។", + "Increase": "កើនឡើង", + "India": "ឥណ្ឌា", + "Indonesia": "ឥណ្ឌូណេស៊ី", + "Iran, Islamic Republic Of": "រ៉ង់", + "Iraq": "អ៊ីរ៉ាក់", + "Ireland": "អៀរឡង់", + "Isle Of Man": "ល្បែង", + "Israel": "អ៊ីស្រាអែល", + "Italy": "អ៊ីតាលី", + "Jamaica": "ហ្សាម៉ាអ៊ីក", + "January": "ខែមករា", + "Japan": "ជប៉ុន", + "Jersey": "ជឺស៊ី", + "Jordan": "ហ៊្សកដានី", + "July": "ខែកក្កដា", + "June": "ខែមិថុនា", + "Kazakhstan": "កាហ្សាក់ស្ថាន", + "Kenya": "កេនយ៉ា", + "Key": "គន្លឹះ", + "Kiribati": "គិរីបាទី", + "Korea": "រ៉េខាងត្បូង", + "Korea, Democratic People's Republic of": "រ៉េខាងជើង", + "Kosovo": "សូវ៉ូ", + "Kuwait": "កូវ៉ែត", + "Kyrgyzstan": "កៀហ្ស៊ីស៊ីស្ថាន", + "Lao People's Democratic Republic": "ឡាវ", + "Latvia": "ឡេតូនី", + "Lebanon": "លីបង់", + "Lens": "កែវ", + "Lesotho": "ឡេសូតូ", + "Liberia": "លីបេរីយ៉ា", + "Libyan Arab Jamahiriya": "លីប៊ី", + "Liechtenstein": "លិចតិនស្ដាញ", + "Lithuania": "លីទុយអានី", + "Load :perPage More": "ផ្ទុក :perPage ច្រើនទៀត", + "Login": "ចូល", + "Logout": "ចាកចេញ", + "Luxembourg": "លុចសំបួ", + "Macao": "ម៉ាកាវ តំបន់រដ្ឋបាលពិសេសចិន", + "Macedonia": "ខាងជើងម៉ា", + "Madagascar": "ម៉ាដាហ្គាស្កា", + "Malawi": "ម៉ាឡាវី", + "Malaysia": "ម៉ាឡេស៊ី", + "Maldives": "ម៉ាល់ឌីវ", + "Mali": "ម៉ាលី", + "Malta": "ម៉ាល់ត៍", + "March": "ខែមីនា", + "Marshall Islands": "កោះ​ម៉ាស់សល", + "Martinique": "ម៉ាទីនីក", + "Mauritania": "ម៉ូរីតានី", + "Mauritius": "ម៉ូរីស", + "May": "ខែឧសភា", + "Mayotte": "ម៉ាយុត", + "Mexico": "ម៉ិកស៊ិក", + "Micronesia, Federated States Of": "ទៀ", + "Moldova": "‧;", + "Monaco": "ម៉ូណាកូ", + "Mongolia": "ម៉ុងហ្គោលី", + "Montenegro": "ម៉ុងតេណេហ្គ្រោ", + "Month To Date": "ថ្ងៃដំបូងក្នុងខែ", + "Montserrat": "ម៉ុងស៊ែរ៉ា", + "Morocco": "ម៉ារ៉ុក", + "Mozambique": "ម៉ូសំប៊ិក", + "Myanmar": "មីយ៉ាន់ម៉ា (ភូមា)", + "Namibia": "ណាមីប៊ី", + "Nauru": "ណូរូ", + "Nepal": "នេប៉ាល់", + "Netherlands": "ហូឡង់", + "New": "ថ្មី", + "New :resource": ":resource ថ្មី", + "New Caledonia": "នូវែល​កាឡេដូនី", + "New Zealand": "នូវែល​សេឡង់", + "Next": "បន្ទាប់", + "Nicaragua": "នីការ៉ាហ្គា", + "Niger": "នីហ្សេ", + "Nigeria": "នីហ្សេរីយ៉ា", + "Niue": "ណៀ", + "No": "គ្មាន", + "No :resource matched the given criteria.": "គ្មាន :resource ដែលត្រឺមត្រូវតាមការផ្ទៀងផ្ទាត់។", + "No additional information...": "គ្មានព័ត៌មានបន្ថែម។..", + "No Current Data": "គ្មានទិន្នន័យបច្ចុប្បន្ន", + "No Data": "គ្មានទិន្នន័យ", + "no file selected": "គ្មានឯកសារដែលបានជ្រើស", + "No Increase": "គ្មានការកើនឡើង", + "No Prior Data": "គ្មានទិន្នន័យមុន", + "No Results Found.": "គ្មានលទ្ធផលរកឃើញ។", + "Norfolk Island": "កោះ​ណ័រហ្វក់", + "Northern Mariana Islands": "កោះ​ម៉ារីណា​ខាង​ជើង", + "Norway": "ន័រវែស", + "Nova User": "ថ្មីអ្នកប្រើ", + "November": "ខែវិច្ឆិកា", + "October": "ខែតុលា", + "of": "នៃ", + "Oman": "អូម៉ង់", + "Only Trashed": "សម្រាមតែប៉ុណ្នោះ", + "Original": "ច្បាប់ដើម", + "Pakistan": "ប៉ាគីស្ថាន", + "Palau": "ផៅឡូ", + "Palestinian Territory, Occupied": "ទឹកដីប៉ាឡេស្ទីន", + "Panama": "ប៉ាណាម៉ា", + "Papua New Guinea": "ប៉ាពូអាស៊ី​នូវែលហ្គីណេ", + "Paraguay": "ប៉ារ៉ាហ្គាយ", + "Password": "ពាក្យសម្ងាត់", + "Per Page": "ក្នុងមួយទំព័រ", + "Peru": "ប៉េរូ", + "Philippines": "ហ្វីលីពីន", + "Pitcairn": "កោះ​ភីតកាន", + "Poland": "ប៉ូឡូញ", + "Portugal": "ព័រទុយហ្គាល់", + "Press \/ to search": "ចុច\/ដើម្បីស្វែងរក", + "Preview": "មើលជាមុន", + "Previous": "មុន", + "Puerto Rico": "ព័រតូរីកូ", + "Qatar": "កាតា", + "Quarter To Date": "ត្រីកាលបរិច្ឆេទ", + "Reload": "ផ្ទុកឡើងវិញ", + "Remember Me": "ចងចាំខ្ញុំ", + "Reset Filters": "កំណត់តម្រង", + "Reset Password": "កំណត់ពាក្យសម្ងាត់", + "Reset Password Notification": "កំណត់ពាក្យសម្ងាត់ជូនដំណឹង", + "resource": "ទិន្នន័យ", + "Resources": "ទិន្នន័យ", + "resources": "ទិន្នន័យ", + "Restore": "ស្តារ", + "Restore Resource": "ស្តារទិន្នន័យ", + "Restore Selected": "ស្តារបានជ្រើស", + "Reunion": "ការជួបជុំ", + "Romania": "រូម៉ានី", + "Run Action": "ដំណើរការសកម្មភាព", + "Russian Federation": "រុស្ស៊ី", + "Rwanda": "រវ៉ាន់ដា", + "Saint Barthelemy": "St។ តេ", + "Saint Helena": "St។ Helena", + "Saint Kitts And Nevis": "St។ ឃីតនិងណេវីស", + "Saint Lucia": "សាំងលូស៊ី", + "Saint Martin": "St។ ម៉ាទីន", + "Saint Pierre And Miquelon": "St។ ព្យែរនិងមីកេឡុន", + "Saint Vincent And Grenadines": "St។ វ៉ាំងសង់និងផ", + "Samoa": "សាម័រ", + "San Marino": "សាន​ម៉ារីណូ", + "Sao Tome And Principe": "សៅតូម៉េនិង", + "Saudi Arabia": "អារ៉ាប៊ីសាអូឌីត", + "Search": "ស្វែងរក", + "Select Action": "ជ្រើសកម្មភាព", + "Select All": "ជ្រើសទាំងអស់", + "Select All Matching": "ជ្រើសទាំងអស់ផ្គូរផ្គង", + "Send Password Reset Link": "ផ្ញើពាក្យសម្ងាត់កំណត់តំណភ្ជាប់", + "Senegal": "សេណេហ្គាល់", + "September": "នៅខែកញ្ញា", + "Serbia": "សែប៊ី", + "Seychelles": "សីស្ហែល", + "Show All Fields": "បង្ហាញទាំងអស់", + "Show Content": "បង្ហាញមាតិកា", + "Sierra Leone": "សៀរ៉ាឡេអូន", + "Singapore": "សិង្ហបុរី", + "Sint Maarten (Dutch part)": "សីង​ម៉ាធីន", + "Slovakia": "ស្លូវ៉ាគី", + "Slovenia": "ស្លូវេនី", + "Solomon Islands": "កោះ​សូឡូម៉ុង", + "Somalia": "សូម៉ាលី", + "Something went wrong.": "អ្វីមួយបានខុស។", + "Sorry! You are not authorized to perform this action.": "សោកស្តាយ! អ្នកមិនត្រូវអនុញ្ញាតដើម្បីអនុវត្តសកម្មភាពនេះ។", + "Sorry, your session has expired.": "សូមទោស ការចូលត្រូវបានផុតកំណត់។", + "South Africa": "អាហ្វ្រិកខាងត្បូង", + "South Georgia And Sandwich Isl.": "ហ្សកហ្ស៊ីខាងត្បូងនិងកោះសាំងវិច", + "South Sudan": "ស៊ូដង់​ខាង​ត្បូង", + "Spain": "អេស្ប៉ាញ", + "Sri Lanka": "ស្រីលង្កា", + "Start Polling": "ចាប់ផ្តើមបោះឆ្នោត", + "Stop Polling": "ឈប់បោះឆ្នោត", + "Sudan": "ស៊ូដង់", + "Suriname": "សូរីណាម", + "Svalbard And Jan Mayen": "បំលាស់ប្ដូរ", + "Swaziland": "ស្វាស៊ីឡង់", + "Sweden": "ស៊ុយអែត", + "Switzerland": "ស្វីស", + "Syrian Arab Republic": "ស៊ីរី", + "Taiwan": "តៃវ៉ាន់", + "Tajikistan": "តាហ្ស៊ីគីស្ថាន", + "Tanzania": "តង់ហ្សានី", + "Thailand": "ថៃ", + "The :resource was created!": ":resource ត្រូវបានបង្កើតឡើង!", + "The :resource was deleted!": ":resource ត្រូវបានលុប!", + "The :resource was restored!": ":resource ត្រូវបានស្ដារឡើង!", + "The :resource was updated!": ":resource ត្រូវបានកែប្រែ!", + "The action ran successfully!": "សកម្មភាពដំណើរការជោគជ័យ!", + "The file was deleted!": "ឯកសារត្រូវបានលុប!", + "The government won't let us show you what's behind these doors": "រដ្ឋាភិបាលនឹងមិនអនុញ្ញាតឱ្យយើងបង្ហាញអ្នកតើមានអ្វីនៅពីក្រោយទ្វារទាំងនេះ", + "The HasOne relationship has already been filled.": "ទំនាក់ទំនង HasOne ត្រូវបានបំពេញរួចហើយ។", + "The resource was updated!": "ទិន្នន័យត្រូវបានកែប្រែ!", + "There are no available options for this resource.": "មិនមានអាចប្រើបានជម្រើសសម្រាប់ទិន្នន័យនេះ។", + "There was a problem executing the action.": "មានបញ្ហាប្រតិបត្តិការ។", + "There was a problem submitting the form.": "មានបញ្ហាមួយដាក់ស្នើសំណុំបែប។", + "This file field is read-only.": "ឯកសារនេះគឺបានតែអាន។", + "This image": "រូបភាពនេះ", + "This resource no longer exists": "ទិន្នន័យនេះបានលែងមាន", + "Timor-Leste": "ទីម័រលេស្តេ", + "Today": "ថ្ងៃនេះ", + "Togo": "តូហ្គោ", + "Tokelau": "តូខេឡៅ", + "Tonga": "តុងហ្គា", + "total": "សរុប", + "Trashed": "សម្រាម", + "Trinidad And Tobago": "ទ្រីនីដាដនិងតូបាហ្គោ", + "Tunisia": "ទុយនីស៊ី", + "Turkey": "តួកគី", + "Turkmenistan": "តួកម៉េនីស្ថាន", + "Turks And Caicos Islands": "កោះថឹកនិង", + "Tuvalu": "ទូវ៉ាលូ", + "Uganda": "អ៊ូហ្គង់ដា", + "Ukraine": "អ៊ុយក្រែន", + "United Arab Emirates": "អេមីរ៉ាត​អារ៉ាប់​រួម", + "United Kingdom": "សហព្រះរាជ្យ", + "United States": "សហរដ្ឋអាមេ", + "United States Outlying Islands": "U។S។ កោះឆ្ងាយ", + "Update": "ទាន់សម័យ", + "Update & Continue Editing": "ទាន់សម័យ និងបន្តកែសម្រួល", + "Update :resource": "ទាន់សម័យ :resource", + "Update :resource: :title": "ទាន់សម័យ :resource: :title", + "Update attached :resource: :title": "ទាន់សម័យភ្ជាប់ :resource: :title", + "Uruguay": "អ៊ុយរូហ្គាយ", + "Uzbekistan": "អ៊ូសបេគីស្ថាន", + "Value": "តម្លៃ", + "Vanuatu": "វ៉ានូទូ", + "Venezuela": "វេណេហ្ស៊ុយ", + "Viet Nam": "វៀតណាម", + "View": "មើល", + "Virgin Islands, British": "អង់គ្លេសវឺដ្យីនកោះ", + "Virgin Islands, U.S.": "U។S។ កោះ", + "Wallis And Futuna": "កោះវ៉ាលីសនិងហ្វុទុណា", + "We're lost in space. The page you were trying to view does not exist.": "ទំព័រអ្នកត្រូវបានគេព្យាយាមមើលមិនមានទេ។", + "Welcome Back!": "ស្វាគមន៍!", + "Western Sahara": "សាហារ៉ាខាងលិច", + "Whoops": "អុប", + "Whoops!": "អុប!", + "With Trashed": "ជាមួយនឹងសម្រាម", + "Write": "សរសេរ", + "Year To Date": "ឆ្នាំកាលបរិច្ឆេទ", + "Yemen": "យេម៉ែន", + "Yes": "បាទ\/ចាស៎", + "You are receiving this email because we received a password reset request for your account.": "អ្នកទទួលអ៊ីម៉ែលនេះព្រោះយើងបានទទួលពាក្យសម្ងាត់កំណត់ស្នើសុំសម្រាប់គណនីរបស់អ្នក។", + "Zambia": "សំប៊ី", + "Zimbabwe": "ស៊ីមបាវ៉េ" +} diff --git a/locales/km/packages/spark-paddle.json b/locales/km/packages/spark-paddle.json new file mode 100644 index 00000000000..4a82519d72e --- /dev/null +++ b/locales/km/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "លក្ខខណ្ឌនៃសេវាកម្ម", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "អុប! អ្វីមួយបានទៅខុស។", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/km/packages/spark-stripe.json b/locales/km/packages/spark-stripe.json new file mode 100644 index 00000000000..e0cf8572ccd --- /dev/null +++ b/locales/km/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "អាហ្វហ្គានីស្ថាន", + "Albania": "អាល់បានី", + "Algeria": "អាល់ហ្សេរី", + "American Samoa": "សាម័រ អាមេរិកាំង", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "អង់ដូរ៉ា", + "Angola": "អង់ហ្គោឡា", + "Anguilla": "អង់ហ្គីឡា", + "Antarctica": "អង់តាក់ទិក", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "អាហ្សង់ទីន", + "Armenia": "អាមេនី", + "Aruba": "អារូបា", + "Australia": "អូស្ត្រាលី", + "Austria": "អូទ្រីស", + "Azerbaijan": "អាស៊ែបៃហ្សង់", + "Bahamas": "បាហាម៉ា", + "Bahrain": "បារ៉ែន", + "Bangladesh": "បង់ក្លាដែស", + "Barbados": "បាបាដុស", + "Belarus": "បេឡារុស", + "Belgium": "បែលហ្ស៊ិក", + "Belize": "បេលី", + "Benin": "បេណាំង", + "Bermuda": "ប៊ឺមុយដា", + "Bhutan": "ប៊ូតង់", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "បុតស្វាណា", + "Bouvet Island": "កោះ​ប៊ូវ៉េត", + "Brazil": "ប្រេស៊ីល", + "British Indian Ocean Territory": "ដែនដី​អង់គ្លេស​នៅ​មហា​សមុទ្រ​ឥណ្ឌា", + "Brunei Darussalam": "ព្រុយណេ", + "Bulgaria": "ប៊ុលហ្គារី", + "Burkina Faso": "បួគីណាហ្វាសូ", + "Burundi": "ប៊ូរុនឌី", + "Cambodia": "កម្ពុជា", + "Cameroon": "កាមេរូន", + "Canada": "កាណាដា", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "ជ្រោយវែរ", + "Card": "កាត", + "Cayman Islands": "កោះ​កៃម៉ង់", + "Central African Republic": "សាធារណរដ្ឋអាហ្វ្រិកកណ្ដាល", + "Chad": "ឆាដ", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "ស៊ីលី", + "China": "ចិន", + "Christmas Island": "កោះ​គ្រីស្មាស", + "City": "City", + "Cocos (Keeling) Islands": "កោះ​កូកូស (គីលីង)", + "Colombia": "កូឡុំប៊ី", + "Comoros": "កូម័រ", + "Confirm Payment": "បញ្ជាក់ការទូទាត់", + "Confirm your :amount payment": "បញ្ជាក់ការទូទាត់របស់អ្នកចំនួន :amount ", + "Congo": "កុងហ្គោ - ប្រាហ្សាវីល", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "កោះ​ខូក", + "Costa Rica": "កូស្តារីកា", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "ក្រូអាស៊ី", + "Cuba": "គុយបា", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "ស៊ីប", + "Czech Republic": "ឆែគា", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "ដាណឺម៉ាក", + "Djibouti": "ជីប៊ូទី", + "Dominica": "ដូមីនីក", + "Dominican Republic": "សាធារណរដ្ឋ​ដូមីនីក", + "Download Receipt": "Download Receipt", + "Ecuador": "អេក្វាទ័រ", + "Egypt": "អេហ្ស៊ីប", + "El Salvador": "អែលសាល់វ៉ាឌ័រ", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "ហ្គីណេអេក្វាទ័រ", + "Eritrea": "អេរីត្រេ", + "Estonia": "អេស្តូនី", + "Ethiopia": "អេត្យូពី", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "បញ្ជាក់បន្ថែមគឺត្រូវការដើម្បីដំណើរការការទូទាត់របស់អ្នក។ សូមបន្តការទូទាត់ទំព័រដោយចុចលើប៊ូតុងខាងក្រោម។", + "Falkland Islands (Malvinas)": "កោះ​ហ្វក់ឡែន", + "Faroe Islands": "កោះ​ហ្វារ៉ូ", + "Fiji": "ហ្វីជី", + "Finland": "ហ្វាំងឡង់", + "France": "បារាំង", + "French Guiana": "ហ្គីអាណា បារាំង", + "French Polynesia": "ប៉ូលី​ណេស៊ី​បារាំង", + "French Southern Territories": "ដែនដី​បារាំង​នៅ​ភាគខាងត្បូង", + "Gabon": "ហ្គាបុង", + "Gambia": "ហ្គំប៊ី", + "Georgia": "ហ្សកហ្ស៊ី", + "Germany": "អាល្លឺម៉ង់", + "Ghana": "ហ្គាណា", + "Gibraltar": "ហ្ស៊ីប្រាល់តា", + "Greece": "ក្រិក", + "Greenland": "ហ្គ្រោអង់ឡង់", + "Grenada": "ហ្គ្រើណាដ", + "Guadeloupe": "ហ្គោដឺឡុប", + "Guam": "ហ្គាំ", + "Guatemala": "ក្វាតេម៉ាឡា", + "Guernsey": "ហ្គេនស៊ី", + "Guinea": "ហ្គីណេ", + "Guinea-Bissau": "ហ្គីណេប៊ីស្សូ", + "Guyana": "ហ្គីយ៉ាន", + "Haiti": "ហៃទី", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "ហុងឌូរ៉ាស", + "Hong Kong": "ហុងកុង", + "Hungary": "ហុងគ្រី", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "អ៊ីស្លង់", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "ឥណ្ឌា", + "Indonesia": "ឥណ្ឌូណេស៊ី", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "អ៊ីរ៉ាក់", + "Ireland": "អៀរឡង់", + "Isle of Man": "Isle of Man", + "Israel": "អ៊ីស្រាអែល", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "អ៊ីតាលី", + "Jamaica": "ហ្សាម៉ាអ៊ីក", + "Japan": "ជប៉ុន", + "Jersey": "ជឺស៊ី", + "Jordan": "ហ៊្សកដានី", + "Kazakhstan": "កាហ្សាក់ស្ថាន", + "Kenya": "កេនយ៉ា", + "Kiribati": "គិរីបាទី", + "Korea, Democratic People's Republic of": "រ៉េខាងជើង", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "កូវ៉ែត", + "Kyrgyzstan": "កៀហ្ស៊ីស៊ីស្ថាន", + "Lao People's Democratic Republic": "ឡាវ", + "Latvia": "ឡេតូនី", + "Lebanon": "លីបង់", + "Lesotho": "ឡេសូតូ", + "Liberia": "លីបេរីយ៉ា", + "Libyan Arab Jamahiriya": "លីប៊ី", + "Liechtenstein": "លិចតិនស្ដាញ", + "Lithuania": "លីទុយអានី", + "Luxembourg": "លុចសំបួ", + "Macao": "ម៉ាកាវ តំបន់រដ្ឋបាលពិសេសចិន", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "ម៉ាដាហ្គាស្កា", + "Malawi": "ម៉ាឡាវី", + "Malaysia": "ម៉ាឡេស៊ី", + "Maldives": "ម៉ាល់ឌីវ", + "Mali": "ម៉ាលី", + "Malta": "ម៉ាល់ត៍", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "កោះ​ម៉ាស់សល", + "Martinique": "ម៉ាទីនីក", + "Mauritania": "ម៉ូរីតានី", + "Mauritius": "ម៉ូរីស", + "Mayotte": "ម៉ាយុត", + "Mexico": "ម៉ិកស៊ិក", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "ម៉ូណាកូ", + "Mongolia": "ម៉ុងហ្គោលី", + "Montenegro": "ម៉ុងតេណេហ្គ្រោ", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "ម៉ុងស៊ែរ៉ា", + "Morocco": "ម៉ារ៉ុក", + "Mozambique": "ម៉ូសំប៊ិក", + "Myanmar": "មីយ៉ាន់ម៉ា (ភូមា)", + "Namibia": "ណាមីប៊ី", + "Nauru": "ណូរូ", + "Nepal": "នេប៉ាល់", + "Netherlands": "ហូឡង់", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "នូវែល​កាឡេដូនី", + "New Zealand": "នូវែល​សេឡង់", + "Nicaragua": "នីការ៉ាហ្គា", + "Niger": "នីហ្សេ", + "Nigeria": "នីហ្សេរីយ៉ា", + "Niue": "ណៀ", + "Norfolk Island": "កោះ​ណ័រហ្វក់", + "Northern Mariana Islands": "កោះ​ម៉ារីណា​ខាង​ជើង", + "Norway": "ន័រវែស", + "Oman": "អូម៉ង់", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "ប៉ាគីស្ថាន", + "Palau": "ផៅឡូ", + "Palestinian Territory, Occupied": "ទឹកដីប៉ាឡេស្ទីន", + "Panama": "ប៉ាណាម៉ា", + "Papua New Guinea": "ប៉ាពូអាស៊ី​នូវែលហ្គីណេ", + "Paraguay": "ប៉ារ៉ាហ្គាយ", + "Payment Information": "Payment Information", + "Peru": "ប៉េរូ", + "Philippines": "ហ្វីលីពីន", + "Pitcairn": "កោះ​ភីតកាន", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "ប៉ូឡូញ", + "Portugal": "ព័រទុយហ្គាល់", + "Puerto Rico": "ព័រតូរីកូ", + "Qatar": "កាតា", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "រូម៉ានី", + "Russian Federation": "រុស្ស៊ី", + "Rwanda": "រវ៉ាន់ដា", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "St។ Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "សាំងលូស៊ី", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "សាម័រ", + "San Marino": "សាន​ម៉ារីណូ", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "អារ៉ាប៊ីសាអូឌីត", + "Save": "រក្សាទុក", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "សេណេហ្គាល់", + "Serbia": "សែប៊ី", + "Seychelles": "សីស្ហែល", + "Sierra Leone": "សៀរ៉ាឡេអូន", + "Signed in as": "Signed in as", + "Singapore": "សិង្ហបុរី", + "Slovakia": "ស្លូវ៉ាគី", + "Slovenia": "ស្លូវេនី", + "Solomon Islands": "កោះ​សូឡូម៉ុង", + "Somalia": "សូម៉ាលី", + "South Africa": "អាហ្វ្រិកខាងត្បូង", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "អេស្ប៉ាញ", + "Sri Lanka": "ស្រីលង្កា", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "ស៊ូដង់", + "Suriname": "សូរីណាម", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "ស្វាស៊ីឡង់", + "Sweden": "ស៊ុយអែត", + "Switzerland": "ស្វីស", + "Syrian Arab Republic": "ស៊ីរី", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "តាហ្ស៊ីគីស្ថាន", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "លក្ខខណ្ឌនៃសេវាកម្ម", + "Thailand": "ថៃ", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "ទីម័រលេស្តេ", + "Togo": "តូហ្គោ", + "Tokelau": "តូខេឡៅ", + "Tonga": "តុងហ្គា", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "ទុយនីស៊ី", + "Turkey": "តួកគី", + "Turkmenistan": "តួកម៉េនីស្ថាន", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "ទូវ៉ាលូ", + "Uganda": "អ៊ូហ្គង់ដា", + "Ukraine": "អ៊ុយក្រែន", + "United Arab Emirates": "អេមីរ៉ាត​អារ៉ាប់​រួម", + "United Kingdom": "សហព្រះរាជ្យ", + "United States": "សហរដ្ឋអាមេ", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "ទាន់សម័យ", + "Update Payment Information": "Update Payment Information", + "Uruguay": "អ៊ុយរូហ្គាយ", + "Uzbekistan": "អ៊ូសបេគីស្ថាន", + "Vanuatu": "វ៉ានូទូ", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "វៀតណាម", + "Virgin Islands, British": "អង់គ្លេសវឺដ្យីនកោះ", + "Virgin Islands, U.S.": "U។S។ កោះ", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "សាហារ៉ាខាងលិច", + "Whoops! Something went wrong.": "អុប! អ្វីមួយបានទៅខុស។", + "Yearly": "Yearly", + "Yemen": "យេម៉ែន", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "សំប៊ី", + "Zimbabwe": "ស៊ីមបាវ៉េ", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/kn/kn.json b/locales/kn/kn.json index b94ed1245b0..23fcaa391e7 100644 --- a/locales/kn/kn.json +++ b/locales/kn/kn.json @@ -1,710 +1,48 @@ { - "30 Days": "30 ದಿನಗಳ", - "60 Days": "60 ದಿನಗಳ", - "90 Days": "90 ದಿನಗಳ", - ":amount Total": ":amount ಒಟ್ಟು", - ":days day trial": ":days day trial", - ":resource Details": ":resource ವಿವರಗಳು", - ":resource Details: :title": ":resource ವಿವರಗಳು: :title", "A fresh verification link has been sent to your email address.": "ನಿಮ್ಮ ಇಮೇಲ್ ವಿಳಾಸಕ್ಕೆ ಹೊಸ ಪರಿಶೀಲನೆ ಲಿಂಕ್ ಅನ್ನು ಕಳುಹಿಸಲಾಗಿದೆ.", - "A new verification link has been sent to the email address you provided during registration.": "ಒಂದು ಹೊಸ ಪರಿಶೀಲನೆ ಲಿಂಕ್ ಮಾಡಲಾಗಿದೆ ಕಳುಹಿಸಲಾಗಿದೆ ನೀವು ಒದಗಿಸಿದ ಇಮೇಲ್ ವಿಳಾಸವನ್ನು ನೋಂದಣಿ ಸಮಯದಲ್ಲಿ.", - "Accept Invitation": "ಆಮಂತ್ರಣವನ್ನು ಸ್ವೀಕರಿಸುವುದಿಲ್ಲ", - "Action": "ಕ್ರಮ", - "Action Happened At": "ಸಂಭವಿಸಿದ ನಲ್ಲಿ", - "Action Initiated By": "ಚಾಲನೆ", - "Action Name": "ಹೆಸರು", - "Action Status": "ಸ್ಥಿತಿ", - "Action Target": "ಗುರಿ", - "Actions": "ಕ್ರಮಗಳು", - "Add": "ಸೇರಿಸಿ", - "Add a new team member to your team, allowing them to collaborate with you.": "ಸೇರಿಸಿ ಒಂದು ಹೊಸ ತಂಡದ ಸದಸ್ಯ, ನಿಮ್ಮ ತಂಡ, ಅವುಗಳನ್ನು ಅವಕಾಶ, ನೀವು ಸಹಯೋಗ.", - "Add additional security to your account using two factor authentication.": "ಸೇರಿಸಿ ಹೆಚ್ಚುವರಿ ಭದ್ರತಾ ಬಳಸಿ ನಿಮ್ಮ ಖಾತೆಗೆ ಎರಡು ಫ್ಯಾಕ್ಟರ್ ದೃಢೀಕರಣ.", - "Add row": "ಸೇರಿಸಿ ಸಾಲು", - "Add Team Member": "ಸೇರಿಸಿ ತಂಡದ ಸದಸ್ಯ", - "Add VAT Number": "Add VAT Number", - "Added.": "ಸೇರಿಸಲಾಗಿದೆ.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "ನಿರ್ವಾಹಕರು", - "Administrator users can perform any action.": "ನಿರ್ವಾಹಕರು ಬಳಕೆದಾರರು ನಿರ್ವಹಿಸಲು ಯಾವುದೇ ಕ್ರಮ.", - "Afghanistan": "ಅಫ್ಘಾನಿಸ್ಥಾನ", - "Aland Islands": "Åland ದ್ವೀಪಗಳು", - "Albania": "ಅಲ್ಬೇನಿಯಾ", - "Algeria": "ಆಲ್ಜೀರಿಯಾ", - "All of the people that are part of this team.": "ಎಲ್ಲಾ ಜನರು ಭಾಗವಾಗಿರುವ ಈ ತಂಡ.", - "All resources loaded.": "ಎಲ್ಲಾ ಸಂಪನ್ಮೂಲಗಳನ್ನು ಲೋಡ್.", - "All rights reserved.": "ಎಲ್ಲ ಹಕ್ಕುಗಳನ್ನು ಕಾಯ್ದಿರಿಸಲಾಗಿದೆ.", - "Already registered?": "ಈಗಾಗಲೇ ನೋಂದಾಯಿತ?", - "American Samoa": "ಅಮೆರಿಕನ್ ಸಮೋವಾ", - "An error occured while uploading the file.": "ಒಂದು ದೋಷ ಸಂಭವಿಸಿದೆ ಮಾಡುವಾಗ ಅಪ್ಲೋಡ್ ಫೈಲ್.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorran", - "Angola": "ಅಂಗೋಲ", - "Anguilla": "Albania", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "ಮತ್ತೊಂದು ಬಳಕೆದಾರ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ ಈ ಸಂಪನ್ಮೂಲ ರಿಂದ ಈ ಪುಟ ಲೋಡ್. ಪುಟ ರಿಫ್ರೆಶ್ ಮಾಡಿ ಹಾಗೂ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ.", - "Antarctica": "ಅಂಟಾರ್ಟಿಕಾ", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "ಆಂಟಿಗುವ ಮತ್ತು ಬಾರ್ಬುಡ", - "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 ಸಂಕೇತಗಳನ್ನು ಅವಕಾಶ ಮೂರನೇ ಪಕ್ಷದ ಸೇವೆಗಳನ್ನು ದೃಢೀಕರಿಸಲು ನಮ್ಮ ಅಪ್ಲಿಕೇಶನ್ ನಿಮ್ಮ ಪರವಾಗಿ.", - "April": "ಏಪ್ರಿಲ್", - "Are you sure you want to delete the selected resources?": "Are you sure you want to delete the selected ಸಂಪನ್ಮೂಲಗಳನ್ನು?", - "Are you sure you want to delete this file?": "Are you sure you want to delete this file?", - "Are you sure you want to delete this resource?": "Are you sure you want to delete this ಸಂಪನ್ಮೂಲ?", - "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 ಈ ತಂಡ? ಒಮ್ಮೆ ಒಂದು ತಂಡ ಅಳಿಸಲಾಗಿದೆ, ಅದರ ಎಲ್ಲಾ ಸಂಪನ್ಮೂಲಗಳನ್ನು ಮತ್ತು ಡೇಟಾ ಶಾಶ್ವತವಾಗಿ ಅಳಿಸಲಾಗುತ್ತದೆ.", - "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 ನಿಮ್ಮ ಖಾತೆಯನ್ನು? ಒಮ್ಮೆ ನಿಮ್ಮ ಖಾತೆಯನ್ನು ಅಳಿಸಲಾಗಿದೆ, ಅದರ ಎಲ್ಲಾ ಸಂಪನ್ಮೂಲಗಳನ್ನು ಮತ್ತು ಡೇಟಾ ಶಾಶ್ವತವಾಗಿ ಅಳಿಸಲಾಗುತ್ತದೆ. ದಯವಿಟ್ಟು ನಮೂದಿಸಿ, ನಿಮ್ಮ ಗುಪ್ತಪದವನ್ನು ಖಚಿತಪಡಿಸಿ ನೀವು ಬಯಸಿದರೆ, ಶಾಶ್ವತವಾಗಿ ಅಳಿಸಲು ನಿಮ್ಮ ಖಾತೆಯನ್ನು.", - "Are you sure you want to detach the selected resources?": "Are you sure you want to ಬೇರ್ಪಡಿಸಬಹುದು ಆಯ್ದ ಸಂಪನ್ಮೂಲಗಳನ್ನು?", - "Are you sure you want to detach this resource?": "Are you sure you want to ಬೇರ್ಪಡಿಸಬಹುದು ಈ ಸಂಪನ್ಮೂಲ?", - "Are you sure you want to force delete the selected resources?": "Are you sure you want to force ಅಳಿಸಲು ಆಯ್ದ ಸಂಪನ್ಮೂಲಗಳನ್ನು?", - "Are you sure you want to force delete this resource?": "Are you sure you want to force ಅಳಿಸಲು ಈ ಸಂಪನ್ಮೂಲ?", - "Are you sure you want to restore the selected resources?": "Are you sure you want to restore ಆಯ್ಕೆ ಸಂಪನ್ಮೂಲಗಳನ್ನು?", - "Are you sure you want to restore this resource?": "Are you sure you want to restore ಈ ಸಂಪನ್ಮೂಲ?", - "Are you sure you want to run this action?": "Are you sure you want to run this action?", - "Are you sure you would like to delete this API token?": "Are you sure you would like to ಅಳಿಸಿ ಈ API ಟೋಕನ್?", - "Are you sure you would like to leave this team?": "Are you sure you would like to leave ಈ ತಂಡ?", - "Are you sure you would like to remove this person from the team?": "Are you sure you would like to remove ಈ ವ್ಯಕ್ತಿ ತಂಡದಿಂದ?", - "Argentina": "ಅರ್ಜೆಂಟೀನಾ", - "Armenia": "ಅರ್ಮೇನಿಯ", - "Aruba": "ಅರುಬಾ", - "Attach": "ಲಗತ್ತಿಸಬಹುದು", - "Attach & Attach Another": "ಲಗತ್ತಿಸಬಹುದು & ಲಗತ್ತಿಸುವ ಮತ್ತೊಂದು", - "Attach :resource": "ಲಗತ್ತಿಸಬಹುದು :resource", - "August": "ಆಗಸ್ಟ್", - "Australia": "ಆಸ್ಟ್ರೇಲಿಯಾ", - "Austria": "ಆಸ್ಟ್ರಿಯಾ", - "Azerbaijan": "ಅಜರ್ಬೈಜಾನ್", - "Bahamas": "ಬಹಾಮಾಸ್", - "Bahrain": "ಬಹರೇನ್", - "Bangladesh": "ಬಾಂಗ್ಲಾದೇಶ", - "Barbados": "ಬಾರ್ಬಡೋಸ್", "Before proceeding, please check your email for a verification link.": "ಮುಂದುವರಿಯುವ ಮೊದಲು, ದಯವಿಟ್ಟು ಪರಿಶೀಲನಾ ಲಿಂಕ್ಗಾಗಿ ನಿಮ್ಮ ಇಮೇಲ್ ಅನ್ನು ಪರಿಶೀಲಿಸಿ.", - "Belarus": "ಬೆಲಾರಸ್", - "Belgium": "ಬೆಲ್ಜಿಯಂ", - "Belize": "ಬೆಲೀಜ್", - "Benin": "ಬೆನಿನ್", - "Bermuda": "ಬರ್ಮುಡಾ", - "Bhutan": "ಭೂತಾನ್", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "ಬಲ್ಗೇರಿಯಾ", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, ಸಿಂಟ್ Eustatius ಮತ್ತು ಶನಿವಾರ", - "Bosnia And Herzegovina": "ಬೋಸ್ನಿಯಾ ಮತ್ತು ಹರ್ಜೆಗೋವಿನಾ", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "ಬೋಟ್ಸ್ವಾನ", - "Bouvet Island": "Bouvet ದ್ವೀಪ", - "Brazil": "ಬ್ರೆಜಿಲ್", - "British Indian Ocean Territory": "ಬ್ರಿಟಿಷ್ ಇಂಡಿಯನ್ ಮಹಾಸಾಗರ ಪ್ರದೇಶ", - "Browser Sessions": "ಬ್ರೌಸರ್ ಅವಧಿಗಳು", - "Brunei Darussalam": "Brunei", - "Bulgaria": "ಬಲ್ಗೇರಿಯ", - "Burkina Faso": "ಬುರ್ಕಿನಾ ಫಾಸೊ", - "Burundi": "ಬುರುಂಡಿ", - "Cambodia": "ಕಾಂಬೋಡಿಯ", - "Cameroon": "ಕ್ಯಾಮರೂನ್", - "Canada": "ಕೆನಡಾ", - "Cancel": "ರದ್ದು", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "ಕೇಪ್ ವರ್ಡೆ", - "Card": "ಕಾರ್ಡ್", - "Cayman Islands": "ಕೇಮನ್ ದ್ವೀಪಗಳು", - "Central African Republic": "ಸೆಂಟ್ರಲ್ ಆಫ್ರಿಕನ್ ರಿಪಬ್ಲಿಕ್", - "Chad": "ಚಾಡ್", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "ಬದಲಾವಣೆಗಳು", - "Chile": "ಚಿಲಿ", - "China": "ಚೀನಾ", - "Choose": "ಆಯ್ಕೆ", - "Choose :field": "ಆಯ್ಕೆ :field", - "Choose :resource": "ಆಯ್ಕೆ :resource", - "Choose an option": "ಒಂದು ಆಯ್ಕೆಯನ್ನು ಆರಿಸಿ", - "Choose date": "ಆಯ್ಕೆ ದಿನಾಂಕ", - "Choose File": "ಫೈಲ್ ಆಯ್ಕೆ", - "Choose Type": "ಆಯ್ಕೆ ಮಾದರಿ", - "Christmas Island": "ಕ್ರಿಸ್ಮಸ್ ದ್ವೀಪ", - "City": "City", "click here to request another": "ಮತ್ತೊಂದನ್ನು ಕೇಳಲು ಇಲ್ಲಿ ಕ್ಲಿಕ್ ಮಾಡಿ", - "Click to choose": "ಕ್ಲಿಕ್ ಮಾಡಿ ಆಯ್ಕೆ", - "Close": "ಮುಚ್ಚಿ", - "Cocos (Keeling) Islands": "ಕೋಕೋಸ್ (Keeling) ದ್ವೀಪಗಳು", - "Code": "ಕೋಡ್", - "Colombia": "ಕೊಲಂಬಿಯಾ", - "Comoros": "ಸಮೋವಾ", - "Confirm": "ಖಚಿತಪಡಿಸಿ", - "Confirm Password": "ಪಾಸ್ವರ್ಡ್ ದೃಢೀಕರಿಸಿ", - "Confirm Payment": "ಪಾವತಿ ಖಚಿತಪಡಿಸಲು", - "Confirm your :amount payment": "Confirm your :amount ಪಾವತಿ", - "Congo": "ಕಾಂಗೋ", - "Congo, Democratic Republic": "ಕಾಂಗೋ, ಪ್ರಜಾಸತ್ತಾತ್ಮಕ ಗಣರಾಜ್ಯ", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "ನಿರಂತರ", - "Cook Islands": "ಕುಕ್ ದ್ವೀಪಗಳು", - "Costa Rica": "ಕೋಸ್ಟಾ ರಿಕಾ", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "could not be found.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "ರಚಿಸಿ", - "Create & Add Another": "ರಚಿಸಿ ಮತ್ತು ಮತ್ತೊಂದು ಸೇರಿಸಿ", - "Create :resource": "ರಚಿಸಲು :resource", - "Create a new team to collaborate with others on projects.": "ರಚಿಸಲು ಒಂದು ಹೊಸ ತಂಡದ ಸಹಯೋಗ ಇತರರು ಯೋಜನೆಗಳು.", - "Create Account": "ಖಾತೆಯನ್ನು ರಚಿಸಿ", - "Create API Token": "ರಚಿಸಲು API ಟೋಕನ್", - "Create New Team": "ರಚಿಸಿ ಹೊಸ ತಂಡ", - "Create Team": "ರಚಿಸಲು ತಂಡ", - "Created.": "ದಾಖಲಿಸಿದವರು.", - "Croatia": "ಕ್ರೊಯೇಷಿಯಾ", - "Cuba": "ಕ್ಯೂಬಾ", - "Curaçao": "Curacao", - "Current Password": "ಪ್ರಸ್ತುತ ಪಾಸ್ವರ್ಡ್", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "ಕಸ್ಟಮೈಸ್", - "Cyprus": "ಸೈಪ್ರಸ್", - "Czech Republic": "ಜೆಕಿಯಾ", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "ಡ್ಯಾಶ್ಬೋರ್ಡ್", - "December": "ಡಿಸೆಂಬರ್", - "Decrease": "ಇಳಿಕೆ", - "Delete": "ಅಳಿಸಿ", - "Delete Account": "ಖಾತೆಯನ್ನು ಅಳಿಸಿ", - "Delete API Token": "ಅಳಿಸಿ API ಟೋಕನ್", - "Delete File": "ಫೈಲ್ ಅಳಿಸಿ", - "Delete Resource": "ಅಳಿಸಿ ಸಂಪನ್ಮೂಲ", - "Delete Selected": "ಅಳಿಸಿ ಆಯ್ಕೆ", - "Delete Team": "ಅಳಿಸಿ ತಂಡ", - "Denmark": "ಡೆನ್ಮಾರ್ಕ್", - "Detach": "ಬೇರ್ಪಡಿಸಬಹುದು", - "Detach Resource": "ಬೇರ್ಪಡಿಸಬಹುದು ಸಂಪನ್ಮೂಲ", - "Detach Selected": "ಬೇರ್ಪಡಿಸಬಹುದು ಆಯ್ಕೆ", - "Details": "ವಿವರಗಳು", - "Disable": "ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ", - "Djibouti": "ಜಿಬೌಟಿ", - "Do you really want to leave? You have unsaved changes.": "Do you really want to leave? ನೀವು ಉಳಿಸದೇ ಇರುವ ಬದಲಾವಣೆಗಳು.", - "Dominica": "ಭಾನುವಾರ", - "Dominican Republic": "ಡೊಮಿನಿಕನ್ ರಿಪಬ್ಲಿಕ್", - "Done.": "ಮಾಡಲಾಗುತ್ತದೆ.", - "Download": "ಡೌನ್ಲೋಡ್", - "Download Receipt": "Download Receipt", "E-Mail Address": "ಇಮೇಲ್ ವಿಳಾಸ", - "Ecuador": "ಈಕ್ವೆಡಾರ್", - "Edit": "ಸಂಪಾದಿಸಿ", - "Edit :resource": "ಸಂಪಾದಿಸಿ :resource", - "Edit Attached": "ಸಂಪಾದಿಸಿ ಲಗತ್ತಿಸಲಾದ", - "Editor": "ಸಂಪಾದಕ", - "Editor users have the ability to read, create, and update.": "ಸಂಪಾದಕ ಬಳಕೆದಾರರು ಸಾಮರ್ಥ್ಯವನ್ನು ಹೊಂದಿವೆ ಓದಲು, ರಚಿಸಲು, ಮತ್ತು ಅಪ್ಡೇಟ್.", - "Egypt": "ಈಜಿಪ್ಟ್", - "El Salvador": "ಸಾಲ್ವಡಾರ್", - "Email": "ಇಮೇಲ್", - "Email Address": "ಇಮೇಲ್ ವಿಳಾಸ", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "ಇಮೇಲ್ ಪಾಸ್ವರ್ಡ್ ಮರುಹೊಂದಿಸಿ ಲಿಂಕ್", - "Enable": "ಸಕ್ರಿಯಗೊಳಿಸಿ", - "Ensure your account is using a long, random password to stay secure.": "ಖಚಿತಪಡಿಸಿಕೊಳ್ಳಲು ನಿಮ್ಮ ಖಾತೆಯನ್ನು ಬಳಸಿಕೊಂಡು ಒಂದು ದೀರ್ಘ, ಯಾದೃಚ್ಛಿಕ ಪಾಸ್ವರ್ಡ್ ಸುರಕ್ಷಿತ ಉಳಿಯಲು.", - "Equatorial Guinea": "ವಿಷುವದ್ರೇಖೆಯ ಗಿನಿ", - "Eritrea": "ಏರಿಟ್ರಿಯಾ", - "Estonia": "ಎಸ್ಟೋನಿಯಾ", - "Ethiopia": "ಇಥಿಯೋಪಿಯ", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "ಹೆಚ್ಚುವರಿ ದೃಢೀಕರಣ ಅಗತ್ಯವಿದೆ ಪ್ರಕ್ರಿಯೆ ನಿಮ್ಮ ಪಾವತಿ. ದಯವಿಟ್ಟು ಖಚಿತಪಡಿಸಿ ನಿಮ್ಮ ಪಾವತಿ ಭರ್ತಿ ಮೂಲಕ ನಿಮ್ಮ ಪಾವತಿ ವಿವರಗಳು ಕೆಳಗೆ.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "ಹೆಚ್ಚುವರಿ ದೃಢೀಕರಣ ಅಗತ್ಯವಿದೆ ಪ್ರಕ್ರಿಯೆ ನಿಮ್ಮ ಪಾವತಿ. ದಯವಿಟ್ಟು ಮುಂದುವರಿಸಿ ಪಾವತಿ ಪುಟ ಕ್ಲಿಕ್ಕಿಸಿ ಕೆಳಗಿನ ಬಟನ್.", - "Falkland Islands (Malvinas)": "ಫಾಕ್ಲ್ಯಾಂಡ್ ದ್ವೀಪಗಳು (Malvinas)", - "Faroe Islands": "ಫೆರೋ ದ್ವೀಪಗಳು", - "February": "ಫೆಬ್ರವರಿ", - "Fiji": "Fiji", - "Finland": "ಫಿನ್ಲ್ಯಾಂಡ್", - "For your security, please confirm your password to continue.": "ನಿಮ್ಮ ಭದ್ರತಾ, ದಯವಿಟ್ಟು ನಿಮ್ಮ ಗುಪ್ತಪದವನ್ನು ಖಚಿತಪಡಿಸಿ ಮುಂದುವರಿಸಲು.", "Forbidden": "ನಿಷೇಧಿಸಲಾಗಿದೆ", - "Force Delete": "ಫೋರ್ಸ್ ಅಳಿಸಿ", - "Force Delete Resource": "ಫೋರ್ಸ್ ಅಳಿಸಿ ಸಂಪನ್ಮೂಲ", - "Force Delete Selected": "ಫೋರ್ಸ್ ಅಳಿಸಿ ಆಯ್ಕೆ", - "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.": "ನಿಮ್ಮ ಪಾಸ್ವರ್ಡ್ ಮರೆತಿರುವಿರಾ? ಯಾವುದೇ ಸಮಸ್ಯೆ. ಕೇವಲ ನಮಗೆ ತಿಳಿಸಿ, ನಿಮ್ಮ ಇಮೇಲ್ ವಿಳಾಸ ಮತ್ತು ನಾವು ನೀವು ಇಮೇಲ್ ಪಾಸ್ವರ್ಡ್ ಮರುಹೊಂದಿಸಿ ಲಿಂಕ್ that will allow you to choose a new one.", - "France": "ಫ್ರಾನ್ಸ್", - "French Guiana": "ಫ್ರೆಂಚ್ ಗಯಾನಾ", - "French Polynesia": "ಫ್ರೆಂಚ್ ಪೋಲಿನೇಷಿಯ", - "French Southern Territories": "ಫ್ರೆಂಚ್ ದಕ್ಷಿಣ ಪ್ರಾಂತ್ಯಗಳು", - "Full name": "ಪೂರ್ಣ ಹೆಸರು", - "Gabon": "ಗೆಬೊನ್", - "Gambia": "ಗ್ಯಾಂಬಿಯಾ", - "Georgia": "ಜಾರ್ಜಿಯಾ", - "Germany": "ಜರ್ಮನಿ", - "Ghana": "ಘಾನಾ", - "Gibraltar": "ಗಿಬ್ರಾಲ್ಟರ್", - "Go back": "ಹಿಂತಿರುಗಿ", - "Go Home": "ಮುಖಪುಟಕ್ಕೆ ಹೋಗು", "Go to page :page": "ಹೋಗಿ ಪುಟ :page", - "Great! You have accepted the invitation to join the :team team.": "ಗ್ರೇಟ್! ನೀವು ಸ್ವೀಕರಿಸಿದ ಆಮಂತ್ರಣ ಸೇರಲು :team ತಂಡ.", - "Greece": "ಗ್ರೀಸ್", - "Greenland": "ಗ್ರೀನ್ಲ್ಯಾಂಡ್", - "Grenada": "Grenada", - "Guadeloupe": "ಗುಡೆಲೋಪ್", - "Guam": "ಗುಯಾಮ್", - "Guatemala": "ಗ್ವಾಟೆಮಾಲಾ", - "Guernsey": "ಗುರ್ನಸಿ", - "Guinea": "ಗಿನಿ", - "Guinea-Bissau": "ಗಿನಿ-ಬಿಸೌ", - "Guyana": "ಗಯಾನಾ", - "Haiti": "ಹೈಟಿ", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "ಹರ್ಡ್ ದ್ವೀಪ ಮತ್ತು ಮ್ಯಾಕ್ಡೊನಾಲ್ಡ್ ದ್ವೀಪಗಳು", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "ಹಲೋ!", - "Hide Content": "ಮರೆಮಾಡಿ ವಿಷಯ", - "Hold Up!": "ಹಿಡಿದಿಡಲು ಅಪ್!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "ಹೊಂಡುರಾಸ್", - "Hong Kong": "ಹಾಂಗ್ ಕಾಂಗ್", - "Hungary": "ಹಂಗರಿ", - "I agree to the :terms_of_service and :privacy_policy": "ನಾನು ಒಪ್ಪುತ್ತೇನೆ :terms_of_service ಮತ್ತು :privacy_policy", - "Iceland": "ಐಸ್ಲ್ಯಾಂಡ್", - "ID": "ID", - "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 you feel your account has been compromised, ನೀವು ಮಾಡಬೇಕು ಸಹ ನಿಮ್ಮ ಗುಪ್ತಪದವನ್ನು ನವೀಕರಿಸಲು.", "If necessary, you may logout 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 you feel your account has been compromised, ನೀವು ಮಾಡಬೇಕು ಸಹ ನಿಮ್ಮ ಗುಪ್ತಪದವನ್ನು ನವೀಕರಿಸಲು.", - "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.": "ನೀವು ನಿರೀಕ್ಷಿಸಿರಲಿಲ್ಲ ಸ್ವೀಕರಿಸಲು ಆಹ್ವಾನ ಈ ತಂಡ, you may ತಿರಸ್ಕರಿಸಲು ಈ ಇಮೇಲ್.", "If you did not receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": " \":actionText\" ಗುಂಡಿಯನ್ನು ಕ್ಲಿಕ್ ಮಾಡುವಲ್ಲಿ ನೀವು ತೊಂದರೆ ಹೊಂದಿದ್ದರೆ, ನಿಮ್ಮ ವೆಬ್ ಬ್ರೌಸರ್ಗೆ ಕೆಳಗಿನ URL ನಕಲಿಸಿ ಮತ್ತು ಅಂಟಿಸಿ: ", - "Increase": "ಹೆಚ್ಚಳ", - "India": "ಭಾರತ", - "Indonesia": "ಇಂಡೋನೇಷ್ಯಾ", "Invalid signature.": "ಅಮಾನ್ಯವಾದ ಸಹಿ.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "ಇರಾನ್", - "Iraq": "ಇರಾಕ್", - "Ireland": "ಐರ್ಲೆಂಡ್", - "Isle of Man": "Isle of Man", - "Isle Of Man": "ಐಲ್ ಆಫ್ ಮ್ಯಾನ್", - "Israel": "ಯೆಹೂದ್ಯರು ಯಾ ಯೇಹೂದ್ಯ ರಾಷ್ಟ್ರ", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "ಇಟಲಿ", - "Jamaica": "ಜಮೈಕಾ", - "January": "ಜನವರಿ", - "Japan": "ಜಪಾನ್", - "Jersey": "ಜೆರ್ಸಿ", - "Jordan": "ಜೋರ್ಡಾನ್", - "July": "ಜುಲೈ", - "June": "ಜೂನ್", - "Kazakhstan": "ಕಝಾಕಿಸ್ತಾನ್", - "Kenya": "ಕೀನ್ಯಾ", - "Key": "ಕೀ", - "Kiribati": "ಪಲಾವು", - "Korea": "ದಕ್ಷಿಣ ಕೊರಿಯಾ", - "Korea, Democratic People's Republic of": "ಉತ್ತರ ಕೊರಿಯಾ", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "ಕೊಸೊವೊ", - "Kuwait": "ಕುವೈತ್", - "Kyrgyzstan": "ಕಿರ್ಗಿಸ್ತಾನ್", - "Lao People's Democratic Republic": "ಲಾವೋಸ್", - "Last active": "ಕೊನೆಯ ಸಕ್ರಿಯ", - "Last used": "ಕಳೆದ ಬಳಸಲಾಗುತ್ತದೆ", - "Latvia": "ಲಾಟ್ವಿಯಾ", - "Leave": "ಬಿಟ್ಟು", - "Leave Team": "ಬಿಟ್ಟು ತಂಡ", - "Lebanon": "ಲೆಬನಾನ್", - "Lens": "ಲೆನ್ಸ್", - "Lesotho": "ಲೆಥೋಸೊ", - "Liberia": "ಲಿಬೇರಿಯಾ", - "Libyan Arab Jamahiriya": "ಲಿಬಿಯಾ", - "Liechtenstein": "ಮೊನಾಕೊ", - "Lithuania": "ಲಿಥುವೇನಿಯಾ", - "Load :perPage More": "ಲೋಡ್ ಹೆಚ್ಚು :perPage", - "Log in": "ಲಾಗ್", "Log out": "ಲಾಗ್ ಔಟ್", - "Log Out": "ಲಾಗ್ ಔಟ್", - "Log Out Other Browser Sessions": "ಲಾಗ್ ಔಟ್ ಇತರ ಬ್ರೌಸರ್ ಅವಧಿಗಳು", - "Login": "ಲಾಗಿನ್", - "Logout": "ಲಾಗ್ ಔಟ್", "Logout Other Browser Sessions": "ಲಾಗ್ಔಟ್ ಇತರ ಬ್ರೌಸರ್ ಅವಧಿಗಳು", - "Luxembourg": "ಲಕ್ಸೆಂಬರ್ಗ್", - "Macao": "ನಿಯೋಜನೆ", - "Macedonia": "ಉತ್ತರ ಮ್ಯಾಸೆಡೊನಿಯ", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "ಮಡಗಾಸ್ಕರ್", - "Malawi": "ಮಲಾವಿ", - "Malaysia": "ಮಲೇಷ್ಯಾ", - "Maldives": "ಮಾಲ್ಡೀವ್ಸ್", - "Mali": "ಸಣ್ಣ", - "Malta": "ಮಾಲ್ಟಾ", - "Manage Account": "ಖಾತೆ ನಿರ್ವಹಣೆ", - "Manage and log out your active sessions on other browsers and devices.": "ನಿರ್ವಹಿಸಿ ಮತ್ತು ಲಾಗ್ ಔಟ್ ನಿಮ್ಮ ಸಕ್ರಿಯ ಅವಧಿಯಲ್ಲಿ ಇತರ ಬ್ರೌಸರ್ಗಳು ಮತ್ತು ಸಾಧನಗಳು.", "Manage and logout your active sessions on other browsers and devices.": "ನಿರ್ವಹಿಸಿ ಮತ್ತು ಲಾಗ್ಔಟ್ ನಿಮ್ಮ ಸಕ್ರಿಯ ಅವಧಿಯಲ್ಲಿ ಇತರ ಬ್ರೌಸರ್ಗಳು ಮತ್ತು ಸಾಧನಗಳು.", - "Manage API Tokens": "ನಿರ್ವಹಿಸಿ API ಸಂಕೇತಗಳನ್ನು", - "Manage Role": "ನಿರ್ವಹಿಸಿ ಪಾತ್ರ", - "Manage Team": "ತಂಡ ನಿರ್ವಹಿಸಿ", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "ಮಾರ್ಚ್", - "Marshall Islands": "ಮಾರ್ಷಲ್ ದ್ವೀಪಗಳು", - "Martinique": "Martinique", - "Mauritania": "ಮಾರಿಟಾನಿಯ", - "Mauritius": "ಮಾರಿಷಸ್", - "May": "ಮೇ", - "Mayotte": "ಡೊಮಿನಿಕ", - "Mexico": "ಮೆಕ್ಸಿಕೋ", - "Micronesia, Federated States Of": "ಮೈಕ್ರೋನೇಶಿಯಾ", - "Moldova": "ಮೊಲ್ಡೊವಾ", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "ಮೊನಾಕೊ", - "Mongolia": "ಮಂಗೋಲಿಯಾ", - "Montenegro": "ಮಾಂಟೆನೆಗ್ರೊ", - "Month To Date": "ತಿಂಗಳು ದಿನಾಂಕ", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "ಮೋಂಟ್ಸೆರೆಟ್", - "Morocco": "ಮೊರಾಕೊ", - "Mozambique": "ಮೊಜಾಂಬಿಕ್", - "Myanmar": "ಮ್ಯಾನ್ಮಾರ್", - "Name": "ಹೆಸರು", - "Namibia": "ನಮೀಬಿಯಾ", - "Nauru": "ಸುಂಡಾನೀಸ್", - "Nepal": "ನೇಪಾಳ", - "Netherlands": "ನೆದರ್ಲ್ಯಾಂಡ್ಸ್", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "ಚಿಂತಿಸದಿರಿ", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "ಹೊಸ", - "New :resource": "ಹೊಸ :resource", - "New Caledonia": "ನ್ಯೂ ಕ್ಯಾಲೆಡೋನಿಯಾ", - "New Password": "ಹೊಸ ಪಾಸ್ವರ್ಡ್", - "New Zealand": "ನ್ಯೂ ಜಿಲಂಡ್", - "Next": "ಮುಂದಿನ", - "Nicaragua": "ನಿಕರಾಗುವಾ", - "Niger": "ನೈಜರ್", - "Nigeria": "ನೈಜೀರಿಯಾ", - "Niue": "ನಿಯು", - "No": "ಯಾವುದೇ", - "No :resource matched the given criteria.": "ಯಾವುದೇ :resource ದಾಖಲೆಗಳುಸರಿಹೊಂದಿವೆ ನಿರ್ದಿಷ್ಟ ಮಾನದಂಡಗಳನ್ನು.", - "No additional information...": "ಯಾವುದೇ ಹೆಚ್ಚುವರಿ ಮಾಹಿತಿ...", - "No Current Data": "ಯಾವುದೇ ಪ್ರಸ್ತುತ ಡೇಟಾ", - "No Data": "ಯಾವುದೇ ಮಾಹಿತಿ", - "no file selected": "ಯಾವುದೇ ಫೈಲ್ ಆಯ್ಕೆ", - "No Increase": "ಯಾವುದೇ ಹೆಚ್ಚಳ", - "No Prior Data": "ಯಾವುದೇ ಮೊದಲು ಡೇಟಾ", - "No Results Found.": "ಯಾವುದೇ ಫಲಿತಾಂಶಗಳು ಕಂಡುಬಂದಿಲ್ಲ.", - "Norfolk Island": "ನಾರ್ಫೋಕ್ ದ್ವೀಪ", - "Northern Mariana Islands": "ಉತ್ತರ ಮರಿಯಾನ ದ್ವೀಪಗಳು", - "Norway": "ನಾರ್ವೆ", "Not Found": "ಅಲ್ಲ ಕಂಡುಬಂದಿಲ್ಲ", - "Nova User": "ಹೊಸ ಬಳಕೆದಾರ", - "November": "ನವೆಂಬರ್", - "October": "ಅಕ್ಟೋಬರ್", - "of": "ಆಫ್", "Oh no": "ಓಹ್ ಇಲ್ಲ", - "Oman": "ಓಮನ್", - "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 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 Trashed": "ಕೇವಲ ಅನುಪಯುಕ್ತ", - "Original": "ಮೂಲ", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "ಪುಟದ ಅವಧಿ ಮುಗಿದಿದೆ", "Pagination Navigation": "ಪುಟ ವಿನ್ಯಾಸ ಸಂಚರಣೆ", - "Pakistan": "ಪಾಕಿಸ್ತಾನ", - "Palau": "ಪಲಾವು", - "Palestinian Territory, Occupied": "ಪ್ಯಾಲೆಸ್ಟೇನಿಯನ್ ಪ್ರಾಂತ್ಯಗಳು", - "Panama": "ಮಧ್ಯ ಅಮೆರಿಕದ ಪನಾಮಾ ನಗರ", - "Papua New Guinea": "ಪಪುವಾ ನ್ಯೂ ಗಿನೀ", - "Paraguay": "ಪರಾಗ್ವೇ", - "Password": "ಪಾಸ್ವರ್ಡ್", - "Pay :amount": "ಪಾವತಿ :amount", - "Payment Cancelled": "ಪಾವತಿ ರದ್ದು", - "Payment Confirmation": "ಪಾವತಿ ದೃಢೀಕರಣ", - "Payment Information": "Payment Information", - "Payment Successful": "ಪಾವತಿ ಯಶಸ್ವಿ", - "Pending Team Invitations": "ಬಾಕಿ ತಂಡ ಆಮಂತ್ರಣಗಳನ್ನು", - "Per Page": "ಪ್ರತಿ ಪುಟ", - "Permanently delete this team.": "ಶಾಶ್ವತವಾಗಿ ಅಳಿಸಿ ಈ ತಂಡ.", - "Permanently delete your account.": "ಶಾಶ್ವತವಾಗಿ ಅಳಿಸಲು ನಿಮ್ಮ ಖಾತೆಯನ್ನು.", - "Permissions": "ಅನುಮತಿಗಳನ್ನು", - "Peru": "ಪೆರು", - "Philippines": "ಫಿಲಿಪೈನ್ಸ್", - "Photo": "ಫೋಟೋ", - "Pitcairn": "ಪಿಟ್ಕೈರ್ನ್ ದ್ವೀಪಗಳು", "Please click the button below to verify your email address.": "ನಿಮ್ಮ ಇಮೇಲ್ ವಿಳಾಸವನ್ನು ಪರಿಶೀಲಿಸಲು ಕೆಳಗಿನ ಬಟನ್ ಕ್ಲಿಕ್ ಮಾಡಿ.", - "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 your password before continuing.": "ದಯವಿಟ್ಟು ನಿಮ್ಮ ಗುಪ್ತಪದವನ್ನು ಖಚಿತಪಡಿಸಿ ಮುಂದುವರೆಯುವ ಮೊದಲು.", - "Please copy your new API token. For your security, it won't be shown again.": "ದಯವಿಟ್ಟು ಪ್ರತಿಯನ್ನು ನಿಮ್ಮ ಹೊಸ API ಟೋಕನ್. ನಿಮ್ಮ ಭದ್ರತಾ, it won ' t be shown ಮತ್ತೆ.", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "ದಯವಿಟ್ಟು ಖಚಿತಪಡಿಸಲು ನಿಮ್ಮ ಗುಪ್ತಪದವನ್ನು ನಮೂದಿಸಿ you would like to log out, ನಿಮ್ಮ ಇತರ ಬ್ರೌಸರ್ ಅವಧಿಯಲ್ಲಿ ಎಲ್ಲಾ ಅಡ್ಡಲಾಗಿ ನಿಮ್ಮ ಸಾಧನಗಳು.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "ದಯವಿಟ್ಟು ಖಚಿತಪಡಿಸಲು ನಿಮ್ಮ ಗುಪ್ತಪದವನ್ನು ನಮೂದಿಸಿ you would like to logout, ನಿಮ್ಮ ಇತರ ಬ್ರೌಸರ್ ಅವಧಿಯಲ್ಲಿ ಎಲ್ಲಾ ಅಡ್ಡಲಾಗಿ ನಿಮ್ಮ ಸಾಧನಗಳು.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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 ಈ ತಂಡ.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Please provide the email address of the person you would like to add ಈ ತಂಡ. ಇಮೇಲ್ ವಿಳಾಸಕ್ಕೆ ಸಂಬಂಧಿಸಿದ ಮಾಡಬೇಕು ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಖಾತೆಯನ್ನು.", - "Please provide your name.": "ದಯವಿಟ್ಟು ಒದಗಿಸಲು ನಿಮ್ಮ ಹೆಸರು.", - "Poland": "ಪೋಲೆಂಡ್", - "Portugal": "ಪೋರ್ಚುಗಲ್", - "Press \/ to search": "ಪತ್ರಿಕಾ \/ ಹುಡುಕಾಟ", - "Preview": "ಮುನ್ನೋಟ", - "Previous": "ಹಿಂದಿನ", - "Privacy Policy": "ಗೌಪ್ಯತಾ ನೀತಿ", - "Profile": "ಪ್ರೊಫೈಲ್", - "Profile Information": "ಪ್ರೊಫೈಲ್ ಮಾಹಿತಿ", - "Puerto Rico": "ಪೋರ್ಟೊ ರಿಕೊ", - "Qatar": "Qatar", - "Quarter To Date": "ಕ್ವಾರ್ಟರ್ ದಿನಾಂಕ", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "ಚೇತರಿಕೆ ಕೋಡ್", "Regards": "ಅಭಿನಂದನೆಗಳು", - "Regenerate Recovery Codes": "ಮತ್ತೆ ಚೇತರಿಕೆ ಸಂಕೇತಗಳು", - "Register": "ನೋಂದಣಿ", - "Reload": "ರೀಲೋಡ್", - "Remember me": "ನನಗೆ ನೆನಪು", - "Remember Me": "ನನ್ನನ್ನು ನೆನಪಿನಲ್ಲಿಡು", - "Remove": "ತೆಗೆದುಹಾಕಿ", - "Remove Photo": "ತೆಗೆದುಹಾಕಿ ಫೋಟೋ", - "Remove Team Member": "ತೆಗೆದು ತಂಡದ ಸದಸ್ಯ", - "Resend Verification Email": "ಮತ್ತೆ ಕಳುಹಿಸಿ ಇಮೇಲ್ ಪರಿಶೀಲನೆ", - "Reset Filters": "ರೀಸೆಟ್ ಶೋಧಕಗಳು", - "Reset Password": "ಪಾಸ್ವರ್ಡ್ ಮರುಹೊಂದಿಸಿ", - "Reset Password Notification": "ಪಾಸ್ವರ್ಡ್ ಅಧಿಸೂಚನೆ ಮರುಹೊಂದಿಸಿ", - "resource": "ಸಂಪನ್ಮೂಲ", - "Resources": "ಸಂಪನ್ಮೂಲಗಳು", - "resources": "ಸಂಪನ್ಮೂಲಗಳು", - "Restore": "ಪುನಃಸ್ಥಾಪಿಸಲು", - "Restore Resource": "ಪುನಃಸ್ಥಾಪಿಸಲು ಸಂಪನ್ಮೂಲ", - "Restore Selected": "ಪುನಃಸ್ಥಾಪಿಸಲು ಆಯ್ಕೆ", "results": "ಫಲಿತಾಂಶಗಳು", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "ಸಭೆಯಲ್ಲಿ", - "Role": "ಪಾತ್ರ", - "Romania": "ರೊಮೇನಿಯಾ", - "Run Action": "ರನ್ ಕ್ರಮ", - "Russian Federation": "ರಶಿಯನ್ ಒಕ್ಕೂಟ", - "Rwanda": "ರುವಾಂಡಾ", - "Réunion": "Réunion", - "Saint Barthelemy": "ಸೇಂಟ್ Psg", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "ಸೇಂಟ್ ಹೆಲೆನಾ", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "ಸೇಂಟ್ ಕಿಟ್ಸ್ ಮತ್ತು ನೆವಿಸ್", - "Saint Lucia": "ಸೇಂಟ್ ಲೂಸಿಯಾ", - "Saint Martin": "ಸೇಂಟ್ ಮಾರ್ಟಿನ್", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "ಸೇಂಟ್ ಪಿಯರೆ ಮತ್ತು ಮಿಕೆಲನ್", - "Saint Vincent And Grenadines": "ಸೇಂಟ್ ವಿನ್ಸೆಂಟ್ ಮತ್ತು ಗ್ರೆನಡೀನ್ಸ್", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "ಸಮೋವಾ", - "San Marino": "ಸ್ಯಾನ್ ಮರಿನೋ", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "ಗಿನಿ ಬಿಸ್ಸಾವ್", - "Saudi Arabia": "ಸೌದಿ ಅರೇಬಿಯಾ", - "Save": "ಉಳಿಸಲು", - "Saved.": "ಉಳಿಸಿದ.", - "Search": "ಹುಡುಕಾಟ", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "ಆಯ್ಕೆ ಒಂದು ಹೊಸ ಫೋಟೋ", - "Select Action": "ಕ್ರಿಯೆಯನ್ನು ಆಯ್ಕೆ", - "Select All": "ಎಲ್ಲಾ ಆಯ್ಕೆ", - "Select All Matching": "ಆಯ್ಕೆ ಎಲ್ಲಾ ಹೊಂದಾಣಿಕೆಯ", - "Send Password Reset Link": "ಪಾಸ್ವರ್ಡ್ ಮರುಹೊಂದಿಸುವ ಲಿಂಕ್ ಕಳುಹಿಸಿ", - "Senegal": "ಸೆನೆಗಲ್", - "September": "ಸೆಪ್ಟೆಂಬರ್", - "Serbia": "ಸರ್ಬಿಯಾ", "Server Error": "ಸರ್ವರ್ ದೋಷ", "Service Unavailable": "ಸೇವೆ ಲಭ್ಯವಿಲ್ಲ", - "Seychelles": "ಸೇಶೆಲ್ಸ್", - "Show All Fields": "ಎಲ್ಲಾ ತೋರಿಸಿ ಜಾಗ", - "Show Content": "ವಿಷಯವನ್ನು ತೋರಿಸಲು", - "Show Recovery Codes": "ಶೋ ಚೇತರಿಕೆ ಸಂಕೇತಗಳು", "Showing": "ತೋರಿಸಲಾಗುತ್ತಿದೆ", - "Sierra Leone": "ಸಿಯೆರಾ ಲಿಯೋನ್", - "Signed in as": "Signed in as", - "Singapore": "ಸಿಂಗಾಪುರ", - "Sint Maarten (Dutch part)": "ಸೇಂಟ್ Maarten", - "Slovakia": "ಸ್ಲೋವಾಕಿಯಾ", - "Slovenia": "ಸ್ಲೊವೇನಿಯಾ", - "Solomon Islands": "ಸೊಲೊಮನ್ ದ್ವೀಪಗಳು", - "Somalia": "ಸೊಮಾಲಿಯಾ", - "Something went wrong.": "ಏನೋ ತಪ್ಪಾಗಿದೆ.", - "Sorry! You are not authorized to perform this action.": "ಕ್ಷಮಿಸಿ! You are not authorized to perform this action.", - "Sorry, your session has expired.": "ಕ್ಷಮಿಸಿ, ನಿಮ್ಮ ಅಧಿವೇಶನ ಮುಗಿದಿದೆ.", - "South Africa": "ದಕ್ಷಿಣ ಆಫ್ರಿಕಾ", - "South Georgia And Sandwich Isl.": "ದಕ್ಷಿಣ ಜಾರ್ಜಿಯಾ ಮತ್ತು ದಕ್ಷಿಣ ಸ್ಯಾಂಡ್ವಿಚ್ ದ್ವೀಪಗಳು", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "ದಕ್ಷಿಣ ಸುಡಾನ್", - "Spain": "ಸ್ಪೇನ್", - "Sri Lanka": "ಶ್ರೀಲಂಕಾ", - "Start Polling": "ಮತದಾನ ಆರಂಭ", - "State \/ County": "State \/ County", - "Stop Polling": "ಸ್ಟಾಪ್ ಮತದಾನ", - "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.": "ಅಂಗಡಿ ಈ ಚೇತರಿಕೆ ಸಂಕೇತಗಳು ಸುರಕ್ಷಿತ ಪಾಸ್ವರ್ಡ್ ನಿರ್ವಾಹಕ. ಅವರು ಚೇತರಿಸಿಕೊಳ್ಳಲು ಬಳಸಬಹುದು ಪ್ರವೇಶವನ್ನು ನಿಮ್ಮ ಖಾತೆಗೆ ನೀವು ನಿಮ್ಮ ಎರಡು ಫ್ಯಾಕ್ಟರ್ ದೃಢೀಕರಣ ಸಾಧನ ಕಳೆದುಕೊಂಡರು.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "ಸುಡಾನ್", - "Suriname": "ಸುರಿನಾಮ್", - "Svalbard And Jan Mayen": "ಸ್ವಾಲ್ಬಾರ್ಡ್ ಮತ್ತು ಜಾನ್ ಮಾಯೆನ್", - "Swaziland": "Eswatini", - "Sweden": "ಸ್ವೀಡನ್", - "Switch Teams": "ಸ್ವಿಚ್ ತಂಡಗಳು", - "Switzerland": "ಸ್ವಿಜರ್ಲ್ಯಾಂಡ್", - "Syrian Arab Republic": "ಸಿರಿಯಾ", - "Taiwan": "ತೈವಾನ್", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "ತಜಿಕಿಸ್ತಾನ್", - "Tanzania": "ಟಾಂಜಾನಿಯಾ", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "ತಂಡದ ವಿವರಗಳು", - "Team Invitation": "ತಂಡದ ಆಮಂತ್ರಣ", - "Team Members": "ತಂಡದ ಸದಸ್ಯರು", - "Team Name": "ತಂಡದ ಹೆಸರು", - "Team Owner": "ತಂಡದ ಮಾಲೀಕ", - "Team Settings": "ತಂಡದ ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು", - "Terms of Service": "ಸೇವಾ ನಿಯಮಗಳು", - "Thailand": "ಥೈಲ್ಯಾಂಡ್", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "The :attribute ಮಾಡಬೇಕು ಮಾನ್ಯ ಪಾತ್ರ.", - "The :attribute must be at least :length characters and contain at least one number.": "The :attribute ಇರಬೇಕು ಕನಿಷ್ಠ :length ಪಾತ್ರಗಳು ಮತ್ತು ಹೊಂದಿರುತ್ತವೆ ಕನಿಷ್ಠ ಒಂದು ಸಂಖ್ಯೆ.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": "The :attribute ಇರಬೇಕು ಕನಿಷ್ಠ :length ಪಾತ್ರಗಳು ಮತ್ತು ಹೊಂದಿರುತ್ತವೆ ಕನಿಷ್ಠ ಒಂದು ವಿಶೇಷ ಪಾತ್ರ ಮತ್ತು ಒಂದು ಸಂಖ್ಯೆ.", - "The :attribute must be at least :length characters and contain at least one special character.": "The :attribute ಇರಬೇಕು ಕನಿಷ್ಠ :length ಪಾತ್ರಗಳು ಮತ್ತು ಹೊಂದಿರುತ್ತವೆ ಕನಿಷ್ಠ ಒಂದು ವಿಶೇಷ ಪಾತ್ರ.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "The :attribute ಇರಬೇಕು ಕನಿಷ್ಠ :length ಪಾತ್ರಗಳು ಮತ್ತು contain at least one ದೊಡ್ಡಕ್ಷರ ಪಾತ್ರ ಮತ್ತು ಒಂದು ಸಂಖ್ಯೆ.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "The :attribute ಇರಬೇಕು ಕನಿಷ್ಠ :length ಪಾತ್ರಗಳು ಮತ್ತು contain at least one ದೊಡ್ಡಕ್ಷರ ಪಾತ್ರ ಮತ್ತು ಒಂದು ವಿಶೇಷ ಪಾತ್ರ.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "The :attribute ಇರಬೇಕು ಕನಿಷ್ಠ :length ಪಾತ್ರಗಳು ಮತ್ತು contain at least one ದೊಡ್ಡಕ್ಷರ ಪಾತ್ರ, ಒಂದು ಸಂಖ್ಯೆ, ಮತ್ತು ಒಂದು ವಿಶೇಷ ಪಾತ್ರ.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": "The :attribute ಇರಬೇಕು ಕನಿಷ್ಠ :length ಪಾತ್ರಗಳು ಮತ್ತು contain at least one ದೊಡ್ಡಕ್ಷರ ಪಾತ್ರ.", - "The :attribute must be at least :length characters.": "The :attribute ಇರಬೇಕು ಕನಿಷ್ಠ :length ಪಾತ್ರಗಳು.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "The :resource ರಚಿಸಲಾಗಿದೆ!", - "The :resource was deleted!": "The :resource ಅಳಿಸಲಾಗಿದೆ!", - "The :resource was restored!": "The :resource ಪುನಃಸ್ಥಾಪಿಸಲಾಗಿದೆ!", - "The :resource was updated!": "The :resource ಆಗಿತ್ತು ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ!", - "The action ran successfully!": "ಕ್ರಮ ನಡೆಯಿತು ಯಶಸ್ವಿಯಾಗಿ!", - "The file was deleted!": "The file was deleted!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "ಸರ್ಕಾರ ಅವಕಾಶ ಮಾಡುವುದಿಲ್ಲ ತೋರಿಸಲು ನಮಗೆ ನೀವು ಏನು ಈ ಹಿಂದೆ ಬಾಗಿಲು", - "The HasOne relationship has already been filled.": "The HasOne ಸಂಬಂಧ ಈಗಾಗಲೇ ತುಂಬಿದ.", - "The payment was successful.": "ಪಾವತಿ ಯಶಸ್ವಿಯಾಯಿತು.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "ಒದಗಿಸಿದ password does not match ನಿಮ್ಮ ಪ್ರಸ್ತುತ ಪಾಸ್ವರ್ಡ್.", - "The provided password was incorrect.": "ಒದಗಿಸಿದ ಪಾಸ್ವರ್ಡ್ ತಪ್ಪಾಗಿದೆ.", - "The provided two factor authentication code was invalid.": "ಒದಗಿಸಿದ ಎರಡು ಫ್ಯಾಕ್ಟರ್ ದೃಢೀಕರಣ ಕೋಡ್ was invalid.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "ಸಂಪನ್ಮೂಲ ಆಗಿತ್ತು ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "ತಂಡದ ಹೆಸರು ಮತ್ತು ಮಾಲೀಕರು ಮಾಹಿತಿ.", - "There are no available options for this resource.": "ಯಾವುದೇ ಲಭ್ಯವಿರುವ ಆಯ್ಕೆಗಳನ್ನು ಈ ಸಂಪನ್ಮೂಲ.", - "There was a problem executing the action.": "ಅಲ್ಲಿ ಒಂದು ಸಮಸ್ಯೆ ಪಾಲಿಸಲು ಕ್ರಮ.", - "There was a problem submitting the form.": "ಅಲ್ಲಿ ಒಂದು ಸಮಸ್ಯೆ ರೂಪ ಸಲ್ಲಿಸುವ.", - "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.": "ಈ ಜನರು ಆಮಂತ್ರಿಸಲಾಗಿದೆ ನಿಮ್ಮ ತಂಡ ಮತ್ತು ಮಾಡಲಾಗಿದೆ ಕಳುಹಿಸಿದ ಆಮಂತ್ರಣ ಇಮೇಲ್. ಅವರು ಮೇ ತಂಡದಲ್ಲಿ ಸೇರಲು ಮೂಲಕ ಸ್ವೀಕರಿಸುವ ಇಮೇಲ್ ಆಮಂತ್ರಣವನ್ನು.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "ಈ ಕ್ರಮ ಅನಧಿಕೃತ.", - "This device": "ಈ ಸಾಧನ", - "This file field is read-only.": "ಈ ಕಡತ field is read-only.", - "This image": "ಈ ಚಿತ್ರ", - "This is a secure area of the application. Please confirm your password before continuing.": "ಈ ಒಂದು ಸುರಕ್ಷಿತ ಪ್ರದೇಶದಲ್ಲಿ ಅಪ್ಲಿಕೇಶನ್. ದಯವಿಟ್ಟು ನಿಮ್ಮ ಗುಪ್ತಪದವನ್ನು ಖಚಿತಪಡಿಸಿ ಮುಂದುವರೆಯುವ ಮೊದಲು.", - "This password does not match our records.": "ಈ password does not match ನಮ್ಮ ದಾಖಲಿಸುತ್ತದೆ.", "This password reset link will expire in :count minutes.": "ಈ ಪಾಸ್ವರ್ಡ್ ಮರುಹೊಂದಿಸುವ ಲಿಂಕ್ ಈ ಅವಧಿ :count ನಿಮಿಷಗಳಲ್ಲಿ ಮುಗಿಯುತ್ತದೆ.", - "This payment was already successfully confirmed.": "ಈ ಪಾವತಿ ಈಗಾಗಲೇ ಯಶಸ್ವಿಯಾಗಿ ದೃಢಪಡಿಸಿದರು.", - "This payment was cancelled.": "ಈ ಪಾವತಿ was cancelled.", - "This resource no longer exists": "ಈ ಸಂಪನ್ಮೂಲ ಇನ್ನು ಮುಂದೆ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "ಈ ಬಳಕೆದಾರರು ಈಗಾಗಲೇ ಸೇರಿದೆ ತಂಡ.", - "This user has already been invited to the team.": "ಈ ಬಳಕೆದಾರರು ಈಗಾಗಲೇ ಆಹ್ವಾನಿಸಲಾಗಿದೆ ತಂಡದ.", - "Timor-Leste": "ಟಿಮೋರ್-Leste", "to": "ಗೆ", - "Today": "ಇಂದು", "Toggle navigation": "ಟಾಗಲ್ ಸಂಚರಣೆ", - "Togo": "ಟೋಗೊ", - "Tokelau": "ಟೊಕೆಲಾವ್", - "Token Name": "ಟೋಕನ್ ಹೆಸರು", - "Tonga": "ಬಂದು", "Too Many Attempts.": "ತುಂಬಾ ಅನೇಕ ಪ್ರಯತ್ನಗಳು.", "Too Many Requests": "ಹಲವಾರು ವಿನಂತಿಗಳು", - "total": "ಒಟ್ಟು", - "Total:": "Total:", - "Trashed": "ತ್ಯಾಜ್ಯದಲ್ಲಿರುವ", - "Trinidad And Tobago": "ಟ್ರಿನಿಡಾಡ್ ಮತ್ತು ಟೊಬೆಗೊ", - "Tunisia": "ಟುನೀಶಿಯ", - "Turkey": "ಟರ್ಕಿ", - "Turkmenistan": "ತುರ್ಕಮೆನಿಸ್ತಾನ್", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "ಟರ್ಕ್ಸ್ ಮತ್ತು ಕೈಕೋಸ್ ದ್ವೀಪಗಳು", - "Tuvalu": "ಟೋಂಗಾ", - "Two Factor Authentication": "ಎರಡು ಅಂಶ ದೃಢೀಕರಣ", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "ಎರಡು ಅಂಶ ದೃಢೀಕರಣ ಈಗ ಸಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ. ಸ್ಕ್ಯಾನ್ ಕೆಳಗಿನ QR ಕೋಡ್ ಬಳಸಿ ನಿಮ್ಮ ಫೋನ್ ನ ದೃಢೀಕರಣ ಅಪ್ಲಿಕೇಶನ್.", - "Uganda": "ಉಗಾಂಡಾ", - "Ukraine": "ಉಕ್ರೇನ್", "Unauthorized": "ಅನಧಿಕೃತ", - "United Arab Emirates": "ಯುನೈಟೆಡ್ ಅರಬ್ ಎಮಿರೇಟ್ಸ್", - "United Kingdom": "ಯುನೈಟೆಡ್ ಕಿಂಗ್ಡಮ್", - "United States": "ಯುನೈಟೆಡ್ ಸ್ಟೇಟ್ಸ್", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "ಅಮೇರಿಕಾದ ಹೊರವಲಯದ ದ್ವೀಪಗಳು", - "Update": "ಅಪ್ಡೇಟ್", - "Update & Continue Editing": "ಅಪ್ಡೇಟ್ ಮತ್ತು Continue Editing", - "Update :resource": "ಅಪ್ಡೇಟ್ :resource", - "Update :resource: :title": "ಅಪ್ಡೇಟ್ :resource: :title", - "Update attached :resource: :title": "ಅಪ್ಡೇಟ್ ಲಗತ್ತಿಸಲಾದ :resource: :title", - "Update Password": "ಅಪ್ಡೇಟ್ ಪಾಸ್ವರ್ಡ್", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "ಅಪ್ಡೇಟ್ ನಿಮ್ಮ ಖಾತೆಯ ಪ್ರೊಫೈಲ್ ಮಾಹಿತಿ ಮತ್ತು ಇಮೇಲ್ ವಿಳಾಸ.", - "Uruguay": "ಉರುಗ್ವೆ", - "Use a recovery code": "ಬಳಸಲು ಒಂದು ಚೇತರಿಕೆ ಕೋಡ್", - "Use an authentication code": "ಬಳಸಲು ಒಂದು ದೃಢೀಕರಣ ಕೋಡ್", - "Uzbekistan": "ಉಜ್ಬೇಕಿಸ್ತಾನ್", - "Value": "ಮೌಲ್ಯ", - "Vanuatu": "ಜಿಂಬಾಬ್ವೆ", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "ಇಮೇಲ್ ವಿಳಾಸವನ್ನು ಪರಿಶೀಲಿಸಿ", "Verify Your Email Address": "ನಿಮ್ಮ ಇಮೇಲ್ ವಿಳಾಸವನ್ನು ಪರಿಶೀಲಿಸಿ", - "Viet Nam": "Vietnam", - "View": "ವೀಕ್ಷಿಸಿ", - "Virgin Islands, British": "ಬ್ರಿಟಿಷ್ ವರ್ಜಿನ್ ದ್ವೀಪಗಳು", - "Virgin Islands, U.S.": "ಅಮೇರಿಕಾದ ವರ್ಜಿನ್ ದ್ವೀಪಗಳು", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "ವಾಲಿಸ್ ಮತ್ತು ಫುಟುನಾ", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "We were unable to find ಒಂದು ನೋಂದಾಯಿತ ಬಳಕೆದಾರ ಈ ಇಮೇಲ್ ವಿಳಾಸ.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "ನಾವು ಮಾಡುವುದಿಲ್ಲ ಕೇಳಲು ನಿಮ್ಮ ಪಾಸ್ವರ್ಡ್ ಮತ್ತೆ ಕೆಲವು ಗಂಟೆಗಳ ಕಾಲ.", - "We're lost in space. The page you were trying to view does not exist.": "ನಾವು ನೀವು lost in space. ಪುಟ ನೀವು ಪ್ರಯತ್ನಿಸುತ್ತಿದ್ದ ವೀಕ್ಷಿಸಲು ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ.", - "Welcome Back!": "ಮತ್ತೆ ಸ್ವಾಗತ!", - "Western Sahara": "ಪಶ್ಚಿಮ ಸಹಾರಾ", - "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.": "ಯಾವಾಗ ಎರಡು ಫ್ಯಾಕ್ಟರ್ ದೃಢೀಕರಣ ಸಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ, you will be prompted for a ಸುರಕ್ಷಿತ, ಯಾದೃಚ್ಛಿಕ ಟೋಕನ್ ಸಮಯದಲ್ಲಿ ದೃಢೀಕರಣ. ನೀವು ಮೇ ಹಿಂಪಡೆಯಲು ಈ ಟೋಕನ್ ನಿಮ್ಮ ಫೋನ್ ಗೂಗಲ್ ದೃಢೀಕರಣ ಅಪ್ಲಿಕೇಶನ್.", - "Whoops": "ಓಹ್", - "Whoops!": "ಓಹ್!", - "Whoops! Something went wrong.": "ಓಹ್! ಏನೋ ತಪ್ಪಾಗಿದೆ.", - "With Trashed": "ಜೊತೆ ಅನುಪಯುಕ್ತ", - "Write": "ಬರೆಯಲು", - "Year To Date": "ವರ್ಷ ಇಲ್ಲಿಯವರೆಗೆ", - "Yearly": "Yearly", - "Yemen": "ಯೆಮೆನಿ", - "Yes": "ಹೌದು", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "ನೀವು ಲಾಗ್ ಇನ್!", - "You are receiving this email because we received a password reset request for your account.": "ನಿಮ್ಮ ಖಾತೆಗಾಗಿ ಪಾಸ್ವರ್ಡ್ ಮರುಹೊಂದಿಸುವ ವಿನಂತಿಯನ್ನು ನಾವು ಸ್ವೀಕರಿಸಿದ್ದೇವೆಂದು ನೀವು ಈ ಇಮೇಲ್ ಅನ್ನು ಸ್ವೀಕರಿಸುತ್ತಿರುವಿರಿ.", - "You have been invited to join the :team team!": "ನೀವು ಆಮಂತ್ರಿಸಲಾಗಿದೆ ಸೇರಲು :team ತಂಡ!", - "You have enabled two factor authentication.": "ನೀವು ಕುಕೀ ಎರಡು ಫ್ಯಾಕ್ಟರ್ ದೃಢೀಕರಣ.", - "You have not enabled two factor authentication.": "ನೀವು ಕುಕೀ ಎರಡು ಫ್ಯಾಕ್ಟರ್ ದೃಢೀಕರಣ.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "ನೀವು ಅಳಿಸಬಹುದು ಯಾವುದೇ ನಿಮ್ಮ ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಟೋಕನ್ಗಳು if they are no longer needed.", - "You may not delete your personal team.": "You may not delete ನಿಮ್ಮ ವೈಯಕ್ತಿಕ ತಂಡ.", - "You may not leave a team that you created.": "You may not leave a ತಂಡ ರಚಿಸಿದ.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "ನಿಮ್ಮ ಇಮೇಲ್ ವಿಳಾಸ ಅಲ್ಲ ಪರಿಶೀಲಿಸಿದ.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "ಝಾಂಬಿಯಾ", - "Zimbabwe": "ಜಿಂಬಾಬ್ವೆ", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "ನಿಮ್ಮ ಇಮೇಲ್ ವಿಳಾಸ ಅಲ್ಲ ಪರಿಶೀಲಿಸಿದ." } diff --git a/locales/kn/packages/cashier.json b/locales/kn/packages/cashier.json new file mode 100644 index 00000000000..55175a35c79 --- /dev/null +++ b/locales/kn/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "ಎಲ್ಲ ಹಕ್ಕುಗಳನ್ನು ಕಾಯ್ದಿರಿಸಲಾಗಿದೆ.", + "Card": "ಕಾರ್ಡ್", + "Confirm Payment": "ಪಾವತಿ ಖಚಿತಪಡಿಸಲು", + "Confirm your :amount payment": "Confirm your :amount ಪಾವತಿ", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "ಹೆಚ್ಚುವರಿ ದೃಢೀಕರಣ ಅಗತ್ಯವಿದೆ ಪ್ರಕ್ರಿಯೆ ನಿಮ್ಮ ಪಾವತಿ. ದಯವಿಟ್ಟು ಖಚಿತಪಡಿಸಿ ನಿಮ್ಮ ಪಾವತಿ ಭರ್ತಿ ಮೂಲಕ ನಿಮ್ಮ ಪಾವತಿ ವಿವರಗಳು ಕೆಳಗೆ.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "ಹೆಚ್ಚುವರಿ ದೃಢೀಕರಣ ಅಗತ್ಯವಿದೆ ಪ್ರಕ್ರಿಯೆ ನಿಮ್ಮ ಪಾವತಿ. ದಯವಿಟ್ಟು ಮುಂದುವರಿಸಿ ಪಾವತಿ ಪುಟ ಕ್ಲಿಕ್ಕಿಸಿ ಕೆಳಗಿನ ಬಟನ್.", + "Full name": "ಪೂರ್ಣ ಹೆಸರು", + "Go back": "ಹಿಂತಿರುಗಿ", + "Jane Doe": "Jane Doe", + "Pay :amount": "ಪಾವತಿ :amount", + "Payment Cancelled": "ಪಾವತಿ ರದ್ದು", + "Payment Confirmation": "ಪಾವತಿ ದೃಢೀಕರಣ", + "Payment Successful": "ಪಾವತಿ ಯಶಸ್ವಿ", + "Please provide your name.": "ದಯವಿಟ್ಟು ಒದಗಿಸಲು ನಿಮ್ಮ ಹೆಸರು.", + "The payment was successful.": "ಪಾವತಿ ಯಶಸ್ವಿಯಾಯಿತು.", + "This payment was already successfully confirmed.": "ಈ ಪಾವತಿ ಈಗಾಗಲೇ ಯಶಸ್ವಿಯಾಗಿ ದೃಢಪಡಿಸಿದರು.", + "This payment was cancelled.": "ಈ ಪಾವತಿ was cancelled." +} diff --git a/locales/kn/packages/fortify.json b/locales/kn/packages/fortify.json new file mode 100644 index 00000000000..525539cd57a --- /dev/null +++ b/locales/kn/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": "The :attribute ಇರಬೇಕು ಕನಿಷ್ಠ :length ಪಾತ್ರಗಳು ಮತ್ತು ಹೊಂದಿರುತ್ತವೆ ಕನಿಷ್ಠ ಒಂದು ಸಂಖ್ಯೆ.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "The :attribute ಇರಬೇಕು ಕನಿಷ್ಠ :length ಪಾತ್ರಗಳು ಮತ್ತು ಹೊಂದಿರುತ್ತವೆ ಕನಿಷ್ಠ ಒಂದು ವಿಶೇಷ ಪಾತ್ರ ಮತ್ತು ಒಂದು ಸಂಖ್ಯೆ.", + "The :attribute must be at least :length characters and contain at least one special character.": "The :attribute ಇರಬೇಕು ಕನಿಷ್ಠ :length ಪಾತ್ರಗಳು ಮತ್ತು ಹೊಂದಿರುತ್ತವೆ ಕನಿಷ್ಠ ಒಂದು ವಿಶೇಷ ಪಾತ್ರ.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "The :attribute ಇರಬೇಕು ಕನಿಷ್ಠ :length ಪಾತ್ರಗಳು ಮತ್ತು contain at least one ದೊಡ್ಡಕ್ಷರ ಪಾತ್ರ ಮತ್ತು ಒಂದು ಸಂಖ್ಯೆ.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "The :attribute ಇರಬೇಕು ಕನಿಷ್ಠ :length ಪಾತ್ರಗಳು ಮತ್ತು contain at least one ದೊಡ್ಡಕ್ಷರ ಪಾತ್ರ ಮತ್ತು ಒಂದು ವಿಶೇಷ ಪಾತ್ರ.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "The :attribute ಇರಬೇಕು ಕನಿಷ್ಠ :length ಪಾತ್ರಗಳು ಮತ್ತು contain at least one ದೊಡ್ಡಕ್ಷರ ಪಾತ್ರ, ಒಂದು ಸಂಖ್ಯೆ, ಮತ್ತು ಒಂದು ವಿಶೇಷ ಪಾತ್ರ.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "The :attribute ಇರಬೇಕು ಕನಿಷ್ಠ :length ಪಾತ್ರಗಳು ಮತ್ತು contain at least one ದೊಡ್ಡಕ್ಷರ ಪಾತ್ರ.", + "The :attribute must be at least :length characters.": "The :attribute ಇರಬೇಕು ಕನಿಷ್ಠ :length ಪಾತ್ರಗಳು.", + "The provided password does not match your current password.": "ಒದಗಿಸಿದ password does not match ನಿಮ್ಮ ಪ್ರಸ್ತುತ ಪಾಸ್ವರ್ಡ್.", + "The provided password was incorrect.": "ಒದಗಿಸಿದ ಪಾಸ್ವರ್ಡ್ ತಪ್ಪಾಗಿದೆ.", + "The provided two factor authentication code was invalid.": "ಒದಗಿಸಿದ ಎರಡು ಫ್ಯಾಕ್ಟರ್ ದೃಢೀಕರಣ ಕೋಡ್ was invalid." +} diff --git a/locales/kn/packages/jetstream.json b/locales/kn/packages/jetstream.json new file mode 100644 index 00000000000..7e1ad90af85 --- /dev/null +++ b/locales/kn/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "ಒಂದು ಹೊಸ ಪರಿಶೀಲನೆ ಲಿಂಕ್ ಮಾಡಲಾಗಿದೆ ಕಳುಹಿಸಲಾಗಿದೆ ನೀವು ಒದಗಿಸಿದ ಇಮೇಲ್ ವಿಳಾಸವನ್ನು ನೋಂದಣಿ ಸಮಯದಲ್ಲಿ.", + "Accept Invitation": "ಆಮಂತ್ರಣವನ್ನು ಸ್ವೀಕರಿಸುವುದಿಲ್ಲ", + "Add": "ಸೇರಿಸಿ", + "Add a new team member to your team, allowing them to collaborate with you.": "ಸೇರಿಸಿ ಒಂದು ಹೊಸ ತಂಡದ ಸದಸ್ಯ, ನಿಮ್ಮ ತಂಡ, ಅವುಗಳನ್ನು ಅವಕಾಶ, ನೀವು ಸಹಯೋಗ.", + "Add additional security to your account using two factor authentication.": "ಸೇರಿಸಿ ಹೆಚ್ಚುವರಿ ಭದ್ರತಾ ಬಳಸಿ ನಿಮ್ಮ ಖಾತೆಗೆ ಎರಡು ಫ್ಯಾಕ್ಟರ್ ದೃಢೀಕರಣ.", + "Add Team Member": "ಸೇರಿಸಿ ತಂಡದ ಸದಸ್ಯ", + "Added.": "ಸೇರಿಸಲಾಗಿದೆ.", + "Administrator": "ನಿರ್ವಾಹಕರು", + "Administrator users can perform any action.": "ನಿರ್ವಾಹಕರು ಬಳಕೆದಾರರು ನಿರ್ವಹಿಸಲು ಯಾವುದೇ ಕ್ರಮ.", + "All of the people that are part of this team.": "ಎಲ್ಲಾ ಜನರು ಭಾಗವಾಗಿರುವ ಈ ತಂಡ.", + "Already registered?": "ಈಗಾಗಲೇ ನೋಂದಾಯಿತ?", + "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 ಸಂಕೇತಗಳನ್ನು ಅವಕಾಶ ಮೂರನೇ ಪಕ್ಷದ ಸೇವೆಗಳನ್ನು ದೃಢೀಕರಿಸಲು ನಮ್ಮ ಅಪ್ಲಿಕೇಶನ್ ನಿಮ್ಮ ಪರವಾಗಿ.", + "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 ಈ ತಂಡ? ಒಮ್ಮೆ ಒಂದು ತಂಡ ಅಳಿಸಲಾಗಿದೆ, ಅದರ ಎಲ್ಲಾ ಸಂಪನ್ಮೂಲಗಳನ್ನು ಮತ್ತು ಡೇಟಾ ಶಾಶ್ವತವಾಗಿ ಅಳಿಸಲಾಗುತ್ತದೆ.", + "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 ನಿಮ್ಮ ಖಾತೆಯನ್ನು? ಒಮ್ಮೆ ನಿಮ್ಮ ಖಾತೆಯನ್ನು ಅಳಿಸಲಾಗಿದೆ, ಅದರ ಎಲ್ಲಾ ಸಂಪನ್ಮೂಲಗಳನ್ನು ಮತ್ತು ಡೇಟಾ ಶಾಶ್ವತವಾಗಿ ಅಳಿಸಲಾಗುತ್ತದೆ. ದಯವಿಟ್ಟು ನಮೂದಿಸಿ, ನಿಮ್ಮ ಗುಪ್ತಪದವನ್ನು ಖಚಿತಪಡಿಸಿ ನೀವು ಬಯಸಿದರೆ, ಶಾಶ್ವತವಾಗಿ ಅಳಿಸಲು ನಿಮ್ಮ ಖಾತೆಯನ್ನು.", + "Are you sure you would like to delete this API token?": "Are you sure you would like to ಅಳಿಸಿ ಈ API ಟೋಕನ್?", + "Are you sure you would like to leave this team?": "Are you sure you would like to leave ಈ ತಂಡ?", + "Are you sure you would like to remove this person from the team?": "Are you sure you would like to remove ಈ ವ್ಯಕ್ತಿ ತಂಡದಿಂದ?", + "Browser Sessions": "ಬ್ರೌಸರ್ ಅವಧಿಗಳು", + "Cancel": "ರದ್ದು", + "Close": "ಮುಚ್ಚಿ", + "Code": "ಕೋಡ್", + "Confirm": "ಖಚಿತಪಡಿಸಿ", + "Confirm Password": "ಪಾಸ್ವರ್ಡ್ ದೃಢೀಕರಿಸಿ", + "Create": "ರಚಿಸಿ", + "Create a new team to collaborate with others on projects.": "ರಚಿಸಲು ಒಂದು ಹೊಸ ತಂಡದ ಸಹಯೋಗ ಇತರರು ಯೋಜನೆಗಳು.", + "Create Account": "ಖಾತೆಯನ್ನು ರಚಿಸಿ", + "Create API Token": "ರಚಿಸಲು API ಟೋಕನ್", + "Create New Team": "ರಚಿಸಿ ಹೊಸ ತಂಡ", + "Create Team": "ರಚಿಸಲು ತಂಡ", + "Created.": "ದಾಖಲಿಸಿದವರು.", + "Current Password": "ಪ್ರಸ್ತುತ ಪಾಸ್ವರ್ಡ್", + "Dashboard": "ಡ್ಯಾಶ್ಬೋರ್ಡ್", + "Delete": "ಅಳಿಸಿ", + "Delete Account": "ಖಾತೆಯನ್ನು ಅಳಿಸಿ", + "Delete API Token": "ಅಳಿಸಿ API ಟೋಕನ್", + "Delete Team": "ಅಳಿಸಿ ತಂಡ", + "Disable": "ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ", + "Done.": "ಮಾಡಲಾಗುತ್ತದೆ.", + "Editor": "ಸಂಪಾದಕ", + "Editor users have the ability to read, create, and update.": "ಸಂಪಾದಕ ಬಳಕೆದಾರರು ಸಾಮರ್ಥ್ಯವನ್ನು ಹೊಂದಿವೆ ಓದಲು, ರಚಿಸಲು, ಮತ್ತು ಅಪ್ಡೇಟ್.", + "Email": "ಇಮೇಲ್", + "Email Password Reset Link": "ಇಮೇಲ್ ಪಾಸ್ವರ್ಡ್ ಮರುಹೊಂದಿಸಿ ಲಿಂಕ್", + "Enable": "ಸಕ್ರಿಯಗೊಳಿಸಿ", + "Ensure your account is using a long, random password to stay secure.": "ಖಚಿತಪಡಿಸಿಕೊಳ್ಳಲು ನಿಮ್ಮ ಖಾತೆಯನ್ನು ಬಳಸಿಕೊಂಡು ಒಂದು ದೀರ್ಘ, ಯಾದೃಚ್ಛಿಕ ಪಾಸ್ವರ್ಡ್ ಸುರಕ್ಷಿತ ಉಳಿಯಲು.", + "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.": "ನಿಮ್ಮ ಪಾಸ್ವರ್ಡ್ ಮರೆತಿರುವಿರಾ? ಯಾವುದೇ ಸಮಸ್ಯೆ. ಕೇವಲ ನಮಗೆ ತಿಳಿಸಿ, ನಿಮ್ಮ ಇಮೇಲ್ ವಿಳಾಸ ಮತ್ತು ನಾವು ನೀವು ಇಮೇಲ್ ಪಾಸ್ವರ್ಡ್ ಮರುಹೊಂದಿಸಿ ಲಿಂಕ್ that will allow you to choose a new one.", + "Great! You have accepted the invitation to join the :team team.": "ಗ್ರೇಟ್! ನೀವು ಸ್ವೀಕರಿಸಿದ ಆಮಂತ್ರಣ ಸೇರಲು :team ತಂಡ.", + "I agree to the :terms_of_service and :privacy_policy": "ನಾನು ಒಪ್ಪುತ್ತೇನೆ :terms_of_service ಮತ್ತು :privacy_policy", + "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 you feel your account has been compromised, ನೀವು ಮಾಡಬೇಕು ಸಹ ನಿಮ್ಮ ಗುಪ್ತಪದವನ್ನು ನವೀಕರಿಸಲು.", + "If you already have an account, you may accept this invitation by clicking the button below:": "ನೀವು ಈಗಾಗಲೇ ಒಂದು ಖಾತೆಯನ್ನು ಹೊಂದಿದ್ದರೆ, ನೀವು ಮಾಡಬಹುದು ಈ ಆಹ್ವಾನವನ್ನು ಸ್ವೀಕರಿಸಿ ಕೆಳಗಿನ ಬಟನ್ ಕ್ಲಿಕ್:", + "If you did not expect to receive an invitation to this team, you may discard this email.": "ನೀವು ನಿರೀಕ್ಷಿಸಿರಲಿಲ್ಲ ಸ್ವೀಕರಿಸಲು ಆಹ್ವಾನ ಈ ತಂಡ, you may ತಿರಸ್ಕರಿಸಲು ಈ ಇಮೇಲ್.", + "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:": "ನೀವು ಒಂದು ಖಾತೆಯನ್ನು ಹೊಂದಿಲ್ಲ, ನೀವು ರಚಿಸಲು ಒಂದು ಗುಂಡಿಯನ್ನು ಕ್ಲಿಕ್ಕಿಸುವುದರ ಮೂಲಕ ಕೆಳಗೆ. ನಂತರ ಖಾತೆಯನ್ನು ರಚಿಸಲು, ನೀವು ಕ್ಲಿಕ್ ಮಾಡಬಹುದು ಆಮಂತ್ರಣ ಸ್ವೀಕಾರ ಬಟನ್ ಈ ಇಮೇಲ್ ಸ್ವೀಕರಿಸಲು ತಂಡ ಆಮಂತ್ರಣ:", + "Last active": "ಕೊನೆಯ ಸಕ್ರಿಯ", + "Last used": "ಕಳೆದ ಬಳಸಲಾಗುತ್ತದೆ", + "Leave": "ಬಿಟ್ಟು", + "Leave Team": "ಬಿಟ್ಟು ತಂಡ", + "Log in": "ಲಾಗ್", + "Log Out": "ಲಾಗ್ ಔಟ್", + "Log Out Other Browser Sessions": "ಲಾಗ್ ಔಟ್ ಇತರ ಬ್ರೌಸರ್ ಅವಧಿಗಳು", + "Manage Account": "ಖಾತೆ ನಿರ್ವಹಣೆ", + "Manage and log out your active sessions on other browsers and devices.": "ನಿರ್ವಹಿಸಿ ಮತ್ತು ಲಾಗ್ ಔಟ್ ನಿಮ್ಮ ಸಕ್ರಿಯ ಅವಧಿಯಲ್ಲಿ ಇತರ ಬ್ರೌಸರ್ಗಳು ಮತ್ತು ಸಾಧನಗಳು.", + "Manage API Tokens": "ನಿರ್ವಹಿಸಿ API ಸಂಕೇತಗಳನ್ನು", + "Manage Role": "ನಿರ್ವಹಿಸಿ ಪಾತ್ರ", + "Manage Team": "ತಂಡ ನಿರ್ವಹಿಸಿ", + "Name": "ಹೆಸರು", + "New Password": "ಹೊಸ ಪಾಸ್ವರ್ಡ್", + "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 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.": "ಒಮ್ಮೆ ನಿಮ್ಮ ಖಾತೆಯನ್ನು ಅಳಿಸಲಾಗಿದೆ, ಅದರ ಎಲ್ಲಾ ಸಂಪನ್ಮೂಲಗಳನ್ನು ಮತ್ತು ಡೇಟಾ ಶಾಶ್ವತವಾಗಿ ಅಳಿಸಲಾಗುತ್ತದೆ. ಮೊದಲು ಅಳಿಸಲಾಗುತ್ತಿದೆ ನಿಮ್ಮ ಖಾತೆ, ದಯವಿಟ್ಟು ಡೌನ್ಲೋಡ್ ಯಾವುದೇ ದತ್ತಾಂಶ ಅಥವಾ ಮಾಹಿತಿಯನ್ನು ನೀವು ಬಯಸುವ ಉಳಿಸಿಕೊಳ್ಳಲು.", + "Password": "ಪಾಸ್ವರ್ಡ್", + "Pending Team Invitations": "ಬಾಕಿ ತಂಡ ಆಮಂತ್ರಣಗಳನ್ನು", + "Permanently delete this team.": "ಶಾಶ್ವತವಾಗಿ ಅಳಿಸಿ ಈ ತಂಡ.", + "Permanently delete your account.": "ಶಾಶ್ವತವಾಗಿ ಅಳಿಸಲು ನಿಮ್ಮ ಖಾತೆಯನ್ನು.", + "Permissions": "ಅನುಮತಿಗಳನ್ನು", + "Photo": "ಫೋಟೋ", + "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 copy your new API token. For your security, it won't be shown again.": "ದಯವಿಟ್ಟು ಪ್ರತಿಯನ್ನು ನಿಮ್ಮ ಹೊಸ API ಟೋಕನ್. ನಿಮ್ಮ ಭದ್ರತಾ, it won ' t be shown ಮತ್ತೆ.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "ದಯವಿಟ್ಟು ಖಚಿತಪಡಿಸಲು ನಿಮ್ಮ ಗುಪ್ತಪದವನ್ನು ನಮೂದಿಸಿ you would like to log out, ನಿಮ್ಮ ಇತರ ಬ್ರೌಸರ್ ಅವಧಿಯಲ್ಲಿ ಎಲ್ಲಾ ಅಡ್ಡಲಾಗಿ ನಿಮ್ಮ ಸಾಧನಗಳು.", + "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 ಈ ತಂಡ.", + "Privacy Policy": "ಗೌಪ್ಯತಾ ನೀತಿ", + "Profile": "ಪ್ರೊಫೈಲ್", + "Profile Information": "ಪ್ರೊಫೈಲ್ ಮಾಹಿತಿ", + "Recovery Code": "ಚೇತರಿಕೆ ಕೋಡ್", + "Regenerate Recovery Codes": "ಮತ್ತೆ ಚೇತರಿಕೆ ಸಂಕೇತಗಳು", + "Register": "ನೋಂದಣಿ", + "Remember me": "ನನಗೆ ನೆನಪು", + "Remove": "ತೆಗೆದುಹಾಕಿ", + "Remove Photo": "ತೆಗೆದುಹಾಕಿ ಫೋಟೋ", + "Remove Team Member": "ತೆಗೆದು ತಂಡದ ಸದಸ್ಯ", + "Resend Verification Email": "ಮತ್ತೆ ಕಳುಹಿಸಿ ಇಮೇಲ್ ಪರಿಶೀಲನೆ", + "Reset Password": "ಪಾಸ್ವರ್ಡ್ ಮರುಹೊಂದಿಸಿ", + "Role": "ಪಾತ್ರ", + "Save": "ಉಳಿಸಲು", + "Saved.": "ಉಳಿಸಿದ.", + "Select A New Photo": "ಆಯ್ಕೆ ಒಂದು ಹೊಸ ಫೋಟೋ", + "Show Recovery Codes": "ಶೋ ಚೇತರಿಕೆ ಸಂಕೇತಗಳು", + "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.": "ಅಂಗಡಿ ಈ ಚೇತರಿಕೆ ಸಂಕೇತಗಳು ಸುರಕ್ಷಿತ ಪಾಸ್ವರ್ಡ್ ನಿರ್ವಾಹಕ. ಅವರು ಚೇತರಿಸಿಕೊಳ್ಳಲು ಬಳಸಬಹುದು ಪ್ರವೇಶವನ್ನು ನಿಮ್ಮ ಖಾತೆಗೆ ನೀವು ನಿಮ್ಮ ಎರಡು ಫ್ಯಾಕ್ಟರ್ ದೃಢೀಕರಣ ಸಾಧನ ಕಳೆದುಕೊಂಡರು.", + "Switch Teams": "ಸ್ವಿಚ್ ತಂಡಗಳು", + "Team Details": "ತಂಡದ ವಿವರಗಳು", + "Team Invitation": "ತಂಡದ ಆಮಂತ್ರಣ", + "Team Members": "ತಂಡದ ಸದಸ್ಯರು", + "Team Name": "ತಂಡದ ಹೆಸರು", + "Team Owner": "ತಂಡದ ಮಾಲೀಕ", + "Team Settings": "ತಂಡದ ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು", + "Terms of Service": "ಸೇವಾ ನಿಯಮಗಳು", + "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 a valid role.": "The :attribute ಮಾಡಬೇಕು ಮಾನ್ಯ ಪಾತ್ರ.", + "The :attribute must be at least :length characters and contain at least one number.": "The :attribute ಇರಬೇಕು ಕನಿಷ್ಠ :length ಪಾತ್ರಗಳು ಮತ್ತು ಹೊಂದಿರುತ್ತವೆ ಕನಿಷ್ಠ ಒಂದು ಸಂಖ್ಯೆ.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "The :attribute ಇರಬೇಕು ಕನಿಷ್ಠ :length ಪಾತ್ರಗಳು ಮತ್ತು ಹೊಂದಿರುತ್ತವೆ ಕನಿಷ್ಠ ಒಂದು ವಿಶೇಷ ಪಾತ್ರ ಮತ್ತು ಒಂದು ಸಂಖ್ಯೆ.", + "The :attribute must be at least :length characters and contain at least one special character.": "The :attribute ಇರಬೇಕು ಕನಿಷ್ಠ :length ಪಾತ್ರಗಳು ಮತ್ತು ಹೊಂದಿರುತ್ತವೆ ಕನಿಷ್ಠ ಒಂದು ವಿಶೇಷ ಪಾತ್ರ.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "The :attribute ಇರಬೇಕು ಕನಿಷ್ಠ :length ಪಾತ್ರಗಳು ಮತ್ತು contain at least one ದೊಡ್ಡಕ್ಷರ ಪಾತ್ರ ಮತ್ತು ಒಂದು ಸಂಖ್ಯೆ.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "The :attribute ಇರಬೇಕು ಕನಿಷ್ಠ :length ಪಾತ್ರಗಳು ಮತ್ತು contain at least one ದೊಡ್ಡಕ್ಷರ ಪಾತ್ರ ಮತ್ತು ಒಂದು ವಿಶೇಷ ಪಾತ್ರ.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "The :attribute ಇರಬೇಕು ಕನಿಷ್ಠ :length ಪಾತ್ರಗಳು ಮತ್ತು contain at least one ದೊಡ್ಡಕ್ಷರ ಪಾತ್ರ, ಒಂದು ಸಂಖ್ಯೆ, ಮತ್ತು ಒಂದು ವಿಶೇಷ ಪಾತ್ರ.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "The :attribute ಇರಬೇಕು ಕನಿಷ್ಠ :length ಪಾತ್ರಗಳು ಮತ್ತು contain at least one ದೊಡ್ಡಕ್ಷರ ಪಾತ್ರ.", + "The :attribute must be at least :length characters.": "The :attribute ಇರಬೇಕು ಕನಿಷ್ಠ :length ಪಾತ್ರಗಳು.", + "The provided password does not match your current password.": "ಒದಗಿಸಿದ password does not match ನಿಮ್ಮ ಪ್ರಸ್ತುತ ಪಾಸ್ವರ್ಡ್.", + "The provided password was incorrect.": "ಒದಗಿಸಿದ ಪಾಸ್ವರ್ಡ್ ತಪ್ಪಾಗಿದೆ.", + "The provided two factor authentication code was invalid.": "ಒದಗಿಸಿದ ಎರಡು ಫ್ಯಾಕ್ಟರ್ ದೃಢೀಕರಣ ಕೋಡ್ was invalid.", + "The team's name and owner information.": "ತಂಡದ ಹೆಸರು ಮತ್ತು ಮಾಲೀಕರು ಮಾಹಿತಿ.", + "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.": "ಈ ಜನರು ಆಮಂತ್ರಿಸಲಾಗಿದೆ ನಿಮ್ಮ ತಂಡ ಮತ್ತು ಮಾಡಲಾಗಿದೆ ಕಳುಹಿಸಿದ ಆಮಂತ್ರಣ ಇಮೇಲ್. ಅವರು ಮೇ ತಂಡದಲ್ಲಿ ಸೇರಲು ಮೂಲಕ ಸ್ವೀಕರಿಸುವ ಇಮೇಲ್ ಆಮಂತ್ರಣವನ್ನು.", + "This device": "ಈ ಸಾಧನ", + "This is a secure area of the application. Please confirm your password before continuing.": "ಈ ಒಂದು ಸುರಕ್ಷಿತ ಪ್ರದೇಶದಲ್ಲಿ ಅಪ್ಲಿಕೇಶನ್. ದಯವಿಟ್ಟು ನಿಮ್ಮ ಗುಪ್ತಪದವನ್ನು ಖಚಿತಪಡಿಸಿ ಮುಂದುವರೆಯುವ ಮೊದಲು.", + "This password does not match our records.": "ಈ password does not match ನಮ್ಮ ದಾಖಲಿಸುತ್ತದೆ.", + "This user already belongs to the team.": "ಈ ಬಳಕೆದಾರರು ಈಗಾಗಲೇ ಸೇರಿದೆ ತಂಡ.", + "This user has already been invited to the team.": "ಈ ಬಳಕೆದಾರರು ಈಗಾಗಲೇ ಆಹ್ವಾನಿಸಲಾಗಿದೆ ತಂಡದ.", + "Token Name": "ಟೋಕನ್ ಹೆಸರು", + "Two Factor Authentication": "ಎರಡು ಅಂಶ ದೃಢೀಕರಣ", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "ಎರಡು ಅಂಶ ದೃಢೀಕರಣ ಈಗ ಸಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ. ಸ್ಕ್ಯಾನ್ ಕೆಳಗಿನ QR ಕೋಡ್ ಬಳಸಿ ನಿಮ್ಮ ಫೋನ್ ನ ದೃಢೀಕರಣ ಅಪ್ಲಿಕೇಶನ್.", + "Update Password": "ಅಪ್ಡೇಟ್ ಪಾಸ್ವರ್ಡ್", + "Update your account's profile information and email address.": "ಅಪ್ಡೇಟ್ ನಿಮ್ಮ ಖಾತೆಯ ಪ್ರೊಫೈಲ್ ಮಾಹಿತಿ ಮತ್ತು ಇಮೇಲ್ ವಿಳಾಸ.", + "Use a recovery code": "ಬಳಸಲು ಒಂದು ಚೇತರಿಕೆ ಕೋಡ್", + "Use an authentication code": "ಬಳಸಲು ಒಂದು ದೃಢೀಕರಣ ಕೋಡ್", + "We were unable to find a registered user with this email address.": "We were unable to find ಒಂದು ನೋಂದಾಯಿತ ಬಳಕೆದಾರ ಈ ಇಮೇಲ್ ವಿಳಾಸ.", + "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.": "ಯಾವಾಗ ಎರಡು ಫ್ಯಾಕ್ಟರ್ ದೃಢೀಕರಣ ಸಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ, you will be prompted for a ಸುರಕ್ಷಿತ, ಯಾದೃಚ್ಛಿಕ ಟೋಕನ್ ಸಮಯದಲ್ಲಿ ದೃಢೀಕರಣ. ನೀವು ಮೇ ಹಿಂಪಡೆಯಲು ಈ ಟೋಕನ್ ನಿಮ್ಮ ಫೋನ್ ಗೂಗಲ್ ದೃಢೀಕರಣ ಅಪ್ಲಿಕೇಶನ್.", + "Whoops! Something went wrong.": "ಓಹ್! ಏನೋ ತಪ್ಪಾಗಿದೆ.", + "You have been invited to join the :team team!": "ನೀವು ಆಮಂತ್ರಿಸಲಾಗಿದೆ ಸೇರಲು :team ತಂಡ!", + "You have enabled two factor authentication.": "ನೀವು ಕುಕೀ ಎರಡು ಫ್ಯಾಕ್ಟರ್ ದೃಢೀಕರಣ.", + "You have not enabled two factor authentication.": "ನೀವು ಕುಕೀ ಎರಡು ಫ್ಯಾಕ್ಟರ್ ದೃಢೀಕರಣ.", + "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.": "ನೀವು ಅಳಿಸಬಹುದು ಯಾವುದೇ ನಿಮ್ಮ ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಟೋಕನ್ಗಳು if they are no longer needed.", + "You may not delete your personal team.": "You may not delete ನಿಮ್ಮ ವೈಯಕ್ತಿಕ ತಂಡ.", + "You may not leave a team that you created.": "You may not leave a ತಂಡ ರಚಿಸಿದ." +} diff --git a/locales/kn/packages/nova.json b/locales/kn/packages/nova.json new file mode 100644 index 00000000000..fe6847b8bfe --- /dev/null +++ b/locales/kn/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 ದಿನಗಳ", + "60 Days": "60 ದಿನಗಳ", + "90 Days": "90 ದಿನಗಳ", + ":amount Total": ":amount ಒಟ್ಟು", + ":resource Details": ":resource ವಿವರಗಳು", + ":resource Details: :title": ":resource ವಿವರಗಳು: :title", + "Action": "ಕ್ರಮ", + "Action Happened At": "ಸಂಭವಿಸಿದ ನಲ್ಲಿ", + "Action Initiated By": "ಚಾಲನೆ", + "Action Name": "ಹೆಸರು", + "Action Status": "ಸ್ಥಿತಿ", + "Action Target": "ಗುರಿ", + "Actions": "ಕ್ರಮಗಳು", + "Add row": "ಸೇರಿಸಿ ಸಾಲು", + "Afghanistan": "ಅಫ್ಘಾನಿಸ್ಥಾನ", + "Aland Islands": "Åland ದ್ವೀಪಗಳು", + "Albania": "ಅಲ್ಬೇನಿಯಾ", + "Algeria": "ಆಲ್ಜೀರಿಯಾ", + "All resources loaded.": "ಎಲ್ಲಾ ಸಂಪನ್ಮೂಲಗಳನ್ನು ಲೋಡ್.", + "American Samoa": "ಅಮೆರಿಕನ್ ಸಮೋವಾ", + "An error occured while uploading the file.": "ಒಂದು ದೋಷ ಸಂಭವಿಸಿದೆ ಮಾಡುವಾಗ ಅಪ್ಲೋಡ್ ಫೈಲ್.", + "Andorra": "Andorran", + "Angola": "ಅಂಗೋಲ", + "Anguilla": "Albania", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "ಮತ್ತೊಂದು ಬಳಕೆದಾರ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ ಈ ಸಂಪನ್ಮೂಲ ರಿಂದ ಈ ಪುಟ ಲೋಡ್. ಪುಟ ರಿಫ್ರೆಶ್ ಮಾಡಿ ಹಾಗೂ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ.", + "Antarctica": "ಅಂಟಾರ್ಟಿಕಾ", + "Antigua And Barbuda": "ಆಂಟಿಗುವ ಮತ್ತು ಬಾರ್ಬುಡ", + "April": "ಏಪ್ರಿಲ್", + "Are you sure you want to delete the selected resources?": "Are you sure you want to delete the selected ಸಂಪನ್ಮೂಲಗಳನ್ನು?", + "Are you sure you want to delete this file?": "Are you sure you want to delete this file?", + "Are you sure you want to delete this resource?": "Are you sure you want to delete this ಸಂಪನ್ಮೂಲ?", + "Are you sure you want to detach the selected resources?": "Are you sure you want to ಬೇರ್ಪಡಿಸಬಹುದು ಆಯ್ದ ಸಂಪನ್ಮೂಲಗಳನ್ನು?", + "Are you sure you want to detach this resource?": "Are you sure you want to ಬೇರ್ಪಡಿಸಬಹುದು ಈ ಸಂಪನ್ಮೂಲ?", + "Are you sure you want to force delete the selected resources?": "Are you sure you want to force ಅಳಿಸಲು ಆಯ್ದ ಸಂಪನ್ಮೂಲಗಳನ್ನು?", + "Are you sure you want to force delete this resource?": "Are you sure you want to force ಅಳಿಸಲು ಈ ಸಂಪನ್ಮೂಲ?", + "Are you sure you want to restore the selected resources?": "Are you sure you want to restore ಆಯ್ಕೆ ಸಂಪನ್ಮೂಲಗಳನ್ನು?", + "Are you sure you want to restore this resource?": "Are you sure you want to restore ಈ ಸಂಪನ್ಮೂಲ?", + "Are you sure you want to run this action?": "Are you sure you want to run this action?", + "Argentina": "ಅರ್ಜೆಂಟೀನಾ", + "Armenia": "ಅರ್ಮೇನಿಯ", + "Aruba": "ಅರುಬಾ", + "Attach": "ಲಗತ್ತಿಸಬಹುದು", + "Attach & Attach Another": "ಲಗತ್ತಿಸಬಹುದು & ಲಗತ್ತಿಸುವ ಮತ್ತೊಂದು", + "Attach :resource": "ಲಗತ್ತಿಸಬಹುದು :resource", + "August": "ಆಗಸ್ಟ್", + "Australia": "ಆಸ್ಟ್ರೇಲಿಯಾ", + "Austria": "ಆಸ್ಟ್ರಿಯಾ", + "Azerbaijan": "ಅಜರ್ಬೈಜಾನ್", + "Bahamas": "ಬಹಾಮಾಸ್", + "Bahrain": "ಬಹರೇನ್", + "Bangladesh": "ಬಾಂಗ್ಲಾದೇಶ", + "Barbados": "ಬಾರ್ಬಡೋಸ್", + "Belarus": "ಬೆಲಾರಸ್", + "Belgium": "ಬೆಲ್ಜಿಯಂ", + "Belize": "ಬೆಲೀಜ್", + "Benin": "ಬೆನಿನ್", + "Bermuda": "ಬರ್ಮುಡಾ", + "Bhutan": "ಭೂತಾನ್", + "Bolivia": "ಬಲ್ಗೇರಿಯಾ", + "Bonaire, Sint Eustatius and Saba": "Bonaire, ಸಿಂಟ್ Eustatius ಮತ್ತು ಶನಿವಾರ", + "Bosnia And Herzegovina": "ಬೋಸ್ನಿಯಾ ಮತ್ತು ಹರ್ಜೆಗೋವಿನಾ", + "Botswana": "ಬೋಟ್ಸ್ವಾನ", + "Bouvet Island": "Bouvet ದ್ವೀಪ", + "Brazil": "ಬ್ರೆಜಿಲ್", + "British Indian Ocean Territory": "ಬ್ರಿಟಿಷ್ ಇಂಡಿಯನ್ ಮಹಾಸಾಗರ ಪ್ರದೇಶ", + "Brunei Darussalam": "Brunei", + "Bulgaria": "ಬಲ್ಗೇರಿಯ", + "Burkina Faso": "ಬುರ್ಕಿನಾ ಫಾಸೊ", + "Burundi": "ಬುರುಂಡಿ", + "Cambodia": "ಕಾಂಬೋಡಿಯ", + "Cameroon": "ಕ್ಯಾಮರೂನ್", + "Canada": "ಕೆನಡಾ", + "Cancel": "ರದ್ದು", + "Cape Verde": "ಕೇಪ್ ವರ್ಡೆ", + "Cayman Islands": "ಕೇಮನ್ ದ್ವೀಪಗಳು", + "Central African Republic": "ಸೆಂಟ್ರಲ್ ಆಫ್ರಿಕನ್ ರಿಪಬ್ಲಿಕ್", + "Chad": "ಚಾಡ್", + "Changes": "ಬದಲಾವಣೆಗಳು", + "Chile": "ಚಿಲಿ", + "China": "ಚೀನಾ", + "Choose": "ಆಯ್ಕೆ", + "Choose :field": "ಆಯ್ಕೆ :field", + "Choose :resource": "ಆಯ್ಕೆ :resource", + "Choose an option": "ಒಂದು ಆಯ್ಕೆಯನ್ನು ಆರಿಸಿ", + "Choose date": "ಆಯ್ಕೆ ದಿನಾಂಕ", + "Choose File": "ಫೈಲ್ ಆಯ್ಕೆ", + "Choose Type": "ಆಯ್ಕೆ ಮಾದರಿ", + "Christmas Island": "ಕ್ರಿಸ್ಮಸ್ ದ್ವೀಪ", + "Click to choose": "ಕ್ಲಿಕ್ ಮಾಡಿ ಆಯ್ಕೆ", + "Cocos (Keeling) Islands": "ಕೋಕೋಸ್ (Keeling) ದ್ವೀಪಗಳು", + "Colombia": "ಕೊಲಂಬಿಯಾ", + "Comoros": "ಸಮೋವಾ", + "Confirm Password": "ಪಾಸ್ವರ್ಡ್ ದೃಢೀಕರಿಸಿ", + "Congo": "ಕಾಂಗೋ", + "Congo, Democratic Republic": "ಕಾಂಗೋ, ಪ್ರಜಾಸತ್ತಾತ್ಮಕ ಗಣರಾಜ್ಯ", + "Constant": "ನಿರಂತರ", + "Cook Islands": "ಕುಕ್ ದ್ವೀಪಗಳು", + "Costa Rica": "ಕೋಸ್ಟಾ ರಿಕಾ", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "could not be found.", + "Create": "ರಚಿಸಿ", + "Create & Add Another": "ರಚಿಸಿ ಮತ್ತು ಮತ್ತೊಂದು ಸೇರಿಸಿ", + "Create :resource": "ರಚಿಸಲು :resource", + "Croatia": "ಕ್ರೊಯೇಷಿಯಾ", + "Cuba": "ಕ್ಯೂಬಾ", + "Curaçao": "Curacao", + "Customize": "ಕಸ್ಟಮೈಸ್", + "Cyprus": "ಸೈಪ್ರಸ್", + "Czech Republic": "ಜೆಕಿಯಾ", + "Dashboard": "ಡ್ಯಾಶ್ಬೋರ್ಡ್", + "December": "ಡಿಸೆಂಬರ್", + "Decrease": "ಇಳಿಕೆ", + "Delete": "ಅಳಿಸಿ", + "Delete File": "ಫೈಲ್ ಅಳಿಸಿ", + "Delete Resource": "ಅಳಿಸಿ ಸಂಪನ್ಮೂಲ", + "Delete Selected": "ಅಳಿಸಿ ಆಯ್ಕೆ", + "Denmark": "ಡೆನ್ಮಾರ್ಕ್", + "Detach": "ಬೇರ್ಪಡಿಸಬಹುದು", + "Detach Resource": "ಬೇರ್ಪಡಿಸಬಹುದು ಸಂಪನ್ಮೂಲ", + "Detach Selected": "ಬೇರ್ಪಡಿಸಬಹುದು ಆಯ್ಕೆ", + "Details": "ವಿವರಗಳು", + "Djibouti": "ಜಿಬೌಟಿ", + "Do you really want to leave? You have unsaved changes.": "Do you really want to leave? ನೀವು ಉಳಿಸದೇ ಇರುವ ಬದಲಾವಣೆಗಳು.", + "Dominica": "ಭಾನುವಾರ", + "Dominican Republic": "ಡೊಮಿನಿಕನ್ ರಿಪಬ್ಲಿಕ್", + "Download": "ಡೌನ್ಲೋಡ್", + "Ecuador": "ಈಕ್ವೆಡಾರ್", + "Edit": "ಸಂಪಾದಿಸಿ", + "Edit :resource": "ಸಂಪಾದಿಸಿ :resource", + "Edit Attached": "ಸಂಪಾದಿಸಿ ಲಗತ್ತಿಸಲಾದ", + "Egypt": "ಈಜಿಪ್ಟ್", + "El Salvador": "ಸಾಲ್ವಡಾರ್", + "Email Address": "ಇಮೇಲ್ ವಿಳಾಸ", + "Equatorial Guinea": "ವಿಷುವದ್ರೇಖೆಯ ಗಿನಿ", + "Eritrea": "ಏರಿಟ್ರಿಯಾ", + "Estonia": "ಎಸ್ಟೋನಿಯಾ", + "Ethiopia": "ಇಥಿಯೋಪಿಯ", + "Falkland Islands (Malvinas)": "ಫಾಕ್ಲ್ಯಾಂಡ್ ದ್ವೀಪಗಳು (Malvinas)", + "Faroe Islands": "ಫೆರೋ ದ್ವೀಪಗಳು", + "February": "ಫೆಬ್ರವರಿ", + "Fiji": "Fiji", + "Finland": "ಫಿನ್ಲ್ಯಾಂಡ್", + "Force Delete": "ಫೋರ್ಸ್ ಅಳಿಸಿ", + "Force Delete Resource": "ಫೋರ್ಸ್ ಅಳಿಸಿ ಸಂಪನ್ಮೂಲ", + "Force Delete Selected": "ಫೋರ್ಸ್ ಅಳಿಸಿ ಆಯ್ಕೆ", + "Forgot Your Password?": "ನಿಮ್ಮ ಪಾಸ್ವರ್ಡ್ ಮರೆತಿರಾ?", + "Forgot your password?": "ನಿಮ್ಮ ಪಾಸ್ವರ್ಡ್ ಮರೆತಿರುವಿರಾ?", + "France": "ಫ್ರಾನ್ಸ್", + "French Guiana": "ಫ್ರೆಂಚ್ ಗಯಾನಾ", + "French Polynesia": "ಫ್ರೆಂಚ್ ಪೋಲಿನೇಷಿಯ", + "French Southern Territories": "ಫ್ರೆಂಚ್ ದಕ್ಷಿಣ ಪ್ರಾಂತ್ಯಗಳು", + "Gabon": "ಗೆಬೊನ್", + "Gambia": "ಗ್ಯಾಂಬಿಯಾ", + "Georgia": "ಜಾರ್ಜಿಯಾ", + "Germany": "ಜರ್ಮನಿ", + "Ghana": "ಘಾನಾ", + "Gibraltar": "ಗಿಬ್ರಾಲ್ಟರ್", + "Go Home": "ಮುಖಪುಟಕ್ಕೆ ಹೋಗು", + "Greece": "ಗ್ರೀಸ್", + "Greenland": "ಗ್ರೀನ್ಲ್ಯಾಂಡ್", + "Grenada": "Grenada", + "Guadeloupe": "ಗುಡೆಲೋಪ್", + "Guam": "ಗುಯಾಮ್", + "Guatemala": "ಗ್ವಾಟೆಮಾಲಾ", + "Guernsey": "ಗುರ್ನಸಿ", + "Guinea": "ಗಿನಿ", + "Guinea-Bissau": "ಗಿನಿ-ಬಿಸೌ", + "Guyana": "ಗಯಾನಾ", + "Haiti": "ಹೈಟಿ", + "Heard Island & Mcdonald Islands": "ಹರ್ಡ್ ದ್ವೀಪ ಮತ್ತು ಮ್ಯಾಕ್ಡೊನಾಲ್ಡ್ ದ್ವೀಪಗಳು", + "Hide Content": "ಮರೆಮಾಡಿ ವಿಷಯ", + "Hold Up!": "ಹಿಡಿದಿಡಲು ಅಪ್!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "ಹೊಂಡುರಾಸ್", + "Hong Kong": "ಹಾಂಗ್ ಕಾಂಗ್", + "Hungary": "ಹಂಗರಿ", + "Iceland": "ಐಸ್ಲ್ಯಾಂಡ್", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "ಪಾಸ್ವರ್ಡ್ ಮರುಹೊಂದಿಸಲು ನೀವು ವಿನಂತಿಸದಿದ್ದರೆ, ಹೆಚ್ಚಿನ ಕ್ರಮಗಳ ಅಗತ್ಯವಿಲ್ಲ.", + "Increase": "ಹೆಚ್ಚಳ", + "India": "ಭಾರತ", + "Indonesia": "ಇಂಡೋನೇಷ್ಯಾ", + "Iran, Islamic Republic Of": "ಇರಾನ್", + "Iraq": "ಇರಾಕ್", + "Ireland": "ಐರ್ಲೆಂಡ್", + "Isle Of Man": "ಐಲ್ ಆಫ್ ಮ್ಯಾನ್", + "Israel": "ಯೆಹೂದ್ಯರು ಯಾ ಯೇಹೂದ್ಯ ರಾಷ್ಟ್ರ", + "Italy": "ಇಟಲಿ", + "Jamaica": "ಜಮೈಕಾ", + "January": "ಜನವರಿ", + "Japan": "ಜಪಾನ್", + "Jersey": "ಜೆರ್ಸಿ", + "Jordan": "ಜೋರ್ಡಾನ್", + "July": "ಜುಲೈ", + "June": "ಜೂನ್", + "Kazakhstan": "ಕಝಾಕಿಸ್ತಾನ್", + "Kenya": "ಕೀನ್ಯಾ", + "Key": "ಕೀ", + "Kiribati": "ಪಲಾವು", + "Korea": "ದಕ್ಷಿಣ ಕೊರಿಯಾ", + "Korea, Democratic People's Republic of": "ಉತ್ತರ ಕೊರಿಯಾ", + "Kosovo": "ಕೊಸೊವೊ", + "Kuwait": "ಕುವೈತ್", + "Kyrgyzstan": "ಕಿರ್ಗಿಸ್ತಾನ್", + "Lao People's Democratic Republic": "ಲಾವೋಸ್", + "Latvia": "ಲಾಟ್ವಿಯಾ", + "Lebanon": "ಲೆಬನಾನ್", + "Lens": "ಲೆನ್ಸ್", + "Lesotho": "ಲೆಥೋಸೊ", + "Liberia": "ಲಿಬೇರಿಯಾ", + "Libyan Arab Jamahiriya": "ಲಿಬಿಯಾ", + "Liechtenstein": "ಮೊನಾಕೊ", + "Lithuania": "ಲಿಥುವೇನಿಯಾ", + "Load :perPage More": "ಲೋಡ್ ಹೆಚ್ಚು :perPage", + "Login": "ಲಾಗಿನ್", + "Logout": "ಲಾಗ್ ಔಟ್", + "Luxembourg": "ಲಕ್ಸೆಂಬರ್ಗ್", + "Macao": "ನಿಯೋಜನೆ", + "Macedonia": "ಉತ್ತರ ಮ್ಯಾಸೆಡೊನಿಯ", + "Madagascar": "ಮಡಗಾಸ್ಕರ್", + "Malawi": "ಮಲಾವಿ", + "Malaysia": "ಮಲೇಷ್ಯಾ", + "Maldives": "ಮಾಲ್ಡೀವ್ಸ್", + "Mali": "ಸಣ್ಣ", + "Malta": "ಮಾಲ್ಟಾ", + "March": "ಮಾರ್ಚ್", + "Marshall Islands": "ಮಾರ್ಷಲ್ ದ್ವೀಪಗಳು", + "Martinique": "Martinique", + "Mauritania": "ಮಾರಿಟಾನಿಯ", + "Mauritius": "ಮಾರಿಷಸ್", + "May": "ಮೇ", + "Mayotte": "ಡೊಮಿನಿಕ", + "Mexico": "ಮೆಕ್ಸಿಕೋ", + "Micronesia, Federated States Of": "ಮೈಕ್ರೋನೇಶಿಯಾ", + "Moldova": "ಮೊಲ್ಡೊವಾ", + "Monaco": "ಮೊನಾಕೊ", + "Mongolia": "ಮಂಗೋಲಿಯಾ", + "Montenegro": "ಮಾಂಟೆನೆಗ್ರೊ", + "Month To Date": "ತಿಂಗಳು ದಿನಾಂಕ", + "Montserrat": "ಮೋಂಟ್ಸೆರೆಟ್", + "Morocco": "ಮೊರಾಕೊ", + "Mozambique": "ಮೊಜಾಂಬಿಕ್", + "Myanmar": "ಮ್ಯಾನ್ಮಾರ್", + "Namibia": "ನಮೀಬಿಯಾ", + "Nauru": "ಸುಂಡಾನೀಸ್", + "Nepal": "ನೇಪಾಳ", + "Netherlands": "ನೆದರ್ಲ್ಯಾಂಡ್ಸ್", + "New": "ಹೊಸ", + "New :resource": "ಹೊಸ :resource", + "New Caledonia": "ನ್ಯೂ ಕ್ಯಾಲೆಡೋನಿಯಾ", + "New Zealand": "ನ್ಯೂ ಜಿಲಂಡ್", + "Next": "ಮುಂದಿನ", + "Nicaragua": "ನಿಕರಾಗುವಾ", + "Niger": "ನೈಜರ್", + "Nigeria": "ನೈಜೀರಿಯಾ", + "Niue": "ನಿಯು", + "No": "ಯಾವುದೇ", + "No :resource matched the given criteria.": "ಯಾವುದೇ :resource ದಾಖಲೆಗಳುಸರಿಹೊಂದಿವೆ ನಿರ್ದಿಷ್ಟ ಮಾನದಂಡಗಳನ್ನು.", + "No additional information...": "ಯಾವುದೇ ಹೆಚ್ಚುವರಿ ಮಾಹಿತಿ...", + "No Current Data": "ಯಾವುದೇ ಪ್ರಸ್ತುತ ಡೇಟಾ", + "No Data": "ಯಾವುದೇ ಮಾಹಿತಿ", + "no file selected": "ಯಾವುದೇ ಫೈಲ್ ಆಯ್ಕೆ", + "No Increase": "ಯಾವುದೇ ಹೆಚ್ಚಳ", + "No Prior Data": "ಯಾವುದೇ ಮೊದಲು ಡೇಟಾ", + "No Results Found.": "ಯಾವುದೇ ಫಲಿತಾಂಶಗಳು ಕಂಡುಬಂದಿಲ್ಲ.", + "Norfolk Island": "ನಾರ್ಫೋಕ್ ದ್ವೀಪ", + "Northern Mariana Islands": "ಉತ್ತರ ಮರಿಯಾನ ದ್ವೀಪಗಳು", + "Norway": "ನಾರ್ವೆ", + "Nova User": "ಹೊಸ ಬಳಕೆದಾರ", + "November": "ನವೆಂಬರ್", + "October": "ಅಕ್ಟೋಬರ್", + "of": "ಆಫ್", + "Oman": "ಓಮನ್", + "Only Trashed": "ಕೇವಲ ಅನುಪಯುಕ್ತ", + "Original": "ಮೂಲ", + "Pakistan": "ಪಾಕಿಸ್ತಾನ", + "Palau": "ಪಲಾವು", + "Palestinian Territory, Occupied": "ಪ್ಯಾಲೆಸ್ಟೇನಿಯನ್ ಪ್ರಾಂತ್ಯಗಳು", + "Panama": "ಮಧ್ಯ ಅಮೆರಿಕದ ಪನಾಮಾ ನಗರ", + "Papua New Guinea": "ಪಪುವಾ ನ್ಯೂ ಗಿನೀ", + "Paraguay": "ಪರಾಗ್ವೇ", + "Password": "ಪಾಸ್ವರ್ಡ್", + "Per Page": "ಪ್ರತಿ ಪುಟ", + "Peru": "ಪೆರು", + "Philippines": "ಫಿಲಿಪೈನ್ಸ್", + "Pitcairn": "ಪಿಟ್ಕೈರ್ನ್ ದ್ವೀಪಗಳು", + "Poland": "ಪೋಲೆಂಡ್", + "Portugal": "ಪೋರ್ಚುಗಲ್", + "Press \/ to search": "ಪತ್ರಿಕಾ \/ ಹುಡುಕಾಟ", + "Preview": "ಮುನ್ನೋಟ", + "Previous": "ಹಿಂದಿನ", + "Puerto Rico": "ಪೋರ್ಟೊ ರಿಕೊ", + "Qatar": "Qatar", + "Quarter To Date": "ಕ್ವಾರ್ಟರ್ ದಿನಾಂಕ", + "Reload": "ರೀಲೋಡ್", + "Remember Me": "ನನ್ನನ್ನು ನೆನಪಿನಲ್ಲಿಡು", + "Reset Filters": "ರೀಸೆಟ್ ಶೋಧಕಗಳು", + "Reset Password": "ಪಾಸ್ವರ್ಡ್ ಮರುಹೊಂದಿಸಿ", + "Reset Password Notification": "ಪಾಸ್ವರ್ಡ್ ಅಧಿಸೂಚನೆ ಮರುಹೊಂದಿಸಿ", + "resource": "ಸಂಪನ್ಮೂಲ", + "Resources": "ಸಂಪನ್ಮೂಲಗಳು", + "resources": "ಸಂಪನ್ಮೂಲಗಳು", + "Restore": "ಪುನಃಸ್ಥಾಪಿಸಲು", + "Restore Resource": "ಪುನಃಸ್ಥಾಪಿಸಲು ಸಂಪನ್ಮೂಲ", + "Restore Selected": "ಪುನಃಸ್ಥಾಪಿಸಲು ಆಯ್ಕೆ", + "Reunion": "ಸಭೆಯಲ್ಲಿ", + "Romania": "ರೊಮೇನಿಯಾ", + "Run Action": "ರನ್ ಕ್ರಮ", + "Russian Federation": "ರಶಿಯನ್ ಒಕ್ಕೂಟ", + "Rwanda": "ರುವಾಂಡಾ", + "Saint Barthelemy": "ಸೇಂಟ್ Psg", + "Saint Helena": "ಸೇಂಟ್ ಹೆಲೆನಾ", + "Saint Kitts And Nevis": "ಸೇಂಟ್ ಕಿಟ್ಸ್ ಮತ್ತು ನೆವಿಸ್", + "Saint Lucia": "ಸೇಂಟ್ ಲೂಸಿಯಾ", + "Saint Martin": "ಸೇಂಟ್ ಮಾರ್ಟಿನ್", + "Saint Pierre And Miquelon": "ಸೇಂಟ್ ಪಿಯರೆ ಮತ್ತು ಮಿಕೆಲನ್", + "Saint Vincent And Grenadines": "ಸೇಂಟ್ ವಿನ್ಸೆಂಟ್ ಮತ್ತು ಗ್ರೆನಡೀನ್ಸ್", + "Samoa": "ಸಮೋವಾ", + "San Marino": "ಸ್ಯಾನ್ ಮರಿನೋ", + "Sao Tome And Principe": "ಗಿನಿ ಬಿಸ್ಸಾವ್", + "Saudi Arabia": "ಸೌದಿ ಅರೇಬಿಯಾ", + "Search": "ಹುಡುಕಾಟ", + "Select Action": "ಕ್ರಿಯೆಯನ್ನು ಆಯ್ಕೆ", + "Select All": "ಎಲ್ಲಾ ಆಯ್ಕೆ", + "Select All Matching": "ಆಯ್ಕೆ ಎಲ್ಲಾ ಹೊಂದಾಣಿಕೆಯ", + "Send Password Reset Link": "ಪಾಸ್ವರ್ಡ್ ಮರುಹೊಂದಿಸುವ ಲಿಂಕ್ ಕಳುಹಿಸಿ", + "Senegal": "ಸೆನೆಗಲ್", + "September": "ಸೆಪ್ಟೆಂಬರ್", + "Serbia": "ಸರ್ಬಿಯಾ", + "Seychelles": "ಸೇಶೆಲ್ಸ್", + "Show All Fields": "ಎಲ್ಲಾ ತೋರಿಸಿ ಜಾಗ", + "Show Content": "ವಿಷಯವನ್ನು ತೋರಿಸಲು", + "Sierra Leone": "ಸಿಯೆರಾ ಲಿಯೋನ್", + "Singapore": "ಸಿಂಗಾಪುರ", + "Sint Maarten (Dutch part)": "ಸೇಂಟ್ Maarten", + "Slovakia": "ಸ್ಲೋವಾಕಿಯಾ", + "Slovenia": "ಸ್ಲೊವೇನಿಯಾ", + "Solomon Islands": "ಸೊಲೊಮನ್ ದ್ವೀಪಗಳು", + "Somalia": "ಸೊಮಾಲಿಯಾ", + "Something went wrong.": "ಏನೋ ತಪ್ಪಾಗಿದೆ.", + "Sorry! You are not authorized to perform this action.": "ಕ್ಷಮಿಸಿ! You are not authorized to perform this action.", + "Sorry, your session has expired.": "ಕ್ಷಮಿಸಿ, ನಿಮ್ಮ ಅಧಿವೇಶನ ಮುಗಿದಿದೆ.", + "South Africa": "ದಕ್ಷಿಣ ಆಫ್ರಿಕಾ", + "South Georgia And Sandwich Isl.": "ದಕ್ಷಿಣ ಜಾರ್ಜಿಯಾ ಮತ್ತು ದಕ್ಷಿಣ ಸ್ಯಾಂಡ್ವಿಚ್ ದ್ವೀಪಗಳು", + "South Sudan": "ದಕ್ಷಿಣ ಸುಡಾನ್", + "Spain": "ಸ್ಪೇನ್", + "Sri Lanka": "ಶ್ರೀಲಂಕಾ", + "Start Polling": "ಮತದಾನ ಆರಂಭ", + "Stop Polling": "ಸ್ಟಾಪ್ ಮತದಾನ", + "Sudan": "ಸುಡಾನ್", + "Suriname": "ಸುರಿನಾಮ್", + "Svalbard And Jan Mayen": "ಸ್ವಾಲ್ಬಾರ್ಡ್ ಮತ್ತು ಜಾನ್ ಮಾಯೆನ್", + "Swaziland": "Eswatini", + "Sweden": "ಸ್ವೀಡನ್", + "Switzerland": "ಸ್ವಿಜರ್ಲ್ಯಾಂಡ್", + "Syrian Arab Republic": "ಸಿರಿಯಾ", + "Taiwan": "ತೈವಾನ್", + "Tajikistan": "ತಜಿಕಿಸ್ತಾನ್", + "Tanzania": "ಟಾಂಜಾನಿಯಾ", + "Thailand": "ಥೈಲ್ಯಾಂಡ್", + "The :resource was created!": "The :resource ರಚಿಸಲಾಗಿದೆ!", + "The :resource was deleted!": "The :resource ಅಳಿಸಲಾಗಿದೆ!", + "The :resource was restored!": "The :resource ಪುನಃಸ್ಥಾಪಿಸಲಾಗಿದೆ!", + "The :resource was updated!": "The :resource ಆಗಿತ್ತು ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ!", + "The action ran successfully!": "ಕ್ರಮ ನಡೆಯಿತು ಯಶಸ್ವಿಯಾಗಿ!", + "The file was deleted!": "The file was deleted!", + "The government won't let us show you what's behind these doors": "ಸರ್ಕಾರ ಅವಕಾಶ ಮಾಡುವುದಿಲ್ಲ ತೋರಿಸಲು ನಮಗೆ ನೀವು ಏನು ಈ ಹಿಂದೆ ಬಾಗಿಲು", + "The HasOne relationship has already been filled.": "The HasOne ಸಂಬಂಧ ಈಗಾಗಲೇ ತುಂಬಿದ.", + "The resource was updated!": "ಸಂಪನ್ಮೂಲ ಆಗಿತ್ತು ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ!", + "There are no available options for this resource.": "ಯಾವುದೇ ಲಭ್ಯವಿರುವ ಆಯ್ಕೆಗಳನ್ನು ಈ ಸಂಪನ್ಮೂಲ.", + "There was a problem executing the action.": "ಅಲ್ಲಿ ಒಂದು ಸಮಸ್ಯೆ ಪಾಲಿಸಲು ಕ್ರಮ.", + "There was a problem submitting the form.": "ಅಲ್ಲಿ ಒಂದು ಸಮಸ್ಯೆ ರೂಪ ಸಲ್ಲಿಸುವ.", + "This file field is read-only.": "ಈ ಕಡತ field is read-only.", + "This image": "ಈ ಚಿತ್ರ", + "This resource no longer exists": "ಈ ಸಂಪನ್ಮೂಲ ಇನ್ನು ಮುಂದೆ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ", + "Timor-Leste": "ಟಿಮೋರ್-Leste", + "Today": "ಇಂದು", + "Togo": "ಟೋಗೊ", + "Tokelau": "ಟೊಕೆಲಾವ್", + "Tonga": "ಬಂದು", + "total": "ಒಟ್ಟು", + "Trashed": "ತ್ಯಾಜ್ಯದಲ್ಲಿರುವ", + "Trinidad And Tobago": "ಟ್ರಿನಿಡಾಡ್ ಮತ್ತು ಟೊಬೆಗೊ", + "Tunisia": "ಟುನೀಶಿಯ", + "Turkey": "ಟರ್ಕಿ", + "Turkmenistan": "ತುರ್ಕಮೆನಿಸ್ತಾನ್", + "Turks And Caicos Islands": "ಟರ್ಕ್ಸ್ ಮತ್ತು ಕೈಕೋಸ್ ದ್ವೀಪಗಳು", + "Tuvalu": "ಟೋಂಗಾ", + "Uganda": "ಉಗಾಂಡಾ", + "Ukraine": "ಉಕ್ರೇನ್", + "United Arab Emirates": "ಯುನೈಟೆಡ್ ಅರಬ್ ಎಮಿರೇಟ್ಸ್", + "United Kingdom": "ಯುನೈಟೆಡ್ ಕಿಂಗ್ಡಮ್", + "United States": "ಯುನೈಟೆಡ್ ಸ್ಟೇಟ್ಸ್", + "United States Outlying Islands": "ಅಮೇರಿಕಾದ ಹೊರವಲಯದ ದ್ವೀಪಗಳು", + "Update": "ಅಪ್ಡೇಟ್", + "Update & Continue Editing": "ಅಪ್ಡೇಟ್ ಮತ್ತು Continue Editing", + "Update :resource": "ಅಪ್ಡೇಟ್ :resource", + "Update :resource: :title": "ಅಪ್ಡೇಟ್ :resource: :title", + "Update attached :resource: :title": "ಅಪ್ಡೇಟ್ ಲಗತ್ತಿಸಲಾದ :resource: :title", + "Uruguay": "ಉರುಗ್ವೆ", + "Uzbekistan": "ಉಜ್ಬೇಕಿಸ್ತಾನ್", + "Value": "ಮೌಲ್ಯ", + "Vanuatu": "ಜಿಂಬಾಬ್ವೆ", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "ವೀಕ್ಷಿಸಿ", + "Virgin Islands, British": "ಬ್ರಿಟಿಷ್ ವರ್ಜಿನ್ ದ್ವೀಪಗಳು", + "Virgin Islands, U.S.": "ಅಮೇರಿಕಾದ ವರ್ಜಿನ್ ದ್ವೀಪಗಳು", + "Wallis And Futuna": "ವಾಲಿಸ್ ಮತ್ತು ಫುಟುನಾ", + "We're lost in space. The page you were trying to view does not exist.": "ನಾವು ನೀವು lost in space. ಪುಟ ನೀವು ಪ್ರಯತ್ನಿಸುತ್ತಿದ್ದ ವೀಕ್ಷಿಸಲು ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ.", + "Welcome Back!": "ಮತ್ತೆ ಸ್ವಾಗತ!", + "Western Sahara": "ಪಶ್ಚಿಮ ಸಹಾರಾ", + "Whoops": "ಓಹ್", + "Whoops!": "ಓಹ್!", + "With Trashed": "ಜೊತೆ ಅನುಪಯುಕ್ತ", + "Write": "ಬರೆಯಲು", + "Year To Date": "ವರ್ಷ ಇಲ್ಲಿಯವರೆಗೆ", + "Yemen": "ಯೆಮೆನಿ", + "Yes": "ಹೌದು", + "You are receiving this email because we received a password reset request for your account.": "ನಿಮ್ಮ ಖಾತೆಗಾಗಿ ಪಾಸ್ವರ್ಡ್ ಮರುಹೊಂದಿಸುವ ವಿನಂತಿಯನ್ನು ನಾವು ಸ್ವೀಕರಿಸಿದ್ದೇವೆಂದು ನೀವು ಈ ಇಮೇಲ್ ಅನ್ನು ಸ್ವೀಕರಿಸುತ್ತಿರುವಿರಿ.", + "Zambia": "ಝಾಂಬಿಯಾ", + "Zimbabwe": "ಜಿಂಬಾಬ್ವೆ" +} diff --git a/locales/kn/packages/spark-paddle.json b/locales/kn/packages/spark-paddle.json new file mode 100644 index 00000000000..fa312fe4349 --- /dev/null +++ b/locales/kn/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "ಸೇವಾ ನಿಯಮಗಳು", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "ಓಹ್! ಏನೋ ತಪ್ಪಾಗಿದೆ.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/kn/packages/spark-stripe.json b/locales/kn/packages/spark-stripe.json new file mode 100644 index 00000000000..4a60a1fdab7 --- /dev/null +++ b/locales/kn/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "ಅಫ್ಘಾನಿಸ್ಥಾನ", + "Albania": "ಅಲ್ಬೇನಿಯಾ", + "Algeria": "ಆಲ್ಜೀರಿಯಾ", + "American Samoa": "ಅಮೆರಿಕನ್ ಸಮೋವಾ", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorran", + "Angola": "ಅಂಗೋಲ", + "Anguilla": "Albania", + "Antarctica": "ಅಂಟಾರ್ಟಿಕಾ", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "ಅರ್ಜೆಂಟೀನಾ", + "Armenia": "ಅರ್ಮೇನಿಯ", + "Aruba": "ಅರುಬಾ", + "Australia": "ಆಸ್ಟ್ರೇಲಿಯಾ", + "Austria": "ಆಸ್ಟ್ರಿಯಾ", + "Azerbaijan": "ಅಜರ್ಬೈಜಾನ್", + "Bahamas": "ಬಹಾಮಾಸ್", + "Bahrain": "ಬಹರೇನ್", + "Bangladesh": "ಬಾಂಗ್ಲಾದೇಶ", + "Barbados": "ಬಾರ್ಬಡೋಸ್", + "Belarus": "ಬೆಲಾರಸ್", + "Belgium": "ಬೆಲ್ಜಿಯಂ", + "Belize": "ಬೆಲೀಜ್", + "Benin": "ಬೆನಿನ್", + "Bermuda": "ಬರ್ಮುಡಾ", + "Bhutan": "ಭೂತಾನ್", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "ಬೋಟ್ಸ್ವಾನ", + "Bouvet Island": "Bouvet ದ್ವೀಪ", + "Brazil": "ಬ್ರೆಜಿಲ್", + "British Indian Ocean Territory": "ಬ್ರಿಟಿಷ್ ಇಂಡಿಯನ್ ಮಹಾಸಾಗರ ಪ್ರದೇಶ", + "Brunei Darussalam": "Brunei", + "Bulgaria": "ಬಲ್ಗೇರಿಯ", + "Burkina Faso": "ಬುರ್ಕಿನಾ ಫಾಸೊ", + "Burundi": "ಬುರುಂಡಿ", + "Cambodia": "ಕಾಂಬೋಡಿಯ", + "Cameroon": "ಕ್ಯಾಮರೂನ್", + "Canada": "ಕೆನಡಾ", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "ಕೇಪ್ ವರ್ಡೆ", + "Card": "ಕಾರ್ಡ್", + "Cayman Islands": "ಕೇಮನ್ ದ್ವೀಪಗಳು", + "Central African Republic": "ಸೆಂಟ್ರಲ್ ಆಫ್ರಿಕನ್ ರಿಪಬ್ಲಿಕ್", + "Chad": "ಚಾಡ್", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "ಚಿಲಿ", + "China": "ಚೀನಾ", + "Christmas Island": "ಕ್ರಿಸ್ಮಸ್ ದ್ವೀಪ", + "City": "City", + "Cocos (Keeling) Islands": "ಕೋಕೋಸ್ (Keeling) ದ್ವೀಪಗಳು", + "Colombia": "ಕೊಲಂಬಿಯಾ", + "Comoros": "ಸಮೋವಾ", + "Confirm Payment": "ಪಾವತಿ ಖಚಿತಪಡಿಸಲು", + "Confirm your :amount payment": "Confirm your :amount ಪಾವತಿ", + "Congo": "ಕಾಂಗೋ", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "ಕುಕ್ ದ್ವೀಪಗಳು", + "Costa Rica": "ಕೋಸ್ಟಾ ರಿಕಾ", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "ಕ್ರೊಯೇಷಿಯಾ", + "Cuba": "ಕ್ಯೂಬಾ", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "ಸೈಪ್ರಸ್", + "Czech Republic": "ಜೆಕಿಯಾ", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "ಡೆನ್ಮಾರ್ಕ್", + "Djibouti": "ಜಿಬೌಟಿ", + "Dominica": "ಭಾನುವಾರ", + "Dominican Republic": "ಡೊಮಿನಿಕನ್ ರಿಪಬ್ಲಿಕ್", + "Download Receipt": "Download Receipt", + "Ecuador": "ಈಕ್ವೆಡಾರ್", + "Egypt": "ಈಜಿಪ್ಟ್", + "El Salvador": "ಸಾಲ್ವಡಾರ್", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "ವಿಷುವದ್ರೇಖೆಯ ಗಿನಿ", + "Eritrea": "ಏರಿಟ್ರಿಯಾ", + "Estonia": "ಎಸ್ಟೋನಿಯಾ", + "Ethiopia": "ಇಥಿಯೋಪಿಯ", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "ಹೆಚ್ಚುವರಿ ದೃಢೀಕರಣ ಅಗತ್ಯವಿದೆ ಪ್ರಕ್ರಿಯೆ ನಿಮ್ಮ ಪಾವತಿ. ದಯವಿಟ್ಟು ಮುಂದುವರಿಸಿ ಪಾವತಿ ಪುಟ ಕ್ಲಿಕ್ಕಿಸಿ ಕೆಳಗಿನ ಬಟನ್.", + "Falkland Islands (Malvinas)": "ಫಾಕ್ಲ್ಯಾಂಡ್ ದ್ವೀಪಗಳು (Malvinas)", + "Faroe Islands": "ಫೆರೋ ದ್ವೀಪಗಳು", + "Fiji": "Fiji", + "Finland": "ಫಿನ್ಲ್ಯಾಂಡ್", + "France": "ಫ್ರಾನ್ಸ್", + "French Guiana": "ಫ್ರೆಂಚ್ ಗಯಾನಾ", + "French Polynesia": "ಫ್ರೆಂಚ್ ಪೋಲಿನೇಷಿಯ", + "French Southern Territories": "ಫ್ರೆಂಚ್ ದಕ್ಷಿಣ ಪ್ರಾಂತ್ಯಗಳು", + "Gabon": "ಗೆಬೊನ್", + "Gambia": "ಗ್ಯಾಂಬಿಯಾ", + "Georgia": "ಜಾರ್ಜಿಯಾ", + "Germany": "ಜರ್ಮನಿ", + "Ghana": "ಘಾನಾ", + "Gibraltar": "ಗಿಬ್ರಾಲ್ಟರ್", + "Greece": "ಗ್ರೀಸ್", + "Greenland": "ಗ್ರೀನ್ಲ್ಯಾಂಡ್", + "Grenada": "Grenada", + "Guadeloupe": "ಗುಡೆಲೋಪ್", + "Guam": "ಗುಯಾಮ್", + "Guatemala": "ಗ್ವಾಟೆಮಾಲಾ", + "Guernsey": "ಗುರ್ನಸಿ", + "Guinea": "ಗಿನಿ", + "Guinea-Bissau": "ಗಿನಿ-ಬಿಸೌ", + "Guyana": "ಗಯಾನಾ", + "Haiti": "ಹೈಟಿ", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "ಹೊಂಡುರಾಸ್", + "Hong Kong": "ಹಾಂಗ್ ಕಾಂಗ್", + "Hungary": "ಹಂಗರಿ", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "ಐಸ್ಲ್ಯಾಂಡ್", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "ಭಾರತ", + "Indonesia": "ಇಂಡೋನೇಷ್ಯಾ", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "ಇರಾಕ್", + "Ireland": "ಐರ್ಲೆಂಡ್", + "Isle of Man": "Isle of Man", + "Israel": "ಯೆಹೂದ್ಯರು ಯಾ ಯೇಹೂದ್ಯ ರಾಷ್ಟ್ರ", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "ಇಟಲಿ", + "Jamaica": "ಜಮೈಕಾ", + "Japan": "ಜಪಾನ್", + "Jersey": "ಜೆರ್ಸಿ", + "Jordan": "ಜೋರ್ಡಾನ್", + "Kazakhstan": "ಕಝಾಕಿಸ್ತಾನ್", + "Kenya": "ಕೀನ್ಯಾ", + "Kiribati": "ಪಲಾವು", + "Korea, Democratic People's Republic of": "ಉತ್ತರ ಕೊರಿಯಾ", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "ಕುವೈತ್", + "Kyrgyzstan": "ಕಿರ್ಗಿಸ್ತಾನ್", + "Lao People's Democratic Republic": "ಲಾವೋಸ್", + "Latvia": "ಲಾಟ್ವಿಯಾ", + "Lebanon": "ಲೆಬನಾನ್", + "Lesotho": "ಲೆಥೋಸೊ", + "Liberia": "ಲಿಬೇರಿಯಾ", + "Libyan Arab Jamahiriya": "ಲಿಬಿಯಾ", + "Liechtenstein": "ಮೊನಾಕೊ", + "Lithuania": "ಲಿಥುವೇನಿಯಾ", + "Luxembourg": "ಲಕ್ಸೆಂಬರ್ಗ್", + "Macao": "ನಿಯೋಜನೆ", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "ಮಡಗಾಸ್ಕರ್", + "Malawi": "ಮಲಾವಿ", + "Malaysia": "ಮಲೇಷ್ಯಾ", + "Maldives": "ಮಾಲ್ಡೀವ್ಸ್", + "Mali": "ಸಣ್ಣ", + "Malta": "ಮಾಲ್ಟಾ", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "ಮಾರ್ಷಲ್ ದ್ವೀಪಗಳು", + "Martinique": "Martinique", + "Mauritania": "ಮಾರಿಟಾನಿಯ", + "Mauritius": "ಮಾರಿಷಸ್", + "Mayotte": "ಡೊಮಿನಿಕ", + "Mexico": "ಮೆಕ್ಸಿಕೋ", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "ಮೊನಾಕೊ", + "Mongolia": "ಮಂಗೋಲಿಯಾ", + "Montenegro": "ಮಾಂಟೆನೆಗ್ರೊ", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "ಮೋಂಟ್ಸೆರೆಟ್", + "Morocco": "ಮೊರಾಕೊ", + "Mozambique": "ಮೊಜಾಂಬಿಕ್", + "Myanmar": "ಮ್ಯಾನ್ಮಾರ್", + "Namibia": "ನಮೀಬಿಯಾ", + "Nauru": "ಸುಂಡಾನೀಸ್", + "Nepal": "ನೇಪಾಳ", + "Netherlands": "ನೆದರ್ಲ್ಯಾಂಡ್ಸ್", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "ನ್ಯೂ ಕ್ಯಾಲೆಡೋನಿಯಾ", + "New Zealand": "ನ್ಯೂ ಜಿಲಂಡ್", + "Nicaragua": "ನಿಕರಾಗುವಾ", + "Niger": "ನೈಜರ್", + "Nigeria": "ನೈಜೀರಿಯಾ", + "Niue": "ನಿಯು", + "Norfolk Island": "ನಾರ್ಫೋಕ್ ದ್ವೀಪ", + "Northern Mariana Islands": "ಉತ್ತರ ಮರಿಯಾನ ದ್ವೀಪಗಳು", + "Norway": "ನಾರ್ವೆ", + "Oman": "ಓಮನ್", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "ಪಾಕಿಸ್ತಾನ", + "Palau": "ಪಲಾವು", + "Palestinian Territory, Occupied": "ಪ್ಯಾಲೆಸ್ಟೇನಿಯನ್ ಪ್ರಾಂತ್ಯಗಳು", + "Panama": "ಮಧ್ಯ ಅಮೆರಿಕದ ಪನಾಮಾ ನಗರ", + "Papua New Guinea": "ಪಪುವಾ ನ್ಯೂ ಗಿನೀ", + "Paraguay": "ಪರಾಗ್ವೇ", + "Payment Information": "Payment Information", + "Peru": "ಪೆರು", + "Philippines": "ಫಿಲಿಪೈನ್ಸ್", + "Pitcairn": "ಪಿಟ್ಕೈರ್ನ್ ದ್ವೀಪಗಳು", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "ಪೋಲೆಂಡ್", + "Portugal": "ಪೋರ್ಚುಗಲ್", + "Puerto Rico": "ಪೋರ್ಟೊ ರಿಕೊ", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "ರೊಮೇನಿಯಾ", + "Russian Federation": "ರಶಿಯನ್ ಒಕ್ಕೂಟ", + "Rwanda": "ರುವಾಂಡಾ", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "ಸೇಂಟ್ ಹೆಲೆನಾ", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "ಸೇಂಟ್ ಲೂಸಿಯಾ", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "ಸಮೋವಾ", + "San Marino": "ಸ್ಯಾನ್ ಮರಿನೋ", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "ಸೌದಿ ಅರೇಬಿಯಾ", + "Save": "ಉಳಿಸಲು", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "ಸೆನೆಗಲ್", + "Serbia": "ಸರ್ಬಿಯಾ", + "Seychelles": "ಸೇಶೆಲ್ಸ್", + "Sierra Leone": "ಸಿಯೆರಾ ಲಿಯೋನ್", + "Signed in as": "Signed in as", + "Singapore": "ಸಿಂಗಾಪುರ", + "Slovakia": "ಸ್ಲೋವಾಕಿಯಾ", + "Slovenia": "ಸ್ಲೊವೇನಿಯಾ", + "Solomon Islands": "ಸೊಲೊಮನ್ ದ್ವೀಪಗಳು", + "Somalia": "ಸೊಮಾಲಿಯಾ", + "South Africa": "ದಕ್ಷಿಣ ಆಫ್ರಿಕಾ", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "ಸ್ಪೇನ್", + "Sri Lanka": "ಶ್ರೀಲಂಕಾ", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "ಸುಡಾನ್", + "Suriname": "ಸುರಿನಾಮ್", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "ಸ್ವೀಡನ್", + "Switzerland": "ಸ್ವಿಜರ್ಲ್ಯಾಂಡ್", + "Syrian Arab Republic": "ಸಿರಿಯಾ", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "ತಜಿಕಿಸ್ತಾನ್", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "ಸೇವಾ ನಿಯಮಗಳು", + "Thailand": "ಥೈಲ್ಯಾಂಡ್", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "ಟಿಮೋರ್-Leste", + "Togo": "ಟೋಗೊ", + "Tokelau": "ಟೊಕೆಲಾವ್", + "Tonga": "ಬಂದು", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "ಟುನೀಶಿಯ", + "Turkey": "ಟರ್ಕಿ", + "Turkmenistan": "ತುರ್ಕಮೆನಿಸ್ತಾನ್", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "ಟೋಂಗಾ", + "Uganda": "ಉಗಾಂಡಾ", + "Ukraine": "ಉಕ್ರೇನ್", + "United Arab Emirates": "ಯುನೈಟೆಡ್ ಅರಬ್ ಎಮಿರೇಟ್ಸ್", + "United Kingdom": "ಯುನೈಟೆಡ್ ಕಿಂಗ್ಡಮ್", + "United States": "ಯುನೈಟೆಡ್ ಸ್ಟೇಟ್ಸ್", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "ಅಪ್ಡೇಟ್", + "Update Payment Information": "Update Payment Information", + "Uruguay": "ಉರುಗ್ವೆ", + "Uzbekistan": "ಉಜ್ಬೇಕಿಸ್ತಾನ್", + "Vanuatu": "ಜಿಂಬಾಬ್ವೆ", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "ಬ್ರಿಟಿಷ್ ವರ್ಜಿನ್ ದ್ವೀಪಗಳು", + "Virgin Islands, U.S.": "ಅಮೇರಿಕಾದ ವರ್ಜಿನ್ ದ್ವೀಪಗಳು", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "ಪಶ್ಚಿಮ ಸಹಾರಾ", + "Whoops! Something went wrong.": "ಓಹ್! ಏನೋ ತಪ್ಪಾಗಿದೆ.", + "Yearly": "Yearly", + "Yemen": "ಯೆಮೆನಿ", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "ಝಾಂಬಿಯಾ", + "Zimbabwe": "ಜಿಂಬಾಬ್ವೆ", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/ko/ko.json b/locales/ko/ko.json index 10897131ed4..8a0323b3d73 100644 --- a/locales/ko/ko.json +++ b/locales/ko/ko.json @@ -1,710 +1,48 @@ { - "30 Days": "30 일", - "60 Days": "60 일", - "90 Days": "90 일", - ":amount Total": "총합 :amount", - ":days day trial": ":days day trial", - ":resource Details": ":resource 세부 정보", - ":resource Details: :title": ":resource 세부 정보: :title", "A fresh verification link has been sent to your email address.": "새로운 확인 링크를 귀하의 이메일 주소로 보냈습니다.", - "A new verification link has been sent to the email address you provided during registration.": "새로운 확인 링크를 가입할 때 사용한 이메일 주소로 보냈습니다.", - "Accept Invitation": "초대 수락", - "Action": "액션", - "Action Happened At": "발생 시간", - "Action Initiated By": "개시자", - "Action Name": "이름", - "Action Status": "상태", - "Action Target": "타겟", - "Actions": "액션들", - "Add": "추가", - "Add a new team member to your team, allowing them to collaborate with you.": "팀에 멤버를 추가하여 함께 협업 할 수 있습니다.", - "Add additional security to your account using two factor authentication.": "2단계 인증을 사용하여 계정 보안을 강화하세요.", - "Add row": "열 추가", - "Add Team Member": "팀 멤버 추가", - "Add VAT Number": "Add VAT Number", - "Added.": "추가됨.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "관리자", - "Administrator users can perform any action.": "관리자는 모든 작업을 수행 할 수 있습니다.", - "Afghanistan": "아프가니스탄", - "Aland Islands": "올란드 제도", - "Albania": "알바니아", - "Algeria": "알제리", - "All of the people that are part of this team.": "이 팀에 소속된 모든 사람입니다.", - "All resources loaded.": "로드된 모든 리소스.", - "All rights reserved.": "모든 권리 보유.", - "Already registered?": "계정이 있으신가요?", - "American Samoa": "아메리칸 사모아", - "An error occured while uploading the file.": "파일을 업로드하는 동안 오류가 발생했습니다.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "안도라", - "Angola": "앙골라", - "Anguilla": "앵귈라", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "이 페이지가로드 된 이후 다른 사용자가이 리소스를 업데이트했습니다. 페이지를 새로 고침하고 다시 시도하세요.", - "Antarctica": "남극 대륙", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "앤티가 바부다", - "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 토큰은 제삼자 서비스에서 당신을 대신해 인증 할 수 있게 해줍니다.", - "April": "4월", - "Are you sure you want to delete the selected resources?": "선택한 리소스를 삭제 하시겠습니까?", - "Are you sure you want to delete this file?": "이 파일을 삭제 하시겠습니까?", - "Are you sure you want to delete this resource?": "이 리소스를 삭제 하시겠습니까?", - "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 detach the selected resources?": "선택한 리소스를 분리 하시겠습니까?", - "Are you sure you want to detach this resource?": "이 리소스를 분리 하시겠습니까?", - "Are you sure you want to force delete the selected resources?": "선택한 리소스를 강제 삭제 하시겠습니까?", - "Are you sure you want to force delete this resource?": "이 리소스를 강제 삭제 하시겠습니까?", - "Are you sure you want to restore the selected resources?": "선택한 리소스를 복원 하시겠습니까?", - "Are you sure you want to restore this resource?": "이 리소스를 복원 하시겠습니까?", - "Are you sure you want to run this action?": "이 작업을 실행 하시겠습니까?", - "Are you sure you would like to delete this API token?": "정말 이 API 토큰을 삭제하시겠습니까?", - "Are you sure you would like to leave this team?": "정말 이 팀에서 탈퇴하시겠습니까?", - "Are you sure you would like to remove this person from the team?": "정말 이 멤버를 팀에서 제거하시겠습니까?", - "Argentina": "아르헨티나", - "Armenia": "아르메니아", - "Aruba": "아루바", - "Attach": "첨부", - "Attach & Attach Another": "첨부 & 다른 첨부", - "Attach :resource": ":resource 첨부", - "August": "8월", - "Australia": "오스트레일리아", - "Austria": "오스트리아", - "Azerbaijan": "아제르바이잔", - "Bahamas": "바하마", - "Bahrain": "바레인", - "Bangladesh": "방글라데시", - "Barbados": "바베이도스", "Before proceeding, please check your email for a verification link.": "계속하기 전에 이메일의 확인 링크를 확인하십시오.", - "Belarus": "벨라루스", - "Belgium": "벨기에", - "Belize": "벨리즈", - "Benin": "베냉", - "Bermuda": "버뮤다", - "Bhutan": "부탄", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "볼리비아", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "카리브 네덜란드", - "Bosnia And Herzegovina": "보스니아 헤르체고비나", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "보츠와나", - "Bouvet Island": "부베섬", - "Brazil": "브라질", - "British Indian Ocean Territory": "영국령 인도양 식민지", - "Browser Sessions": "브라우저 세션", - "Brunei Darussalam": "브루나이", - "Bulgaria": "불가리아", - "Burkina Faso": "부르키나파소", - "Burundi": "부룬디", - "Cambodia": "캄보디아", - "Cameroon": "카메룬", - "Canada": "캐나다", - "Cancel": "취소", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "카보베르데", - "Card": "카드", - "Cayman Islands": "케이맨 제도", - "Central African Republic": "중앙 아프리카 공화국", - "Chad": "차드", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "변경", - "Chile": "칠레", - "China": "중국", - "Choose": "선택", - "Choose :field": ":field 선택", - "Choose :resource": ":resource 선택", - "Choose an option": "옵션 선택", - "Choose date": "날짜 선택", - "Choose File": "파일 선택", - "Choose Type": "유형 선택", - "Christmas Island": "크리스마스섬", - "City": "City", "click here to request another": "여기를 클릭하여 추가 요청하기", - "Click to choose": "선택하려면 클릭하세요", - "Close": "닫기", - "Cocos (Keeling) Islands": "코코스 제도", - "Code": "코드", - "Colombia": "콜롬비아", - "Comoros": "코모로", - "Confirm": "확인", - "Confirm Password": "비밀번호 확인", - "Confirm Payment": "결제 확인", - "Confirm your :amount payment": "결제 금액 확인 :amount", - "Congo": "콩고", - "Congo, Democratic Republic": "콩고 민주 공화국", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "상수", - "Cook Islands": "쿡 제도", - "Costa Rica": "코스타리카", - "Cote D'Ivoire": "코트디부아르", - "could not be found.": "찾을 수 없습니다.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "생성", - "Create & Add Another": "생성 및 추가", - "Create :resource": ":resource 생성", - "Create a new team to collaborate with others on projects.": "프로젝트에서 다른 사람들과 협력 할 새 팀을 만드세요.", - "Create Account": "계정 만들기", - "Create API Token": "API 토큰 생성", - "Create New Team": "새 팀 생성", - "Create Team": "팀 생성", - "Created.": "생성됨.", - "Croatia": "크로아티아", - "Cuba": "쿠바", - "Curaçao": "퀴라소", - "Current Password": "현재 비밀번호", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "커스텀", - "Cyprus": "키프로스", - "Czech Republic": "체코", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "대시보드", - "December": "12월", - "Decrease": "감소", - "Delete": "삭제", - "Delete Account": "계정 삭제", - "Delete API Token": "API 토큰 삭제", - "Delete File": "파일 삭제", - "Delete Resource": "리소스 삭제", - "Delete Selected": "선택항목 삭제", - "Delete Team": "팀 삭제", - "Denmark": "덴마크", - "Detach": "분리", - "Detach Resource": "리소스 분리", - "Detach Selected": "선택항목 분리", - "Details": "상세", - "Disable": "비활성화", - "Djibouti": "지부티", - "Do you really want to leave? You have unsaved changes.": "정말로 떠나시겠습니까? 저장하지 않은 변경 사항이 있습니다.", - "Dominica": "도미니카", - "Dominican Republic": "도미니카 공화국", - "Done.": "완료됨.", - "Download": "다운로드", - "Download Receipt": "Download Receipt", "E-Mail Address": "이메일 주소", - "Ecuador": "에콰도르", - "Edit": "수정", - "Edit :resource": ":resource 수정", - "Edit Attached": "첨부 수정", - "Editor": "편집자", - "Editor users have the ability to read, create, and update.": "편집자는 읽기, 쓰기, 편집을 할 수 있습니다.", - "Egypt": "이집트", - "El Salvador": "엘살바도르", - "Email": "이메일", - "Email Address": "이메일", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "이메일 비밀번호 재설정 링크", - "Enable": "활성화", - "Ensure your account is using a long, random password to stay secure.": "계정을 안전하게 지키기 위해 길고 랜덤한 암호를 사용하고 있는지 확인하세요.", - "Equatorial Guinea": "적도 기니", - "Eritrea": "에리트리아", - "Estonia": "에스토니아", - "Ethiopia": "에티오피아", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "결제를 처리하려면 추가 확인이 필요합니다. 아래에 결제 세부 정보를 입력하여 결제를 확인하세요.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "결제를 처리하려면 추가 확인이 필요합니다. 아래 버튼을 클릭하여 결제 페이지로 이동하세요.", - "Falkland Islands (Malvinas)": "포클랜드 제도(말비나스 군도)", - "Faroe Islands": "페로 제도", - "February": "2월", - "Fiji": "피지", - "Finland": "핀란드", - "For your security, please confirm your password to continue.": "보안을 위해, 계속하려면 비밀번호를 확인하세요.", "Forbidden": "권한 없음", - "Force Delete": "강제 삭제", - "Force Delete Resource": "리소스 강제 삭제", - "Force Delete Selected": "선택항목 강제 삭제", - "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.": "비밀번호를 잊으셨습니까? 이메일 주소를 입력하시면 새 비밀번호를 설정 할 수 있는 링크를 이메일로 보내드립니다.", - "France": "프랑스", - "French Guiana": "프랑스령 기아나", - "French Polynesia": "프랑스령 폴리네시아", - "French Southern Territories": "프랑스 남부 지방", - "Full name": "풀 네임", - "Gabon": "가봉", - "Gambia": "감비아", - "Georgia": "조지아", - "Germany": "독일", - "Ghana": "가나", - "Gibraltar": "지브롤터", - "Go back": "뒤로가기", - "Go Home": "홈으로 이동", "Go to page :page": ":page 페이지로 이동", - "Great! You have accepted the invitation to join the :team team.": ":team 팀의 초대를 수락하셨습니다!", - "Greece": "그리스", - "Greenland": "그린란드", - "Grenada": "그레나다", - "Guadeloupe": "과들루프", - "Guam": "괌", - "Guatemala": "과테말라", - "Guernsey": "건지", - "Guinea": "기니", - "Guinea-Bissau": "기니비사우", - "Guyana": "가이아나", - "Haiti": "아이티", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "허드 맥도널드 제도", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "안녕하세요!", - "Hide Content": "컨텐츠 숨기기", - "Hold Up!": "기다려주세요!", - "Holy See (Vatican City State)": "바티칸 시국", - "Honduras": "온두라스", - "Hong Kong": "홍콩", - "Hungary": "헝가리", - "I agree to the :terms_of_service and :privacy_policy": ":terms_of_service와 :privacy_policy에 동의합니다.", - "Iceland": "아이슬란드", - "ID": "아이디", - "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 logout 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 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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "\":actionText\" 버튼을 클릭하는 중에 문제가 있는 경우 아래 URL을 복사하여\n웹 브라우저에 붙여넣으십시오:", - "Increase": "증가", - "India": "인도", - "Indonesia": "인도네시아", "Invalid signature.": "잘못된 서명입니다.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "이란", - "Iraq": "이라크", - "Ireland": "아일랜드", - "Isle of Man": "Isle of Man", - "Isle Of Man": "맨섬", - "Israel": "이스라엘", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "이탈리아", - "Jamaica": "자메이카", - "January": "1월", - "Japan": "일본", - "Jersey": "저지", - "Jordan": "요르단", - "July": "7월", - "June": "6월", - "Kazakhstan": "카자흐스탄", - "Kenya": "케냐", - "Key": "키", - "Kiribati": "키리바시", - "Korea": "대한민국", - "Korea, Democratic People's Republic of": "북한", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "코소보", - "Kuwait": "쿠웨이트", - "Kyrgyzstan": "키르기스스탄", - "Lao People's Democratic Republic": "라오스", - "Last active": "마지막 행동", - "Last used": "마지막 사용", - "Latvia": "라트비아", - "Leave": "떠나기", - "Leave Team": "팀 탈퇴하기", - "Lebanon": "레바논", - "Lens": "렌즈", - "Lesotho": "레소토", - "Liberia": "라이베리아", - "Libyan Arab Jamahiriya": "리비야", - "Liechtenstein": "리히텐슈타인", - "Lithuania": "리투아니아", - "Load :perPage More": ":perPage 더 로드", - "Log in": "로그인", "Log out": "로그아웃", - "Log Out": "로그아웃", - "Log Out Other Browser Sessions": "다른 브라우저 세션에서 로그아웃", - "Login": "로그인", - "Logout": "로그아웃", "Logout Other Browser Sessions": "다른 브라우저 세션에서 로그아웃", - "Luxembourg": "룩셈부르크", - "Macao": "마카오", - "Macedonia": "북마케도니아", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "마다가스카르", - "Malawi": "말라위", - "Malaysia": "말레이시아", - "Maldives": "몰디브", - "Mali": "말리", - "Malta": "몰타", - "Manage Account": "계정 관리", - "Manage and log out your active sessions on other browsers and devices.": "다른 브라우저 및 장치에서 활성 세션을 관리하고 로그아웃합니다.", "Manage and logout your active sessions on other browsers and devices.": "다른 브라우저 및 장치에서 활성 세션을 관리하고 로그아웃합니다.", - "Manage API Tokens": "API 토큰 관리", - "Manage Role": "역할 관리", - "Manage Team": "팀 관리", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "3월", - "Marshall Islands": "마셜 제도", - "Martinique": "마르티니크", - "Mauritania": "모리타니", - "Mauritius": "모리셔스", - "May": "5월", - "Mayotte": "마요트", - "Mexico": "멕시코", - "Micronesia, Federated States Of": "미크로네시아 연방", - "Moldova": "몰도바", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "모나코", - "Mongolia": "몽골", - "Montenegro": "몬테네그로", - "Month To Date": "달초 부터 오늘까지", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "몬트세라트", - "Morocco": "모로코", - "Mozambique": "모잠비크", - "Myanmar": "미얀마", - "Name": "이름", - "Namibia": "나미비아", - "Nauru": "나우루", - "Nepal": "네팔", - "Netherlands": "네덜란드", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "괜찮습니다", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "New", - "New :resource": "새로운 :resource", - "New Caledonia": "뉴칼레도니아", - "New Password": "새 비밀번호", - "New Zealand": "뉴질랜드", - "Next": "다음", - "Nicaragua": "니카라과", - "Niger": "니제르", - "Nigeria": "나이지리아", - "Niue": "니우에", - "No": "아니요", - "No :resource matched the given criteria.": "주어진 :resource (와)과 매치되는 정보가 없습니다.", - "No additional information...": "추가정보가 없음...", - "No Current Data": "현재 데이터 없음", - "No Data": "데이터 없음", - "no file selected": "파일이 선택되지 않음", - "No Increase": "증가 없음", - "No Prior Data": "이전 데이터 없음", - "No Results Found.": "결과를 찾을 수 없습니다.", - "Norfolk Island": "노퍽섬", - "Northern Mariana Islands": "북마리아나제도", - "Norway": "노르웨이", "Not Found": "찾을 수 없습니다", - "Nova User": "Nova 유저", - "November": "11월", - "October": "10월", - "of": "의", "Oh no": "저런!", - "Oman": "오만", - "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 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 Trashed": "지워진 내역만", - "Original": "원본", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "만료된 페이지", "Pagination Navigation": "페이지네이션 내비게이션", - "Pakistan": "파키스탄", - "Palau": "팔라우", - "Palestinian Territory, Occupied": "팔레스타인", - "Panama": "파나마", - "Papua New Guinea": "파푸아뉴기니", - "Paraguay": "파라과이", - "Password": "비밀번호", - "Pay :amount": "결재금액 :amount", - "Payment Cancelled": "결제 취소", - "Payment Confirmation": "결제 확인", - "Payment Information": "Payment Information", - "Payment Successful": "결제 성공", - "Pending Team Invitations": "대기 중인 팀 초대", - "Per Page": "페이지 당", - "Permanently delete this team.": "이 팀을 영구적으로 삭제합니다.", - "Permanently delete your account.": "계정을 영구적으로 삭제합니다.", - "Permissions": "권한", - "Peru": "페루", - "Philippines": "필리핀", - "Photo": "사진", - "Pitcairn": "핏케언 제도", "Please click the button below to verify your email address.": "이메일 주소를 확인하려면 아래 버튼을 클릭하십시오.", - "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 your password before continuing.": "계속하기 전에 암호를 확인하십시오.", - "Please copy your new API token. For your security, it won't be shown again.": "새 API 토큰을 복사하십시오. 보안을 위해 다시 보여드리지 않습니다.", - "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 logout of your other browser sessions across all of your devices.": "다른 모든 세션에서 로그아웃할 것인지 확인하기 위해 암호를 입력하세요.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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. The email address must be associated with an existing account.": "이 팀에 추가할 사람의 이메일 주소를 입력하세요. 이메일 주소는 기존 계정과 연결되어 있어야 합니다.", - "Please provide your name.": "이름을 입력하세요.", - "Poland": "폴란드", - "Portugal": "포르투갈", - "Press \/ to search": "\/을 눌러 검색", - "Preview": "프리뷰", - "Previous": "이전", - "Privacy Policy": "개인정보 보호 정책", - "Profile": "프로필", - "Profile Information": "프로필 정보", - "Puerto Rico": "푸에르토리코", - "Qatar": "카타르", - "Quarter To Date": "이번 분기", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "복구 코드", "Regards": "안부", - "Regenerate Recovery Codes": "복구 코드 재생성", - "Register": "회원가입", - "Reload": "리로드", - "Remember me": "로그인 상태 유지", - "Remember Me": "로그인 상태 유지", - "Remove": "제거", - "Remove Photo": "사진 제거", - "Remove Team Member": "팀 멤버 제거", - "Resend Verification Email": "확인 메일 다시 보내기", - "Reset Filters": "필터 초기화", - "Reset Password": "비밀번호 재설정", - "Reset Password Notification": "비밀번호 재설정 알림", - "resource": "리소스", - "Resources": "리소스", - "resources": "리소스", - "Restore": "복원", - "Restore Resource": "리소스 복원", - "Restore Selected": "선택항목 복원", "results": "결과", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "리유니온", - "Role": "역할", - "Romania": "루마니아", - "Run Action": "액션 실행", - "Russian Federation": "러시아", - "Rwanda": "르완다", - "Réunion": "Réunion", - "Saint Barthelemy": "생 바르 텔레 미", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "세인트 헬레나", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "세인트 키츠 네비스", - "Saint Lucia": "세인트 루시아", - "Saint Martin": "세인트 마틴", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "생 피에르 미 클롱", - "Saint Vincent And Grenadines": "세인트 빈센트 그레나딘", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "사모아", - "San Marino": "산마리노", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "상투 메 프린시 페", - "Saudi Arabia": "사우디아라비아", - "Save": "저장", - "Saved.": "저장됨.", - "Search": "검색", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "새로운 사진 선택", - "Select Action": "액션 선택", - "Select All": "모두 선택", - "Select All Matching": "일치되는 모든 것 선택", - "Send Password Reset Link": "비밀번호 재설정 링크 보내기", - "Senegal": "세네갈", - "September": "9월", - "Serbia": "세르비아", "Server Error": "서버 오류", "Service Unavailable": "서비스를 사용할 수 없습니다.", - "Seychelles": "세이셸", - "Show All Fields": "모든 필드 표시", - "Show Content": "콘텐츠 표시", - "Show Recovery Codes": "재설정 코드 보기", "Showing": "보기", - "Sierra Leone": "시에라리온", - "Signed in as": "Signed in as", - "Singapore": "싱가포르", - "Sint Maarten (Dutch part)": "신트마르턴", - "Slovakia": "슬로바키아", - "Slovenia": "슬로베니아", - "Solomon Islands": "솔로몬 제도", - "Somalia": "소말리아", - "Something went wrong.": "문제가 발생했습니다.", - "Sorry! You are not authorized to perform this action.": "죄송합니다! 이 작업을 수행 할 권한이 없습니다.", - "Sorry, your session has expired.": "죄송합니다. 세션이 만료되었습니다.", - "South Africa": "남아프리카", - "South Georgia And Sandwich Isl.": "사우스 조지아 사우스 샌드위치 제도", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "남수단", - "Spain": "스페인", - "Sri Lanka": "스리랑카", - "Start Polling": "폴링 시작", - "State \/ County": "State \/ County", - "Stop Polling": "폴링 중지", - "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단계 인증 장치를 분실한 경우 계정에 대한 액세스를 복구하기 위해 사용할 수 있습니다.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "수단", - "Suriname": "수리남", - "Svalbard And Jan Mayen": "스발바르 얀마옌 제도", - "Swaziland": "에스와티니", - "Sweden": "스웨덴", - "Switch Teams": "팀 전환", - "Switzerland": "스위스", - "Syrian Arab Republic": "시리야", - "Taiwan": "대만", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "타지키스탄", - "Tanzania": "탄자니아", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "팀 상세", - "Team Invitation": "팀 초대", - "Team Members": "팀 멤버", - "Team Name": "팀 이름", - "Team Owner": "팀장", - "Team Settings": "팀 설정", - "Terms of Service": "이용 약관", - "Thailand": "태국", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute 는 반드시 유효한 역할이어야 합니다.", - "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 and 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 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 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.": ":attribute는 반드시 :length글자 이상이어야 합니다.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "이 :resource (이)가 생성되었습니다!", - "The :resource was deleted!": "이 :resource (이)가 삭제되었습니다!", - "The :resource was restored!": "이 :resource (이)가 복구 되었습니다.!", - "The :resource was updated!": "이 :resource (이)가 업데이트 되었습니다.!", - "The action ran successfully!": "작업이 성공적으로 실행되었습니다!", - "The file was deleted!": "파일이 삭제되었습니다!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "정부는 이 문 뒤에 무엇이 있는지 보여주지 않을 것입니다.", - "The HasOne relationship has already been filled.": "HasOne 관계가 이미 채워졌습니다.", - "The payment was successful.": "결제가 완료되었습니다.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "리소스가 업데이트되었습니다!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "팀의 이름과 팀장 정보.", - "There are no available options for this resource.": "이 리소스에 사용할 수있는 옵션이 없습니다.", - "There was a problem executing the action.": "작업을 실행하는데 문제가 있습니다.", - "There was a problem submitting the form.": "양식을 제출하는 중에 문제가 발생했습니다.", - "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.": "이분들은 팀에 초대되어 초대 메일이 발송되었고, 초대를 수락하여 팀에 들어 올 수 있습니다.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "이 행동에 대한 권한이 없습니다.", - "This device": "이 기기", - "This file field is read-only.": "이 파일 필드는 읽기 전용입니다.", - "This image": "이 이미지", - "This is a secure area of the application. Please confirm your password before continuing.": "이곳은 보안 구역입니다. 진행하기 위해서 비밀번호를 입력해주세요.", - "This password does not match our records.": "비밀번호가 일치하지 않습니다.", "This password reset link will expire in :count minutes.": "이 비밀번호 재설정 링크는 :count분 후에 만료됩니다.", - "This payment was already successfully confirmed.": "이 결제는 이미 성공적으로 확인되었습니다.", - "This payment was cancelled.": "이 결제는 취소되었습니다.", - "This resource no longer exists": "이 리소스는 더 이상 존재하지 않습니다.", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "이 사용자는 이미 팀에 속해 있습니다.", - "This user has already been invited to the team.": "이미 이 팀에 초대하신 분입니다.", - "Timor-Leste": "동티모르", "to": "에", - "Today": "오늘", "Toggle navigation": "내비게이션 전환", - "Togo": "토고", - "Tokelau": "토켈라우", - "Token Name": "토큰 이름", - "Tonga": "통가", "Too Many Attempts.": "너무 많이 시도하셨습니다.", "Too Many Requests": "너무 많은 요청", - "total": "총합", - "Total:": "Total:", - "Trashed": "지워진", - "Trinidad And Tobago": "트리니다드 토바고", - "Tunisia": "튀니지", - "Turkey": "터키", - "Turkmenistan": "투르크메니스탄", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "터크스 케이커스 제도", - "Tuvalu": "투발루", - "Two Factor Authentication": "2단계 인증", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "이제 2단계 인증이 활성화되었습니다. 휴대전화의 인증 애플리케이션을 사용하여 다음 QR 코드를 스캔하세요.", - "Uganda": "우간다", - "Ukraine": "우크라이나", "Unauthorized": "인증되지 않음", - "United Arab Emirates": "아랍에미리트", - "United Kingdom": "영국", - "United States": "미국", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "미국령 군소 제도", - "Update": "업데이트", - "Update & Continue Editing": "업데이트 & 계속 수정", - "Update :resource": "업데이트 :resource", - "Update :resource: :title": "업데이트 :resource: :title", - "Update attached :resource: :title": "업데이트 첨부 :resource: :title", - "Update Password": "비밀번호 업데이트", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "계정의 프로필 정보와 이메일 주소를 업데이트하세요.", - "Uruguay": "우루과이", - "Use a recovery code": "복구 코드 사용", - "Use an authentication code": "인증 코드 사용", - "Uzbekistan": "우즈베키스탄", - "Value": "값", - "Vanuatu": "바누아투", - "VAT Number": "VAT Number", - "Venezuela": "베네수엘라", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "이메일 주소 확인", "Verify Your Email Address": "이메일 주소 확인", - "Viet Nam": "베트남", - "View": "뷰", - "Virgin Islands, British": "영국령 버진 아일랜드", - "Virgin Islands, U.S.": "미국령 버진 아일랜드", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "월리스 푸 투나", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "이 이메일 주소로 등록된 사용자를 찾을 수 없습니다.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "몇 시간 동안 비밀번호를 다시 확인하지 않습니다.", - "We're lost in space. The page you were trying to view does not exist.": "우리는 우주에서 길을 잃었어요. 보려는 페이지가 존재하지 않습니다.", - "Welcome Back!": "돌아오셨군요!", - "Western Sahara": "서사하라", - "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 애플리케이션에서 이 코드를 확인 할 수 있습니다.", - "Whoops": "웁스", - "Whoops!": "저런!", - "Whoops! Something went wrong.": "저런! 뭔가 잘못되었습니다.", - "With Trashed": "지워진 내역과 함께", - "Write": "쓰기", - "Year To Date": "연초부터 오늘까지", - "Yearly": "Yearly", - "Yemen": "예멘", - "Yes": "예", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "로그인되었습니다!", - "You are receiving this email because we received a password reset request for your account.": "귀하의 계정에 대한 비밀번호 재설정이 요청되어 이 메일이 발송되었습니다.", - "You have been invited to join the :team team!": ":team 팀에 초대되셨습니다!", - "You have enabled two factor authentication.": "2단계 인증을 활성화했습니다.", - "You have not enabled two factor authentication.": "2단계 인증을 활성화하지 않았습니다.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.": "자신이 만든 팀을 탈퇴할 수 없습니다.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "이메일 주소가 확인되지 않습니다.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "잠비아", - "Zimbabwe": "짐바브웨", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "이메일 주소가 확인되지 않습니다." } diff --git a/locales/ko/packages/cashier.json b/locales/ko/packages/cashier.json new file mode 100644 index 00000000000..3a1689ea916 --- /dev/null +++ b/locales/ko/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "모든 권리 보유.", + "Card": "카드", + "Confirm Payment": "결제 확인", + "Confirm your :amount payment": "결제 금액 확인 :amount", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "결제를 처리하려면 추가 확인이 필요합니다. 아래에 결제 세부 정보를 입력하여 결제를 확인하세요.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "결제를 처리하려면 추가 확인이 필요합니다. 아래 버튼을 클릭하여 결제 페이지로 이동하세요.", + "Full name": "풀 네임", + "Go back": "뒤로가기", + "Jane Doe": "Jane Doe", + "Pay :amount": "결재금액 :amount", + "Payment Cancelled": "결제 취소", + "Payment Confirmation": "결제 확인", + "Payment Successful": "결제 성공", + "Please provide your name.": "이름을 입력하세요.", + "The payment was successful.": "결제가 완료되었습니다.", + "This payment was already successfully confirmed.": "이 결제는 이미 성공적으로 확인되었습니다.", + "This payment was cancelled.": "이 결제는 취소되었습니다." +} diff --git a/locales/ko/packages/fortify.json b/locales/ko/packages/fortify.json new file mode 100644 index 00000000000..62dc82ceda0 --- /dev/null +++ b/locales/ko/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 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 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.": ":attribute는 반드시 :length글자 이상이어야 합니다.", + "The provided password does not match your current password.": "입력하신 비밀번호가 현재 비밀번호와 일치하지 않습니다.", + "The provided password was incorrect.": "입력하신 비밀번호가 올바르지 않습니다.", + "The provided two factor authentication code was invalid.": "입력하신 2단계 인증 코드가 올바르지 않습니다." +} diff --git a/locales/ko/packages/jetstream.json b/locales/ko/packages/jetstream.json new file mode 100644 index 00000000000..c88ee16249b --- /dev/null +++ b/locales/ko/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "새로운 확인 링크를 가입할 때 사용한 이메일 주소로 보냈습니다.", + "Accept Invitation": "초대 수락", + "Add": "추가", + "Add a new team member to your team, allowing them to collaborate with you.": "팀에 멤버를 추가하여 함께 협업 할 수 있습니다.", + "Add additional security to your account using two factor authentication.": "2단계 인증을 사용하여 계정 보안을 강화하세요.", + "Add Team Member": "팀 멤버 추가", + "Added.": "추가됨.", + "Administrator": "관리자", + "Administrator users can perform any action.": "관리자는 모든 작업을 수행 할 수 있습니다.", + "All of the people that are part of this team.": "이 팀에 소속된 모든 사람입니다.", + "Already registered?": "계정이 있으신가요?", + "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 토큰은 제삼자 서비스에서 당신을 대신해 인증 할 수 있게 해줍니다.", + "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 delete this API token?": "정말 이 API 토큰을 삭제하시겠습니까?", + "Are you sure you would like to leave this team?": "정말 이 팀에서 탈퇴하시겠습니까?", + "Are you sure you would like to remove this person from the team?": "정말 이 멤버를 팀에서 제거하시겠습니까?", + "Browser Sessions": "브라우저 세션", + "Cancel": "취소", + "Close": "닫기", + "Code": "코드", + "Confirm": "확인", + "Confirm Password": "비밀번호 확인", + "Create": "생성", + "Create a new team to collaborate with others on projects.": "프로젝트에서 다른 사람들과 협력 할 새 팀을 만드세요.", + "Create Account": "계정 만들기", + "Create API Token": "API 토큰 생성", + "Create New Team": "새 팀 생성", + "Create Team": "팀 생성", + "Created.": "생성됨.", + "Current Password": "현재 비밀번호", + "Dashboard": "대시보드", + "Delete": "삭제", + "Delete Account": "계정 삭제", + "Delete API Token": "API 토큰 삭제", + "Delete Team": "팀 삭제", + "Disable": "비활성화", + "Done.": "완료됨.", + "Editor": "편집자", + "Editor users have the ability to read, create, and update.": "편집자는 읽기, 쓰기, 편집을 할 수 있습니다.", + "Email": "이메일", + "Email Password Reset Link": "이메일 비밀번호 재설정 링크", + "Enable": "활성화", + "Ensure your account is using a long, random password to stay secure.": "계정을 안전하게 지키기 위해 길고 랜덤한 암호를 사용하고 있는지 확인하세요.", + "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.": "비밀번호를 잊으셨습니까? 이메일 주소를 입력하시면 새 비밀번호를 설정 할 수 있는 링크를 이메일로 보내드립니다.", + "Great! You have accepted the invitation to join the :team team.": ":team 팀의 초대를 수락하셨습니다!", + "I agree to the :terms_of_service and :privacy_policy": ":terms_of_service와 :privacy_policy에 동의합니다.", + "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 you already have an account, you may accept this invitation by clicking the button below:": "이미 계정을 가지고 계신다면, 아래 버튼을 눌러 초대를 수락 할 수 있습니다.", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "계정이 없으시다면 아래 버튼을 눌러 계정을 만들고, 이 메일에 있는 수락 버튼을 눌러 팀 초대를 수락 할 수 있습니다:", + "Last active": "마지막 행동", + "Last used": "마지막 사용", + "Leave": "떠나기", + "Leave Team": "팀 탈퇴하기", + "Log in": "로그인", + "Log Out": "로그아웃", + "Log Out Other Browser Sessions": "다른 브라우저 세션에서 로그아웃", + "Manage Account": "계정 관리", + "Manage and log out your active sessions on other browsers and devices.": "다른 브라우저 및 장치에서 활성 세션을 관리하고 로그아웃합니다.", + "Manage API Tokens": "API 토큰 관리", + "Manage Role": "역할 관리", + "Manage Team": "팀 관리", + "Name": "이름", + "New Password": "새 비밀번호", + "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 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.": "계정을 삭제하면 모든 리소스와 데이터가 영구적으로 삭제됩니다. 계정을 삭제하기 전에 유지하려는 필요한 데이터 또는 정보를 다운로드하세요.", + "Password": "비밀번호", + "Pending Team Invitations": "대기 중인 팀 초대", + "Permanently delete this team.": "이 팀을 영구적으로 삭제합니다.", + "Permanently delete your account.": "계정을 영구적으로 삭제합니다.", + "Permissions": "권한", + "Photo": "사진", + "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 copy your new API token. For your security, it won't be shown again.": "새 API 토큰을 복사하십시오. 보안을 위해 다시 보여드리지 않습니다.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "다른 모든 세션에서 로그아웃할 것인지 확인하기 위해 암호를 입력하세요.", + "Please provide the email address of the person you would like to add to this team.": "팀에 추가하시고 싶은 사람의 이메일 주소를 적어주세요.", + "Privacy Policy": "개인정보 보호 정책", + "Profile": "프로필", + "Profile Information": "프로필 정보", + "Recovery Code": "복구 코드", + "Regenerate Recovery Codes": "복구 코드 재생성", + "Register": "회원가입", + "Remember me": "로그인 상태 유지", + "Remove": "제거", + "Remove Photo": "사진 제거", + "Remove Team Member": "팀 멤버 제거", + "Resend Verification Email": "확인 메일 다시 보내기", + "Reset Password": "비밀번호 재설정", + "Role": "역할", + "Save": "저장", + "Saved.": "저장됨.", + "Select A New Photo": "새로운 사진 선택", + "Show Recovery Codes": "재설정 코드 보기", + "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단계 인증 장치를 분실한 경우 계정에 대한 액세스를 복구하기 위해 사용할 수 있습니다.", + "Switch Teams": "팀 전환", + "Team Details": "팀 상세", + "Team Invitation": "팀 초대", + "Team Members": "팀 멤버", + "Team Name": "팀 이름", + "Team Owner": "팀장", + "Team Settings": "팀 설정", + "Terms of Service": "이용 약관", + "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 a valid role.": ":attribute 는 반드시 유효한 역할이어야 합니다.", + "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 and 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 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 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.": ":attribute는 반드시 :length글자 이상이어야 합니다.", + "The provided password does not match your current password.": "입력하신 비밀번호가 현재 비밀번호와 일치하지 않습니다.", + "The provided password was incorrect.": "입력하신 비밀번호가 올바르지 않습니다.", + "The provided two factor authentication code was invalid.": "입력하신 2단계 인증 코드가 올바르지 않습니다.", + "The team's name and owner information.": "팀의 이름과 팀장 정보.", + "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.": "이분들은 팀에 초대되어 초대 메일이 발송되었고, 초대를 수락하여 팀에 들어 올 수 있습니다.", + "This device": "이 기기", + "This is a secure area of the application. Please confirm your password before continuing.": "이곳은 보안 구역입니다. 진행하기 위해서 비밀번호를 입력해주세요.", + "This password does not match our records.": "비밀번호가 일치하지 않습니다.", + "This user already belongs to the team.": "이 사용자는 이미 팀에 속해 있습니다.", + "This user has already been invited to the team.": "이미 이 팀에 초대하신 분입니다.", + "Token Name": "토큰 이름", + "Two Factor Authentication": "2단계 인증", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "이제 2단계 인증이 활성화되었습니다. 휴대전화의 인증 애플리케이션을 사용하여 다음 QR 코드를 스캔하세요.", + "Update Password": "비밀번호 업데이트", + "Update your account's profile information and email address.": "계정의 프로필 정보와 이메일 주소를 업데이트하세요.", + "Use a recovery code": "복구 코드 사용", + "Use an authentication code": "인증 코드 사용", + "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.": "2단계 인증이 활성화되면 인증 중에 코드를 입력하라는 메시지가 표시됩니다. 휴대전화의 Google Authenticator 애플리케이션에서 이 코드를 확인 할 수 있습니다.", + "Whoops! Something went wrong.": "저런! 뭔가 잘못되었습니다.", + "You have been invited to join the :team team!": ":team 팀에 초대되셨습니다!", + "You have enabled two factor authentication.": "2단계 인증을 활성화했습니다.", + "You have not enabled two factor authentication.": "2단계 인증을 활성화하지 않았습니다.", + "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.": "자신이 만든 팀을 탈퇴할 수 없습니다." +} diff --git a/locales/ko/packages/nova.json b/locales/ko/packages/nova.json new file mode 100644 index 00000000000..d31dfb19e80 --- /dev/null +++ b/locales/ko/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 일", + "60 Days": "60 일", + "90 Days": "90 일", + ":amount Total": "총합 :amount", + ":resource Details": ":resource 세부 정보", + ":resource Details: :title": ":resource 세부 정보: :title", + "Action": "액션", + "Action Happened At": "발생 시간", + "Action Initiated By": "개시자", + "Action Name": "이름", + "Action Status": "상태", + "Action Target": "타겟", + "Actions": "액션들", + "Add row": "열 추가", + "Afghanistan": "아프가니스탄", + "Aland Islands": "올란드 제도", + "Albania": "알바니아", + "Algeria": "알제리", + "All resources loaded.": "로드된 모든 리소스.", + "American Samoa": "아메리칸 사모아", + "An error occured while uploading the file.": "파일을 업로드하는 동안 오류가 발생했습니다.", + "Andorra": "안도라", + "Angola": "앙골라", + "Anguilla": "앵귈라", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "이 페이지가로드 된 이후 다른 사용자가이 리소스를 업데이트했습니다. 페이지를 새로 고침하고 다시 시도하세요.", + "Antarctica": "남극 대륙", + "Antigua And Barbuda": "앤티가 바부다", + "April": "4월", + "Are you sure you want to delete the selected resources?": "선택한 리소스를 삭제 하시겠습니까?", + "Are you sure you want to delete this file?": "이 파일을 삭제 하시겠습니까?", + "Are you sure you want to delete this resource?": "이 리소스를 삭제 하시겠습니까?", + "Are you sure you want to detach the selected resources?": "선택한 리소스를 분리 하시겠습니까?", + "Are you sure you want to detach this resource?": "이 리소스를 분리 하시겠습니까?", + "Are you sure you want to force delete the selected resources?": "선택한 리소스를 강제 삭제 하시겠습니까?", + "Are you sure you want to force delete this resource?": "이 리소스를 강제 삭제 하시겠습니까?", + "Are you sure you want to restore the selected resources?": "선택한 리소스를 복원 하시겠습니까?", + "Are you sure you want to restore this resource?": "이 리소스를 복원 하시겠습니까?", + "Are you sure you want to run this action?": "이 작업을 실행 하시겠습니까?", + "Argentina": "아르헨티나", + "Armenia": "아르메니아", + "Aruba": "아루바", + "Attach": "첨부", + "Attach & Attach Another": "첨부 & 다른 첨부", + "Attach :resource": ":resource 첨부", + "August": "8월", + "Australia": "오스트레일리아", + "Austria": "오스트리아", + "Azerbaijan": "아제르바이잔", + "Bahamas": "바하마", + "Bahrain": "바레인", + "Bangladesh": "방글라데시", + "Barbados": "바베이도스", + "Belarus": "벨라루스", + "Belgium": "벨기에", + "Belize": "벨리즈", + "Benin": "베냉", + "Bermuda": "버뮤다", + "Bhutan": "부탄", + "Bolivia": "볼리비아", + "Bonaire, Sint Eustatius and Saba": "카리브 네덜란드", + "Bosnia And Herzegovina": "보스니아 헤르체고비나", + "Botswana": "보츠와나", + "Bouvet Island": "부베섬", + "Brazil": "브라질", + "British Indian Ocean Territory": "영국령 인도양 식민지", + "Brunei Darussalam": "브루나이", + "Bulgaria": "불가리아", + "Burkina Faso": "부르키나파소", + "Burundi": "부룬디", + "Cambodia": "캄보디아", + "Cameroon": "카메룬", + "Canada": "캐나다", + "Cancel": "취소", + "Cape Verde": "카보베르데", + "Cayman Islands": "케이맨 제도", + "Central African Republic": "중앙 아프리카 공화국", + "Chad": "차드", + "Changes": "변경", + "Chile": "칠레", + "China": "중국", + "Choose": "선택", + "Choose :field": ":field 선택", + "Choose :resource": ":resource 선택", + "Choose an option": "옵션 선택", + "Choose date": "날짜 선택", + "Choose File": "파일 선택", + "Choose Type": "유형 선택", + "Christmas Island": "크리스마스섬", + "Click to choose": "선택하려면 클릭하세요", + "Cocos (Keeling) Islands": "코코스 제도", + "Colombia": "콜롬비아", + "Comoros": "코모로", + "Confirm Password": "비밀번호 확인", + "Congo": "콩고", + "Congo, Democratic Republic": "콩고 민주 공화국", + "Constant": "상수", + "Cook Islands": "쿡 제도", + "Costa Rica": "코스타리카", + "Cote D'Ivoire": "코트디부아르", + "could not be found.": "찾을 수 없습니다.", + "Create": "생성", + "Create & Add Another": "생성 및 추가", + "Create :resource": ":resource 생성", + "Croatia": "크로아티아", + "Cuba": "쿠바", + "Curaçao": "퀴라소", + "Customize": "커스텀", + "Cyprus": "키프로스", + "Czech Republic": "체코", + "Dashboard": "대시보드", + "December": "12월", + "Decrease": "감소", + "Delete": "삭제", + "Delete File": "파일 삭제", + "Delete Resource": "리소스 삭제", + "Delete Selected": "선택항목 삭제", + "Denmark": "덴마크", + "Detach": "분리", + "Detach Resource": "리소스 분리", + "Detach Selected": "선택항목 분리", + "Details": "상세", + "Djibouti": "지부티", + "Do you really want to leave? You have unsaved changes.": "정말로 떠나시겠습니까? 저장하지 않은 변경 사항이 있습니다.", + "Dominica": "도미니카", + "Dominican Republic": "도미니카 공화국", + "Download": "다운로드", + "Ecuador": "에콰도르", + "Edit": "수정", + "Edit :resource": ":resource 수정", + "Edit Attached": "첨부 수정", + "Egypt": "이집트", + "El Salvador": "엘살바도르", + "Email Address": "이메일", + "Equatorial Guinea": "적도 기니", + "Eritrea": "에리트리아", + "Estonia": "에스토니아", + "Ethiopia": "에티오피아", + "Falkland Islands (Malvinas)": "포클랜드 제도(말비나스 군도)", + "Faroe Islands": "페로 제도", + "February": "2월", + "Fiji": "피지", + "Finland": "핀란드", + "Force Delete": "강제 삭제", + "Force Delete Resource": "리소스 강제 삭제", + "Force Delete Selected": "선택항목 강제 삭제", + "Forgot Your Password?": "비밀번호를 잊으셨나요?", + "Forgot your password?": "비밀번호를 잊으셨나요?", + "France": "프랑스", + "French Guiana": "프랑스령 기아나", + "French Polynesia": "프랑스령 폴리네시아", + "French Southern Territories": "프랑스 남부 지방", + "Gabon": "가봉", + "Gambia": "감비아", + "Georgia": "조지아", + "Germany": "독일", + "Ghana": "가나", + "Gibraltar": "지브롤터", + "Go Home": "홈으로 이동", + "Greece": "그리스", + "Greenland": "그린란드", + "Grenada": "그레나다", + "Guadeloupe": "과들루프", + "Guam": "괌", + "Guatemala": "과테말라", + "Guernsey": "건지", + "Guinea": "기니", + "Guinea-Bissau": "기니비사우", + "Guyana": "가이아나", + "Haiti": "아이티", + "Heard Island & Mcdonald Islands": "허드 맥도널드 제도", + "Hide Content": "컨텐츠 숨기기", + "Hold Up!": "기다려주세요!", + "Holy See (Vatican City State)": "바티칸 시국", + "Honduras": "온두라스", + "Hong Kong": "홍콩", + "Hungary": "헝가리", + "Iceland": "아이슬란드", + "ID": "아이디", + "If you did not request a password reset, no further action is required.": "귀하께서 비밀번호 재설정을 요청하지 않으셨다면, 추가 조치가 필요하지 않습니다.", + "Increase": "증가", + "India": "인도", + "Indonesia": "인도네시아", + "Iran, Islamic Republic Of": "이란", + "Iraq": "이라크", + "Ireland": "아일랜드", + "Isle Of Man": "맨섬", + "Israel": "이스라엘", + "Italy": "이탈리아", + "Jamaica": "자메이카", + "January": "1월", + "Japan": "일본", + "Jersey": "저지", + "Jordan": "요르단", + "July": "7월", + "June": "6월", + "Kazakhstan": "카자흐스탄", + "Kenya": "케냐", + "Key": "키", + "Kiribati": "키리바시", + "Korea": "대한민국", + "Korea, Democratic People's Republic of": "북한", + "Kosovo": "코소보", + "Kuwait": "쿠웨이트", + "Kyrgyzstan": "키르기스스탄", + "Lao People's Democratic Republic": "라오스", + "Latvia": "라트비아", + "Lebanon": "레바논", + "Lens": "렌즈", + "Lesotho": "레소토", + "Liberia": "라이베리아", + "Libyan Arab Jamahiriya": "리비야", + "Liechtenstein": "리히텐슈타인", + "Lithuania": "리투아니아", + "Load :perPage More": ":perPage 더 로드", + "Login": "로그인", + "Logout": "로그아웃", + "Luxembourg": "룩셈부르크", + "Macao": "마카오", + "Macedonia": "북마케도니아", + "Madagascar": "마다가스카르", + "Malawi": "말라위", + "Malaysia": "말레이시아", + "Maldives": "몰디브", + "Mali": "말리", + "Malta": "몰타", + "March": "3월", + "Marshall Islands": "마셜 제도", + "Martinique": "마르티니크", + "Mauritania": "모리타니", + "Mauritius": "모리셔스", + "May": "5월", + "Mayotte": "마요트", + "Mexico": "멕시코", + "Micronesia, Federated States Of": "미크로네시아 연방", + "Moldova": "몰도바", + "Monaco": "모나코", + "Mongolia": "몽골", + "Montenegro": "몬테네그로", + "Month To Date": "달초 부터 오늘까지", + "Montserrat": "몬트세라트", + "Morocco": "모로코", + "Mozambique": "모잠비크", + "Myanmar": "미얀마", + "Namibia": "나미비아", + "Nauru": "나우루", + "Nepal": "네팔", + "Netherlands": "네덜란드", + "New": "New", + "New :resource": "새로운 :resource", + "New Caledonia": "뉴칼레도니아", + "New Zealand": "뉴질랜드", + "Next": "다음", + "Nicaragua": "니카라과", + "Niger": "니제르", + "Nigeria": "나이지리아", + "Niue": "니우에", + "No": "아니요", + "No :resource matched the given criteria.": "주어진 :resource (와)과 매치되는 정보가 없습니다.", + "No additional information...": "추가정보가 없음...", + "No Current Data": "현재 데이터 없음", + "No Data": "데이터 없음", + "no file selected": "파일이 선택되지 않음", + "No Increase": "증가 없음", + "No Prior Data": "이전 데이터 없음", + "No Results Found.": "결과를 찾을 수 없습니다.", + "Norfolk Island": "노퍽섬", + "Northern Mariana Islands": "북마리아나제도", + "Norway": "노르웨이", + "Nova User": "Nova 유저", + "November": "11월", + "October": "10월", + "of": "의", + "Oman": "오만", + "Only Trashed": "지워진 내역만", + "Original": "원본", + "Pakistan": "파키스탄", + "Palau": "팔라우", + "Palestinian Territory, Occupied": "팔레스타인", + "Panama": "파나마", + "Papua New Guinea": "파푸아뉴기니", + "Paraguay": "파라과이", + "Password": "비밀번호", + "Per Page": "페이지 당", + "Peru": "페루", + "Philippines": "필리핀", + "Pitcairn": "핏케언 제도", + "Poland": "폴란드", + "Portugal": "포르투갈", + "Press \/ to search": "\/을 눌러 검색", + "Preview": "프리뷰", + "Previous": "이전", + "Puerto Rico": "푸에르토리코", + "Qatar": "카타르", + "Quarter To Date": "이번 분기", + "Reload": "리로드", + "Remember Me": "로그인 상태 유지", + "Reset Filters": "필터 초기화", + "Reset Password": "비밀번호 재설정", + "Reset Password Notification": "비밀번호 재설정 알림", + "resource": "리소스", + "Resources": "리소스", + "resources": "리소스", + "Restore": "복원", + "Restore Resource": "리소스 복원", + "Restore Selected": "선택항목 복원", + "Reunion": "리유니온", + "Romania": "루마니아", + "Run Action": "액션 실행", + "Russian Federation": "러시아", + "Rwanda": "르완다", + "Saint Barthelemy": "생 바르 텔레 미", + "Saint Helena": "세인트 헬레나", + "Saint Kitts And Nevis": "세인트 키츠 네비스", + "Saint Lucia": "세인트 루시아", + "Saint Martin": "세인트 마틴", + "Saint Pierre And Miquelon": "생 피에르 미 클롱", + "Saint Vincent And Grenadines": "세인트 빈센트 그레나딘", + "Samoa": "사모아", + "San Marino": "산마리노", + "Sao Tome And Principe": "상투 메 프린시 페", + "Saudi Arabia": "사우디아라비아", + "Search": "검색", + "Select Action": "액션 선택", + "Select All": "모두 선택", + "Select All Matching": "일치되는 모든 것 선택", + "Send Password Reset Link": "비밀번호 재설정 링크 보내기", + "Senegal": "세네갈", + "September": "9월", + "Serbia": "세르비아", + "Seychelles": "세이셸", + "Show All Fields": "모든 필드 표시", + "Show Content": "콘텐츠 표시", + "Sierra Leone": "시에라리온", + "Singapore": "싱가포르", + "Sint Maarten (Dutch part)": "신트마르턴", + "Slovakia": "슬로바키아", + "Slovenia": "슬로베니아", + "Solomon Islands": "솔로몬 제도", + "Somalia": "소말리아", + "Something went wrong.": "문제가 발생했습니다.", + "Sorry! You are not authorized to perform this action.": "죄송합니다! 이 작업을 수행 할 권한이 없습니다.", + "Sorry, your session has expired.": "죄송합니다. 세션이 만료되었습니다.", + "South Africa": "남아프리카", + "South Georgia And Sandwich Isl.": "사우스 조지아 사우스 샌드위치 제도", + "South Sudan": "남수단", + "Spain": "스페인", + "Sri Lanka": "스리랑카", + "Start Polling": "폴링 시작", + "Stop Polling": "폴링 중지", + "Sudan": "수단", + "Suriname": "수리남", + "Svalbard And Jan Mayen": "스발바르 얀마옌 제도", + "Swaziland": "에스와티니", + "Sweden": "스웨덴", + "Switzerland": "스위스", + "Syrian Arab Republic": "시리야", + "Taiwan": "대만", + "Tajikistan": "타지키스탄", + "Tanzania": "탄자니아", + "Thailand": "태국", + "The :resource was created!": "이 :resource (이)가 생성되었습니다!", + "The :resource was deleted!": "이 :resource (이)가 삭제되었습니다!", + "The :resource was restored!": "이 :resource (이)가 복구 되었습니다.!", + "The :resource was updated!": "이 :resource (이)가 업데이트 되었습니다.!", + "The action ran successfully!": "작업이 성공적으로 실행되었습니다!", + "The file was deleted!": "파일이 삭제되었습니다!", + "The government won't let us show you what's behind these doors": "정부는 이 문 뒤에 무엇이 있는지 보여주지 않을 것입니다.", + "The HasOne relationship has already been filled.": "HasOne 관계가 이미 채워졌습니다.", + "The resource was updated!": "리소스가 업데이트되었습니다!", + "There are no available options for this resource.": "이 리소스에 사용할 수있는 옵션이 없습니다.", + "There was a problem executing the action.": "작업을 실행하는데 문제가 있습니다.", + "There was a problem submitting the form.": "양식을 제출하는 중에 문제가 발생했습니다.", + "This file field is read-only.": "이 파일 필드는 읽기 전용입니다.", + "This image": "이 이미지", + "This resource no longer exists": "이 리소스는 더 이상 존재하지 않습니다.", + "Timor-Leste": "동티모르", + "Today": "오늘", + "Togo": "토고", + "Tokelau": "토켈라우", + "Tonga": "통가", + "total": "총합", + "Trashed": "지워진", + "Trinidad And Tobago": "트리니다드 토바고", + "Tunisia": "튀니지", + "Turkey": "터키", + "Turkmenistan": "투르크메니스탄", + "Turks And Caicos Islands": "터크스 케이커스 제도", + "Tuvalu": "투발루", + "Uganda": "우간다", + "Ukraine": "우크라이나", + "United Arab Emirates": "아랍에미리트", + "United Kingdom": "영국", + "United States": "미국", + "United States Outlying Islands": "미국령 군소 제도", + "Update": "업데이트", + "Update & Continue Editing": "업데이트 & 계속 수정", + "Update :resource": "업데이트 :resource", + "Update :resource: :title": "업데이트 :resource: :title", + "Update attached :resource: :title": "업데이트 첨부 :resource: :title", + "Uruguay": "우루과이", + "Uzbekistan": "우즈베키스탄", + "Value": "값", + "Vanuatu": "바누아투", + "Venezuela": "베네수엘라", + "Viet Nam": "베트남", + "View": "뷰", + "Virgin Islands, British": "영국령 버진 아일랜드", + "Virgin Islands, U.S.": "미국령 버진 아일랜드", + "Wallis And Futuna": "월리스 푸 투나", + "We're lost in space. The page you were trying to view does not exist.": "우리는 우주에서 길을 잃었어요. 보려는 페이지가 존재하지 않습니다.", + "Welcome Back!": "돌아오셨군요!", + "Western Sahara": "서사하라", + "Whoops": "웁스", + "Whoops!": "저런!", + "With Trashed": "지워진 내역과 함께", + "Write": "쓰기", + "Year To Date": "연초부터 오늘까지", + "Yemen": "예멘", + "Yes": "예", + "You are receiving this email because we received a password reset request for your account.": "귀하의 계정에 대한 비밀번호 재설정이 요청되어 이 메일이 발송되었습니다.", + "Zambia": "잠비아", + "Zimbabwe": "짐바브웨" +} diff --git a/locales/ko/packages/spark-paddle.json b/locales/ko/packages/spark-paddle.json new file mode 100644 index 00000000000..c4af6251b68 --- /dev/null +++ b/locales/ko/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "이용 약관", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "저런! 뭔가 잘못되었습니다.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/ko/packages/spark-stripe.json b/locales/ko/packages/spark-stripe.json new file mode 100644 index 00000000000..a7450d65209 --- /dev/null +++ b/locales/ko/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "아프가니스탄", + "Albania": "알바니아", + "Algeria": "알제리", + "American Samoa": "아메리칸 사모아", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "안도라", + "Angola": "앙골라", + "Anguilla": "앵귈라", + "Antarctica": "남극 대륙", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "아르헨티나", + "Armenia": "아르메니아", + "Aruba": "아루바", + "Australia": "오스트레일리아", + "Austria": "오스트리아", + "Azerbaijan": "아제르바이잔", + "Bahamas": "바하마", + "Bahrain": "바레인", + "Bangladesh": "방글라데시", + "Barbados": "바베이도스", + "Belarus": "벨라루스", + "Belgium": "벨기에", + "Belize": "벨리즈", + "Benin": "베냉", + "Bermuda": "버뮤다", + "Bhutan": "부탄", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "보츠와나", + "Bouvet Island": "부베섬", + "Brazil": "브라질", + "British Indian Ocean Territory": "영국령 인도양 식민지", + "Brunei Darussalam": "브루나이", + "Bulgaria": "불가리아", + "Burkina Faso": "부르키나파소", + "Burundi": "부룬디", + "Cambodia": "캄보디아", + "Cameroon": "카메룬", + "Canada": "캐나다", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "카보베르데", + "Card": "카드", + "Cayman Islands": "케이맨 제도", + "Central African Republic": "중앙 아프리카 공화국", + "Chad": "차드", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "칠레", + "China": "중국", + "Christmas Island": "크리스마스섬", + "City": "City", + "Cocos (Keeling) Islands": "코코스 제도", + "Colombia": "콜롬비아", + "Comoros": "코모로", + "Confirm Payment": "결제 확인", + "Confirm your :amount payment": "결제 금액 확인 :amount", + "Congo": "콩고", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "쿡 제도", + "Costa Rica": "코스타리카", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "크로아티아", + "Cuba": "쿠바", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "키프로스", + "Czech Republic": "체코", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "덴마크", + "Djibouti": "지부티", + "Dominica": "도미니카", + "Dominican Republic": "도미니카 공화국", + "Download Receipt": "Download Receipt", + "Ecuador": "에콰도르", + "Egypt": "이집트", + "El Salvador": "엘살바도르", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "적도 기니", + "Eritrea": "에리트리아", + "Estonia": "에스토니아", + "Ethiopia": "에티오피아", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "결제를 처리하려면 추가 확인이 필요합니다. 아래 버튼을 클릭하여 결제 페이지로 이동하세요.", + "Falkland Islands (Malvinas)": "포클랜드 제도(말비나스 군도)", + "Faroe Islands": "페로 제도", + "Fiji": "피지", + "Finland": "핀란드", + "France": "프랑스", + "French Guiana": "프랑스령 기아나", + "French Polynesia": "프랑스령 폴리네시아", + "French Southern Territories": "프랑스 남부 지방", + "Gabon": "가봉", + "Gambia": "감비아", + "Georgia": "조지아", + "Germany": "독일", + "Ghana": "가나", + "Gibraltar": "지브롤터", + "Greece": "그리스", + "Greenland": "그린란드", + "Grenada": "그레나다", + "Guadeloupe": "과들루프", + "Guam": "괌", + "Guatemala": "과테말라", + "Guernsey": "건지", + "Guinea": "기니", + "Guinea-Bissau": "기니비사우", + "Guyana": "가이아나", + "Haiti": "아이티", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "바티칸 시국", + "Honduras": "온두라스", + "Hong Kong": "홍콩", + "Hungary": "헝가리", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "아이슬란드", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "인도", + "Indonesia": "인도네시아", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "이라크", + "Ireland": "아일랜드", + "Isle of Man": "Isle of Man", + "Israel": "이스라엘", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "이탈리아", + "Jamaica": "자메이카", + "Japan": "일본", + "Jersey": "저지", + "Jordan": "요르단", + "Kazakhstan": "카자흐스탄", + "Kenya": "케냐", + "Kiribati": "키리바시", + "Korea, Democratic People's Republic of": "북한", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "쿠웨이트", + "Kyrgyzstan": "키르기스스탄", + "Lao People's Democratic Republic": "라오스", + "Latvia": "라트비아", + "Lebanon": "레바논", + "Lesotho": "레소토", + "Liberia": "라이베리아", + "Libyan Arab Jamahiriya": "리비야", + "Liechtenstein": "리히텐슈타인", + "Lithuania": "리투아니아", + "Luxembourg": "룩셈부르크", + "Macao": "마카오", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "마다가스카르", + "Malawi": "말라위", + "Malaysia": "말레이시아", + "Maldives": "몰디브", + "Mali": "말리", + "Malta": "몰타", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "마셜 제도", + "Martinique": "마르티니크", + "Mauritania": "모리타니", + "Mauritius": "모리셔스", + "Mayotte": "마요트", + "Mexico": "멕시코", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "모나코", + "Mongolia": "몽골", + "Montenegro": "몬테네그로", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "몬트세라트", + "Morocco": "모로코", + "Mozambique": "모잠비크", + "Myanmar": "미얀마", + "Namibia": "나미비아", + "Nauru": "나우루", + "Nepal": "네팔", + "Netherlands": "네덜란드", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "뉴칼레도니아", + "New Zealand": "뉴질랜드", + "Nicaragua": "니카라과", + "Niger": "니제르", + "Nigeria": "나이지리아", + "Niue": "니우에", + "Norfolk Island": "노퍽섬", + "Northern Mariana Islands": "북마리아나제도", + "Norway": "노르웨이", + "Oman": "오만", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "파키스탄", + "Palau": "팔라우", + "Palestinian Territory, Occupied": "팔레스타인", + "Panama": "파나마", + "Papua New Guinea": "파푸아뉴기니", + "Paraguay": "파라과이", + "Payment Information": "Payment Information", + "Peru": "페루", + "Philippines": "필리핀", + "Pitcairn": "핏케언 제도", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "폴란드", + "Portugal": "포르투갈", + "Puerto Rico": "푸에르토리코", + "Qatar": "카타르", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "루마니아", + "Russian Federation": "러시아", + "Rwanda": "르완다", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "세인트 헬레나", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "세인트 루시아", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "사모아", + "San Marino": "산마리노", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "사우디아라비아", + "Save": "저장", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "세네갈", + "Serbia": "세르비아", + "Seychelles": "세이셸", + "Sierra Leone": "시에라리온", + "Signed in as": "Signed in as", + "Singapore": "싱가포르", + "Slovakia": "슬로바키아", + "Slovenia": "슬로베니아", + "Solomon Islands": "솔로몬 제도", + "Somalia": "소말리아", + "South Africa": "남아프리카", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "스페인", + "Sri Lanka": "스리랑카", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "수단", + "Suriname": "수리남", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "에스와티니", + "Sweden": "스웨덴", + "Switzerland": "스위스", + "Syrian Arab Republic": "시리야", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "타지키스탄", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "이용 약관", + "Thailand": "태국", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "동티모르", + "Togo": "토고", + "Tokelau": "토켈라우", + "Tonga": "통가", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "튀니지", + "Turkey": "터키", + "Turkmenistan": "투르크메니스탄", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "투발루", + "Uganda": "우간다", + "Ukraine": "우크라이나", + "United Arab Emirates": "아랍에미리트", + "United Kingdom": "영국", + "United States": "미국", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "업데이트", + "Update Payment Information": "Update Payment Information", + "Uruguay": "우루과이", + "Uzbekistan": "우즈베키스탄", + "Vanuatu": "바누아투", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "베트남", + "Virgin Islands, British": "영국령 버진 아일랜드", + "Virgin Islands, U.S.": "미국령 버진 아일랜드", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "서사하라", + "Whoops! Something went wrong.": "저런! 뭔가 잘못되었습니다.", + "Yearly": "Yearly", + "Yemen": "예멘", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "잠비아", + "Zimbabwe": "짐바브웨", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/lt/lt.json b/locales/lt/lt.json index 31b29afe4b5..304c7c7a4b0 100644 --- a/locales/lt/lt.json +++ b/locales/lt/lt.json @@ -1,710 +1,48 @@ { - "30 Days": "30 dienų", - "60 Days": "60 dienų", - "90 Days": "90 dienų", - ":amount Total": ":amount iš viso", - ":days day trial": ":days day trial", - ":resource Details": ":resource detalės", - ":resource Details: :title": ":resource Details: :title", "A fresh verification link has been sent to your email address.": "Patvirtinimo nuoroda buvo išsiųsta į jūsų el. paštą", - "A new verification link has been sent to the email address you provided during registration.": "Nauja patvirtinimo nuoroda buvo išsiųsta el. pašto adresu, kurį pateikėte registruojantis.", - "Accept Invitation": "Priimti Kvietimą", - "Action": "Veiksmas", - "Action Happened At": "Atsitiko Ne", - "Action Initiated By": "Inicijavo", - "Action Name": "Pavadinimas", - "Action Status": "Statusas", - "Action Target": "Tikslas", - "Actions": "Veiksmas", - "Add": "Pridėti", - "Add a new team member to your team, allowing them to collaborate with you.": "Pridėkite naują komandos narį prie savo komandos, leisdami jam bendradarbiauti su jumis.", - "Add additional security to your account using two factor authentication.": "Papildomai apsaugokite savo paskyrą naudojant dviejų veiksnių autentifikavimą.", - "Add row": "Pridėti eilutę", - "Add Team Member": "Pridėti komandos narį", - "Add VAT Number": "Add VAT Number", - "Added.": "Pridėta.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administratorius", - "Administrator users can perform any action.": "Administratoriai gali atlikti bet kokius veiksmus.", - "Afghanistan": "Afganistanas", - "Aland Islands": "Alandų Salos", - "Albania": "Albanija", - "Algeria": "Alžyras", - "All of the people that are part of this team.": "Visi žmonės yra jūsų komandos nariai.", - "All resources loaded.": "Visi ištekliai pakrauti.", - "All rights reserved.": "Visos teisės saugomos.", - "Already registered?": "Jau užsiregistravote?", - "American Samoa": "Amerikos Samoa", - "An error occured while uploading the file.": "Įkeliant failą įvyko klaida.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorran", - "Angola": "Angola", - "Anguilla": "Angilija", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Kitas vartotojas atnaujino šį šaltinį, nes šis puslapis buvo įkeltas. Prašome atnaujinti puslapį ir bandykite dar kartą.", - "Antarctica": "Antarktida", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigva ir Barbuda", - "API Token": "API raktas", - "API Token Permissions": "API rakto teisės", - "API Tokens": "API raktai", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API raktai leidžia kitoms paslaugoms jūsų vardu naudotis mūsų aplikacija.", - "April": "Balandis", - "Are you sure you want to delete the selected resources?": "Ar tikrai norite ištrinti pasirinktus išteklius?", - "Are you sure you want to delete this file?": "Ar tikrai norite ištrinti šį failą?", - "Are you sure you want to delete this resource?": "Ar tikrai norite ištrinti šį šaltinį?", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Ar jūs tikrai norite ištrinti šią komandą? Vos ištrynus komandą, visi jos duomenys bus ištrinti visam laikui.", - "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.": "Ar jūs tikrai norite ištrinti šią komandą? Vos ištrynus komandą, visi jos duomenys bus ištrinti visam laikui. Įveskite savo slaptažodį, jei tikrai norite ištrinti savo paskyrą visam laikui.", - "Are you sure you want to detach the selected resources?": "Ar tikrai norite atskirti pasirinktus išteklius?", - "Are you sure you want to detach this resource?": "Ar tikrai norite atjungti šį šaltinį?", - "Are you sure you want to force delete the selected resources?": "Ar tikrai norite priversti ištrinti pasirinktus išteklius?", - "Are you sure you want to force delete this resource?": "Ar tikrai norite priversti ištrinti šį šaltinį?", - "Are you sure you want to restore the selected resources?": "Ar tikrai norite atkurti pasirinktus išteklius?", - "Are you sure you want to restore this resource?": "Ar tikrai norite atkurti šį šaltinį?", - "Are you sure you want to run this action?": "Ar tikrai norite paleisti šį veiksmą?", - "Are you sure you would like to delete this API token?": "Ar jūs tikrai norite ištrinti šį API raktą?", - "Are you sure you would like to leave this team?": "Ar jūs tikrai norite palikti šią komandą?", - "Are you sure you would like to remove this person from the team?": "Ar jūs tikrai norite pašalinti šį žmogų iš komandos?", - "Argentina": "Argentina", - "Armenia": "Armėnija", - "Aruba": "Aruba", - "Attach": "Pridėti", - "Attach & Attach Another": "Attach & Attach Another", - "Attach :resource": "Pridėti :resource", - "August": "Rugpjūtis", - "Australia": "Australija", - "Austria": "Austrija", - "Azerbaijan": "Azerbaidžanas", - "Bahamas": "Bahamai", - "Bahrain": "Bahreinas", - "Bangladesh": "Bangladešas", - "Barbados": "Barbadosas", "Before proceeding, please check your email for a verification link.": "Prieš tęsdami, patikrinkite savo el. pašto dežutę, ar nėra patvirtinimo nuorodos.", - "Belarus": "Baltarusija", - "Belgium": "Belgija", - "Belize": "Belizas", - "Benin": "Beninas", - "Bermuda": "Bermudai", - "Bhutan": "Butanas", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivija", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius ir Sábado", - "Bosnia And Herzegovina": "Bosnija ir Hercegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botsvana", - "Bouvet Island": "Bouvet Island", - "Brazil": "Brazilija", - "British Indian Ocean Territory": "Indijos Vandenyno Britų Teritorija", - "Browser Sessions": "Naršyklės sesijos", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgarija", - "Burkina Faso": "Burkina Fasas", - "Burundi": "Burundis", - "Cambodia": "Kambodža", - "Cameroon": "Kamerūnas", - "Canada": "Kanada", - "Cancel": "Atšaukti", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Žaliasis Kyšulys", - "Card": "Kortelė", - "Cayman Islands": "Kaimanų Salos", - "Central African Republic": "Centrinės Afrikos Respublika", - "Chad": "Čadas", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Pokytis", - "Chile": "Čilė", - "China": "Kinija", - "Choose": "Pasirinkti", - "Choose :field": "Pasirinkite :field", - "Choose :resource": "Pasirinkti :resource", - "Choose an option": "Pasirinkite parinktį", - "Choose date": "Pasirinkite datą", - "Choose File": "Pasirinkite Failą", - "Choose Type": "Pasirinkite Tipą", - "Christmas Island": "Kalėdų Sala", - "City": "City", "click here to request another": "spauskite čia, kad gauti kitą", - "Click to choose": "Spustelėkite, jei norite pasirinkti", - "Close": "Uždaryti", - "Cocos (Keeling) Islands": "Kokos (Keeling) Salos", - "Code": "Kodas", - "Colombia": "Kolumbija", - "Comoros": "Komorai", - "Confirm": "Patvirtinti", - "Confirm Password": "Pakartokite slaptažodį", - "Confirm Payment": "Patvirtinkite Mokėjimą", - "Confirm your :amount payment": "Patvirtinkite savo :amount mokėjimą", - "Congo": "Kongas", - "Congo, Democratic Republic": "Kongas, Demokratinė Respublika", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Nuolatinis", - "Cook Islands": "Kuko Salos", - "Costa Rica": "Kosta Rika", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "nepavyko rasti.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Sukurti", - "Create & Add Another": "Sukurti Ir Pridėti Kitą", - "Create :resource": "Sukurti :resource", - "Create a new team to collaborate with others on projects.": "Sukurkite naują komandą norint bendradarbiauti su kitais.", - "Create Account": "Sukurti Paskyrą", - "Create API Token": "Sukurti API raktą", - "Create New Team": "Sukurti naują komandą", - "Create Team": "Sukurti komandą", - "Created.": "Sukurta.", - "Croatia": "Kroatija", - "Cuba": "Kuba", - "Curaçao": "Curacao", - "Current Password": "Dabartinis slaptažodis", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Pritaikyti", - "Cyprus": "Kipras", - "Czech Republic": "Czechia", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Pagrindinis puslapis", - "December": "Gruodis", - "Decrease": "Sumažėti", - "Delete": "Ištrinti", - "Delete Account": "Ištrinkite paskyrą", - "Delete API Token": "Ištrinti API raktą", - "Delete File": "Ištrinti Failą", - "Delete Resource": "Ištrinti Resursą", - "Delete Selected": "Ištrinti Pasirinktą", - "Delete Team": "Ištrinti komandą", - "Denmark": "Danija", - "Detach": "Atskirti", - "Detach Resource": "Atjungti Resursą", - "Detach Selected": "Atjungti Pasirinktą", - "Details": "Informacija", - "Disable": "Išjungti", - "Djibouti": "Džibutis", - "Do you really want to leave? You have unsaved changes.": "Ar tikrai norite palikti? Jūs turite neišsaugotus pakeitimus.", - "Dominica": "Sekmadienis", - "Dominican Republic": "Dominikos Respublika", - "Done.": "Atlikta.", - "Download": "Atsisiųsti", - "Download Receipt": "Download Receipt", "E-Mail Address": "El. pašto adresas", - "Ecuador": "Ekvadoras", - "Edit": "Redaguoti", - "Edit :resource": "Redaguoti:resource", - "Edit Attached": "Redaguoti Pridedamas", - "Editor": "Redaguotojas", - "Editor users have the ability to read, create, and update.": "Redaguotojai turi teisę skaityti, sukurti ir redaguoti.", - "Egypt": "Egiptas", - "El Salvador": "Salvadoras", - "Email": "El. pašto adresas", - "Email Address": "el", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Atsiųsti slaptažodžio atstatymo nuorodą", - "Enable": "Įjungti", - "Ensure your account is using a long, random password to stay secure.": "Įsitikinkite, kad jūsų slapažodis yra ilgas, atsitiktinis dėl paskyros saugumo.", - "Equatorial Guinea": "Pusiaujo Gvinėja", - "Eritrea": "Eritrėja", - "Estonia": "Estija", - "Ethiopia": "Etiopija", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Papildomas patvirtinimas reikalingas jūsų mokėjimo apdorojimui. Prašome patvirtinti savo mokėjimą užpildydami žemiau pateiktus mokėjimo duomenis.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Papildomas patvirtinimas reikalingas jūsų mokėjimo apdorojimui. Prašome tęsti mokėjimo puslapį paspaudę žemiau esantį mygtuką.", - "Falkland Islands (Malvinas)": "Folklando Salos (Malvinas)", - "Faroe Islands": "Farerų Salos", - "February": "Vasaris", - "Fiji": "Fidžis", - "Finland": "Suomija", - "For your security, please confirm your password to continue.": "Dėl jūsų saugumo prašome įvesti slaptažodį, jog tęsti.", "Forbidden": "Draudžiama", - "Force Delete": "Force Delete", - "Force Delete Resource": "Force Delete Resource", - "Force Delete Selected": "Force Delete Selected", - "Forgot Your Password?": "Pamiršote slaptažodį?", - "Forgot your password?": "Pamiršote slaptažodį?", - "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.": "Pamiršote savo slaptažodį? Jokių problemų. Įveskite savo el. pašto adresą ir atsiųsime slaptažodžio atstatymo nuorodą, kuri leis jums pasirinkti naują.", - "France": "Prancūzija", - "French Guiana": "Prancūzijos Gviana", - "French Polynesia": "Prancūzijos Polinezija", - "French Southern Territories": "Prancūzijos Pietinės Teritorijos", - "Full name": "Pavardė", - "Gabon": "Gabonas", - "Gambia": "Gambija", - "Georgia": "Gruzija", - "Germany": "Vokietija", - "Ghana": "Gana", - "Gibraltar": "Gibraltaras", - "Go back": "Grįžti", - "Go Home": "Eiti į pradinį puslapį", "Go to page :page": "Eiti į puslapį Nr. :page", - "Great! You have accepted the invitation to join the :team team.": "Puiku! Jūs priėmėte kvietimą prisijungti prie :team komandos.", - "Greece": "Graikija", - "Greenland": "Grenlandija", - "Grenada": "Grenada", - "Guadeloupe": "Gvadelupa", - "Guam": "Guamas", - "Guatemala": "Gvatemala", - "Guernsey": "Gernsis", - "Guinea": "Gvinėja", - "Guinea-Bissau": "Bisau Gvinėja", - "Guyana": "Gajana", - "Haiti": "Haitis", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Heard Island ir McDonald salos", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Sveiki!", - "Hide Content": "Slėpti Turinį", - "Hold Up!": "Laikykis!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Hondūras", - "Hong Kong": "Honkongas", - "Hungary": "Vengrija", - "I agree to the :terms_of_service and :privacy_policy": "Sutinku su :terms_of_service ir :privacy_policy", - "Iceland": "Islandija", - "ID": "ID", - "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.": "Jei reikia, galite atsijungti nuo visų kitų naršyklės sesijų visuose jūsų įrenginiuose. Kai kurie iš jūsų neseniai sesijų yra išvardyti toliau; tačiau šis sąrašas gali būti neišsamus. Jei manote, kad jūsų paskyra buvo pažeista, taip pat turėtumėte atnaujinti savo slaptažodį.", "If necessary, you may logout 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.": "Jei reikia, jūs galite atsijungti iš visų kitų naršyklės sesijų tarp visų jūsų įrenginių. Kai kurios paskutinės jūsų sesijos yra išvardytos žemiau, tačiau šis sąrašas gali būti neišsamus. Jeigu jaučiate, kad jūsų paskyra galėjo būti pažeista, jums taip pat reikėtų pasikeisti slaptažodį.", - "If you already have an account, you may accept this invitation by clicking the button below:": "Jei jau turite paskyrą, galite priimti šį kvietimą spustelėdami žemiau esantį mygtuką:", "If you did not create an account, no further action is required.": "Jeigu paskyrą kūrėte ne jūs, papildomų veiksmų atlikti nereikia.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Jei nesitikėjote gauti kvietimo į šią komandą, galite atsisakyti šio el.", "If you did not receive the email": "Jei negavote el. laiško", - "If you did not request a password reset, no further action is required.": "Jeigu neprašėte atstatyti slaptažodį, jokių veiksmų atlikti nereikia.", - "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:": "Jei neturite paskyros, galite sukurti vieną spustelėdami žemiau esantį mygtuką. Sukūrę paskyrą, galite spustelėti kvietimo priėmimo Mygtuką šiame el.:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Jeigu nepavyksta paspausti \":actionText\" mygtuko, nukopijuokite ir įklijuokite nuorodą, kuri pateikta žemiau,\nį savo naršyklę:", - "Increase": "Padidinti", - "India": "Indija", - "Indonesia": "Indonezija", "Invalid signature.": "Neteisingas parašas.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iranas", - "Iraq": "Irakas", - "Ireland": "Airija", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Meno sala", - "Israel": "Izraelis", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italija", - "Jamaica": "Jamaika", - "January": "Sausis", - "Japan": "Japonija", - "Jersey": "Jersey", - "Jordan": "Jordanas", - "July": "Liepa", - "June": "Birželis", - "Kazakhstan": "Kazachstanas", - "Kenya": "Kenija", - "Key": "Klavišas", - "Kiribati": "Kiribatis", - "Korea": "Pietų Korėja", - "Korea, Democratic People's Republic of": "Šiaurės Korėja", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovas", - "Kuwait": "Kuveitas", - "Kyrgyzstan": "Kirgizija", - "Lao People's Democratic Republic": "Laosas", - "Last active": "Paskutinį kartą prisijungta", - "Last used": "Paskutinį kartą naudotas", - "Latvia": "Latvija", - "Leave": "Palikti", - "Leave Team": "Palikti komandą", - "Lebanon": "Libanas", - "Lens": "Objektyvas", - "Lesotho": "Lesotas", - "Liberia": "Liberija", - "Libyan Arab Jamahiriya": "Libija", - "Liechtenstein": "Lichtenšteinas", - "Lithuania": "Lietuva", - "Load :perPage More": "Load :perpage plačiau", - "Log in": "Prisijungti", "Log out": "Atsijungti", - "Log Out": "atsijungti", - "Log Out Other Browser Sessions": "Atsijunkite Kitas Naršyklės Sesijas", - "Login": "Prisijungti", - "Logout": "Atsijungti", "Logout Other Browser Sessions": "Atsijungti iš kitų naršyklių", - "Luxembourg": "Liuksemburgas", - "Macao": "Makao", - "Macedonia": "Šiaurės Makedonija", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagaskaras", - "Malawi": "Malavis", - "Malaysia": "Malaizija", - "Maldives": "Maldyvai", - "Mali": "Mažas", - "Malta": "Malta", - "Manage Account": "Tvarkyti paskyrą", - "Manage and log out your active sessions on other browsers and devices.": "Tvarkykite ir atsijunkite savo aktyvias sesijas kitose naršyklėse ir įrenginiuose.", "Manage and logout your active sessions on other browsers and devices.": "Tvarkykite ir atjunkite aktyvias sesijas iš kitų naršyklių ir įrenginių.", - "Manage API Tokens": "Tvarkyti API raktus", - "Manage Role": "Tvarkyti roles", - "Manage Team": "Tvarkyti komandas", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Kovas", - "Marshall Islands": "Maršalo Salos", - "Martinique": "Martinika", - "Mauritania": "Mauritanija", - "Mauritius": "Mauricijus", - "May": "Gali", - "Mayotte": "Majotas", - "Mexico": "Meksika", - "Micronesia, Federated States Of": "Mikronezija", - "Moldova": "Moldova", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monakas", - "Mongolia": "Mongolija", - "Montenegro": "Juodkalnija", - "Month To Date": "Mėnuo Iki Datos", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montseratas", - "Morocco": "Marokas", - "Mozambique": "Mozambikas", - "Myanmar": "Mianmaras", - "Name": "Vardas", - "Namibia": "Namibija", - "Nauru": "Nauru", - "Nepal": "Nepalas", - "Netherlands": "Nyderlandai", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Uždaryti", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Naujas", - "New :resource": "Naujas:resource", - "New Caledonia": "Naujoji Kaledonija", - "New Password": "Naujas slaptažodis", - "New Zealand": "Naujoji Zelandija", - "Next": "Kitas", - "Nicaragua": "Nikaragva", - "Niger": "Nigeris", - "Nigeria": "Nigerija", - "Niue": "Niue", - "No": "Nėra", - "No :resource matched the given criteria.": "Nr. :resource atitiko nurodytus kriterijus.", - "No additional information...": "Nėra papildomos informacijos...", - "No Current Data": "Nėra Dabartinių Duomenų", - "No Data": "Duomenų Nėra", - "no file selected": "nepasirinktas failas", - "No Increase": "Nepadidėja", - "No Prior Data": "Nėra Išankstinių Duomenų", - "No Results Found.": "Rezultatų Nerasta.", - "Norfolk Island": "Norfolko Sala", - "Northern Mariana Islands": "Šiaurės Marianos Salos", - "Norway": "Norvegija", "Not Found": "Nerasta", - "Nova User": "Nova User", - "November": "Lapkritis", - "October": "Spalis", - "of": "iš", "Oh no": "O ne", - "Oman": "Omanas", - "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.": "Vos ištrynus komandą, visi jos resursai ir duomenys bus visam laikui ištrinti. Prieš ištrinant komandą parsisiųskite visus duomenis, kuriuos norėsite pasiekti.", - "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.": "Vos ištrynus paskyrą, visi jos resursai ir duomenys bus visam laikui ištrinti. Prieš ištrinant paskyrą parsisiųskite visus duomenis, kuriuos norėsite pasiekti.", - "Only Trashed": "Tik Trashed", - "Original": "Originalus", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Galiojimo laikas pasibaigė", "Pagination Navigation": "Puslapių navigacija", - "Pakistan": "Pakistanas", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Palestinos Teritorijos", - "Panama": "Panama", - "Papua New Guinea": "Papua Naujoji Gvinėja", - "Paraguay": "Paragvajus", - "Password": "Slaptažodis", - "Pay :amount": "Mokėti :amount", - "Payment Cancelled": "Mokėjimas Atšauktas", - "Payment Confirmation": "Mokėjimo Patvirtinimas", - "Payment Information": "Payment Information", - "Payment Successful": "Mokėjimas Sėkmingas", - "Pending Team Invitations": "Laukiama Komandos Kvietimų", - "Per Page": "Per Puslapį", - "Permanently delete this team.": "Galite ištrinti visam laikui šią komandą.", - "Permanently delete your account.": "Galite ištrinti visam laikui savo paskyrą.", - "Permissions": "Teisės", - "Peru": "Peru", - "Philippines": "Filipinai", - "Photo": "Nuotrauka", - "Pitcairn": "Pitkerno Salos", "Please click the button below to verify your email address.": "Spauskite mygtuką žemiau, norėdami patvirtinti savo el. pašto adresą.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Prašome patvirtinti prisijungimą į paskyrą įvedant vieną iš jūsų atkūrimo kodų.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Prašome patvirtinti prisijungimą į paskyrą įvedant autentifikavimo kodą iš jūsų autentifikavimo programėlės.", "Please confirm your password before continuing.": "Įveskite savo slaptažodį prieš tęsiant.", - "Please copy your new API token. For your security, it won't be shown again.": "Nusikopijuokite savo naują API raktą. Dėl jūsų saugumo daugiau jo nerodysime.", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Įveskite savo slaptažodį, kad patvirtintumėte, jog norėtumėte atsijungti nuo kitų naršyklės sesijų visuose jūsų įrenginiuose.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Prašome įvesti slaptažodį, jei tikrai norite atsijungti iš kitų naršyklių visuose jūsų įrenginiuose.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "Please provide the email address of the person you would like to add to this team.": "Prašome nurodyti asmens, kurį norėtumėte įtraukti į šią komandą, el. pašto adresą.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Įveskite el. pašto adresą nario, kurį norite pridėti prie savo komandos. El. pašto adresas turi būti jau susietas su jau egzistuojančia paskyra.", - "Please provide your name.": "Prašome nurodyti savo vardą.", - "Poland": "Lenkija", - "Portugal": "Portugalija", - "Press \/ to search": "Paspauskite \/ norėdami ieškoti", - "Preview": "Peržiūra", - "Previous": "Ankstesnis", - "Privacy Policy": "Privatumo Politika", - "Profile": "Profilis", - "Profile Information": "Profilio informacija", - "Puerto Rico": "Puerto Rikas", - "Qatar": "Qatar", - "Quarter To Date": "Ketvirtis Iki Šiol", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Atkūrimo kodas", "Regards": "Pagarbiai", - "Regenerate Recovery Codes": "Iš naujo sugeneruoti atkūrimo kodus", - "Register": "Registruotis", - "Reload": "Perkrauti", - "Remember me": "Atsiminti mane", - "Remember Me": "Atsiminti", - "Remove": "Pašalinti", - "Remove Photo": "Pašalinti nuotrauką", - "Remove Team Member": "Pašalinti komandos narį", - "Resend Verification Email": "Persiųsti patvirtinimo el. laišką", - "Reset Filters": "Reset Filtrai", - "Reset Password": "Slaptažodžio atstatymas", - "Reset Password Notification": "Slaptažodžio atstatymo pranešimas", - "resource": "išteklių", - "Resources": "Lėšų", - "resources": "lėšų", - "Restore": "Atkurti", - "Restore Resource": "Atkurti Išteklius", - "Restore Selected": "Atkurti Pasirinktą", "results": "rezultatai", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Susitikimas", - "Role": "Rolė", - "Romania": "Rumunija", - "Run Action": "Vykdyti Veiksmą", - "Russian Federation": "Russian Federation", - "Rwanda": "Ruanda", - "Réunion": "Réunion", - "Saint Barthelemy": "Šv. Baltramiejus", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Šv. Elenos Sala", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "Sent Kitsas ir Nevis", - "Saint Lucia": "Sent Lusija", - "Saint Martin": "St. Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "Pjeras ir Mikelonas", - "Saint Vincent And Grenadines": "Sent Vinsentas ir Grenadinai", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marinas", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "San Tomė ir Prinsipė", - "Saudi Arabia": "Saudo Arabija", - "Save": "Išsaugoti", - "Saved.": "Išsaugota.", - "Search": "Paieška", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Pasirinkti naują nuotrauką", - "Select Action": "Pasirinkite Veiksmą", - "Select All": "Pasirinkite Visus", - "Select All Matching": "Select All Matching", - "Send Password Reset Link": "Siųsti slaptažodžio atstatymo nuorodą", - "Senegal": "Senegalas", - "September": "Rugsėjo", - "Serbia": "Serbija", "Server Error": "Serverio klaida", "Service Unavailable": "Paslauga negalima", - "Seychelles": "Seišeliai", - "Show All Fields": "Rodyti Visus Laukus", - "Show Content": "Rodyti Turinį", - "Show Recovery Codes": "Rodyti atkūrimo kodus", "Showing": "Rodomi nuo", - "Sierra Leone": "Siera Leonė", - "Signed in as": "Signed in as", - "Singapore": "Singapūras", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovakija", - "Slovenia": "Slovėnija", - "Solomon Islands": "Saliamono Salos", - "Somalia": "Somalis", - "Something went wrong.": "Kažkas nutiko.", - "Sorry! You are not authorized to perform this action.": "Atsiprašau! Jūs nesate įgaliotas atlikti šį veiksmą.", - "Sorry, your session has expired.": "Atsiprašome, Jūsų sesija pasibaigė.", - "South Africa": "Pietų Afrika", - "South Georgia And Sandwich Isl.": "Pietų Džordžija ir Pietų Sandvičo salos", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Pietų Sudanas", - "Spain": "Ispanija", - "Sri Lanka": "Šri Lanka", - "Start Polling": "Pradėti Apklausą", - "State \/ County": "State \/ County", - "Stop Polling": "Sustabdyti Apklausą", - "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.": "Išsisaugokite šiuos atkūrimo kodus saugioje slaptažodžių tvarkyklėje. Jie bus reikalaujami norint susigrąžinti prieigą prie paskyros jei dviejų veiksnių apsaugos įrenginys bus prarastas.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudanas", - "Suriname": "Surinamas", - "Svalbard And Jan Mayen": "Svalbard ir Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Švedija", - "Switch Teams": "Pakeisti komandą", - "Switzerland": "Šveicarija", - "Syrian Arab Republic": "Sirija", - "Taiwan": "Taivanas", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tadžikistanas", - "Tanzania": "Tanzanija", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Komandos informacija", - "Team Invitation": "Komandos Kvietimas", - "Team Members": "Komandos nariai", - "Team Name": "Komandos pavadinimas", - "Team Owner": "Komandos savininkas", - "Team Settings": "Komandos nustatymai", - "Terms of Service": "Paslaugų teikimo sąlygos", - "Thailand": "Tailandas", - "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.": "Ačiū, kad užsiregistravote! Prieš pradedant, gal galite patvirtinti savo el. pašto adresą paspaudžiant ant nuorodos, kurią jums ką tik atsiuntėme? Jeigu negavote el. laiško, mes jums atsiųsime kitą.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "Laukas :attribute turi būti tinkama rolė.", - "The :attribute must be at least :length characters and contain at least one number.": "Laukas :attribute turi būti bent :length simbolių ilgio ir turėti bent vieną numerį.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute turi būti ne mažiau kaip :length simboliai ir juose turi būti bent vienas specialus simbolis ir vienas numeris.", - "The :attribute must be at least :length characters and contain at least one special character.": "Laukas :attribute turi būti bent :length simbolių ilgio ir turėti bent vieną specialių simbolį.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Laukas :attribute turi būti bent :length sibmolių ilgio ir turėti bent vieną didžiąją raidę bei skaičių.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Laukas :attribute turi būti bent :length simbolių ilgio ir turėti bent vieną didžiąją raidę bei vieną specialų simbolį.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Laukas :attribute turi būti bent :length simbolių ilgio ir turėti bent vieną didžiają raidę, vieną skaičių bei vieną specialų simbolį.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": "Laukas :attribute turi būti bent :length simbolių ilgio ir turėti bent vieną didžiąją raidę.", - "The :attribute must be at least :length characters.": "Laukas :attribute turi būti bent :length simbolių ilgio.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource buvo sukurtas!", - "The :resource was deleted!": ":resource buvo ištrintas!", - "The :resource was restored!": ":resource buvo atkurta!", - "The :resource was updated!": ":resource buvo atnaujintas!", - "The action ran successfully!": "Veiksmas vyko sėkmingai!", - "The file was deleted!": "Failas buvo ištrintas!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Vyriausybė neleis mums parodyti, kas yra už šių durų", - "The HasOne relationship has already been filled.": "HasOne santykiai jau buvo užpildyti.", - "The payment was successful.": "Mokėjimas buvo sėkmingas.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Pateiktas slaptažodis nesutampa su jūsų dabartiniu slaptažodžiu.", - "The provided password was incorrect.": "Pateiktas slaptažodis buvo neteisingas.", - "The provided two factor authentication code was invalid.": "Pateiktas autentifikavimo kodas buvo neteisingas.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Ištekliai buvo atnaujinti!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Komandos pavadinimas ir savininko informacija.", - "There are no available options for this resource.": "Šiam ištekliui nėra jokių galimybių.", - "There was a problem executing the action.": "Buvo problema vykdant veiksmą.", - "There was a problem submitting the form.": "Buvo problema pateikti formą.", - "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.": "Šie žmonės buvo pakviesti į jūsų komandą ir jiems buvo išsiųstas kvietimo el. Jie gali prisijungti prie komandos priimdami el.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Jūs neturite leidimo atlikti šį veiksmą.", - "This device": "Šis įrenginys", - "This file field is read-only.": "Šis Failo laukas yra tik skaitomas.", - "This image": "Šis vaizdas", - "This is a secure area of the application. Please confirm your password before continuing.": "Tai yra saugi taikymo sritis. Prašome patvirtinti savo slaptažodį prieš tęsdami.", - "This password does not match our records.": "Šis slaptažodis neatitinka mūsų įrašų.", "This password reset link will expire in :count minutes.": "Ši slaptažodžio nustatymo nuoroda galios :count min.", - "This payment was already successfully confirmed.": "Šis mokėjimas jau buvo sėkmingai patvirtintas.", - "This payment was cancelled.": "Šis mokėjimas buvo atšauktas.", - "This resource no longer exists": "Šis šaltinis nebėra", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Šis vartotojas jau priklauso komandai.", - "This user has already been invited to the team.": "Šis vartotojas jau buvo pakviestas į komandą.", - "Timor-Leste": "Rytų Timoras", "to": "iki", - "Today": "Šiandien", "Toggle navigation": "Perjungti navigaciją", - "Togo": "Togas", - "Tokelau": "Tokelau", - "Token Name": "Rakto vardas", - "Tonga": "Ateiti", "Too Many Attempts.": "Per daug bandymų.", "Too Many Requests": "Per daug užklausų", - "total": "viso", - "Total:": "Total:", - "Trashed": "Trashed", - "Trinidad And Tobago": "Trinidadas ir Tobagas", - "Tunisia": "Tunisas", - "Turkey": "Turkija", - "Turkmenistan": "Turkmėnistanas", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Terkso ir Kaikoso salos", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Dviejų veiksnių autentifikavimas", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Dviejų veiksnių autentifikacija jau įjungta. Nuskanuokite šį QR kodą savo telefono autentifikavimo programėle.", - "Uganda": "Uganda", - "Ukraine": "Ukraina", "Unauthorized": "Neturite leidimo", - "United Arab Emirates": "Jungtiniai Arabų Emyratai", - "United Kingdom": "Jungtinė Karalystė", - "United States": "JAV", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "JAV atokios salos", - "Update": "Naujinimas", - "Update & Continue Editing": "Atnaujinti Ir Tęsti Redagavimą", - "Update :resource": "Atnaujinti :resource", - "Update :resource: :title": "Atnaujinti :resource: :title", - "Update attached :resource: :title": "Update attached :resource: :title", - "Update Password": "Slaptažodžio keitimas", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Pakeiskite savo profilio informaciją ir el. pašto adresą.", - "Uruguay": "Urugvajus", - "Use a recovery code": "Naudoti atkūrimo kodą", - "Use an authentication code": "Naudoti autentifikavimo kodą", - "Uzbekistan": "Uzbekistanas", - "Value": "Vertė", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venesuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "El. pašto adreso patvirtinimas", "Verify Your Email Address": "Patvirtinkite savo el. pašto adresą", - "Viet Nam": "Vietnam", - "View": "Nuomonė", - "Virgin Islands, British": "Didžiosios Britanijos Mergelių Salos", - "Virgin Islands, U.S.": "JAV Mergelių salos", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Volis ir Futūna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Mums nepavyko rasti registruoto vartotojo su šiuo el. pašto adresu.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Mes neprašysime įvesti slaptažodžio kelias valandas.", - "We're lost in space. The page you were trying to view does not exist.": "Mes pasiklydome erdvėje. Puslapis, kurį bandėte peržiūrėti, neegzistuoja.", - "Welcome Back!": "Sveiki Sugrįžę!", - "Western Sahara": "Vakarų Sachara", - "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.": "Kai įjungsite dviejų veiksnių apsaugą, jūsų prašysime įvesti saugų, atsitiktinį kodą. Šį kodą galėsite gauti Google Authenticator programėlėje.", - "Whoops": "Whoops", - "Whoops!": "Ups!", - "Whoops! Something went wrong.": "Ups! Kažkas atsitiko.", - "With Trashed": "Su Krepšeliu", - "Write": "Rašyti", - "Year To Date": "Metai Iki Šiol", - "Yearly": "Yearly", - "Yemen": "Jemeno", - "Yes": "Teigiamas", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Jūs esate prisijungęs!", - "You are receiving this email because we received a password reset request for your account.": "Jūs gavote šį el. laišką, nes buvo išsiųsta jūsų paskyros slaptažodžio atstatymo užklausa.", - "You have been invited to join the :team team!": "Jūs buvote pakviestas prisijungti prie :team komandos!", - "You have enabled two factor authentication.": "Jūs įjungęs dviejų veiksnių autentifikaciją.", - "You have not enabled two factor authentication.": "Jūs nesate įjungęs dviejų veiksnių autentifikacijos.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "Jūs galite ištrinti savo raktus, jei jie jums bus nereikalingi.", - "You may not delete your personal team.": "Jūs negalite ištrinti savo asmeninės komandos.", - "You may not leave a team that you created.": "Jūs negalite palikti komandos, kurią sukūrėte.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Jūsų el. pašto adresas nėra patvirtintas.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambija", - "Zimbabwe": "Zimbabvė", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Jūsų el. pašto adresas nėra patvirtintas." } diff --git a/locales/lt/packages/cashier.json b/locales/lt/packages/cashier.json new file mode 100644 index 00000000000..8194bc4c091 --- /dev/null +++ b/locales/lt/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Visos teisės saugomos.", + "Card": "Kortelė", + "Confirm Payment": "Patvirtinkite Mokėjimą", + "Confirm your :amount payment": "Patvirtinkite savo :amount mokėjimą", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Papildomas patvirtinimas reikalingas jūsų mokėjimo apdorojimui. Prašome patvirtinti savo mokėjimą užpildydami žemiau pateiktus mokėjimo duomenis.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Papildomas patvirtinimas reikalingas jūsų mokėjimo apdorojimui. Prašome tęsti mokėjimo puslapį paspaudę žemiau esantį mygtuką.", + "Full name": "Pavardė", + "Go back": "Grįžti", + "Jane Doe": "Jane Doe", + "Pay :amount": "Mokėti :amount", + "Payment Cancelled": "Mokėjimas Atšauktas", + "Payment Confirmation": "Mokėjimo Patvirtinimas", + "Payment Successful": "Mokėjimas Sėkmingas", + "Please provide your name.": "Prašome nurodyti savo vardą.", + "The payment was successful.": "Mokėjimas buvo sėkmingas.", + "This payment was already successfully confirmed.": "Šis mokėjimas jau buvo sėkmingai patvirtintas.", + "This payment was cancelled.": "Šis mokėjimas buvo atšauktas." +} diff --git a/locales/lt/packages/fortify.json b/locales/lt/packages/fortify.json new file mode 100644 index 00000000000..27b44c8afb6 --- /dev/null +++ b/locales/lt/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": "Laukas :attribute turi būti bent :length simbolių ilgio ir turėti bent vieną numerį.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute turi būti ne mažiau kaip :length simboliai ir juose turi būti bent vienas specialus simbolis ir vienas numeris.", + "The :attribute must be at least :length characters and contain at least one special character.": "Laukas :attribute turi būti bent :length simbolių ilgio ir turėti bent vieną specialių simbolį.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Laukas :attribute turi būti bent :length sibmolių ilgio ir turėti bent vieną didžiąją raidę bei skaičių.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Laukas :attribute turi būti bent :length simbolių ilgio ir turėti bent vieną didžiąją raidę bei vieną specialų simbolį.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Laukas :attribute turi būti bent :length simbolių ilgio ir turėti bent vieną didžiają raidę, vieną skaičių bei vieną specialų simbolį.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Laukas :attribute turi būti bent :length simbolių ilgio ir turėti bent vieną didžiąją raidę.", + "The :attribute must be at least :length characters.": "Laukas :attribute turi būti bent :length simbolių ilgio.", + "The provided password does not match your current password.": "Pateiktas slaptažodis nesutampa su jūsų dabartiniu slaptažodžiu.", + "The provided password was incorrect.": "Pateiktas slaptažodis buvo neteisingas.", + "The provided two factor authentication code was invalid.": "Pateiktas autentifikavimo kodas buvo neteisingas." +} diff --git a/locales/lt/packages/jetstream.json b/locales/lt/packages/jetstream.json new file mode 100644 index 00000000000..cd1bcca479e --- /dev/null +++ b/locales/lt/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Nauja patvirtinimo nuoroda buvo išsiųsta el. pašto adresu, kurį pateikėte registruojantis.", + "Accept Invitation": "Priimti Kvietimą", + "Add": "Pridėti", + "Add a new team member to your team, allowing them to collaborate with you.": "Pridėkite naują komandos narį prie savo komandos, leisdami jam bendradarbiauti su jumis.", + "Add additional security to your account using two factor authentication.": "Papildomai apsaugokite savo paskyrą naudojant dviejų veiksnių autentifikavimą.", + "Add Team Member": "Pridėti komandos narį", + "Added.": "Pridėta.", + "Administrator": "Administratorius", + "Administrator users can perform any action.": "Administratoriai gali atlikti bet kokius veiksmus.", + "All of the people that are part of this team.": "Visi žmonės yra jūsų komandos nariai.", + "Already registered?": "Jau užsiregistravote?", + "API Token": "API raktas", + "API Token Permissions": "API rakto teisės", + "API Tokens": "API raktai", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API raktai leidžia kitoms paslaugoms jūsų vardu naudotis mūsų aplikacija.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Ar jūs tikrai norite ištrinti šią komandą? Vos ištrynus komandą, visi jos duomenys bus ištrinti visam laikui.", + "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.": "Ar jūs tikrai norite ištrinti šią komandą? Vos ištrynus komandą, visi jos duomenys bus ištrinti visam laikui. Įveskite savo slaptažodį, jei tikrai norite ištrinti savo paskyrą visam laikui.", + "Are you sure you would like to delete this API token?": "Ar jūs tikrai norite ištrinti šį API raktą?", + "Are you sure you would like to leave this team?": "Ar jūs tikrai norite palikti šią komandą?", + "Are you sure you would like to remove this person from the team?": "Ar jūs tikrai norite pašalinti šį žmogų iš komandos?", + "Browser Sessions": "Naršyklės sesijos", + "Cancel": "Atšaukti", + "Close": "Uždaryti", + "Code": "Kodas", + "Confirm": "Patvirtinti", + "Confirm Password": "Pakartokite slaptažodį", + "Create": "Sukurti", + "Create a new team to collaborate with others on projects.": "Sukurkite naują komandą norint bendradarbiauti su kitais.", + "Create Account": "Sukurti Paskyrą", + "Create API Token": "Sukurti API raktą", + "Create New Team": "Sukurti naują komandą", + "Create Team": "Sukurti komandą", + "Created.": "Sukurta.", + "Current Password": "Dabartinis slaptažodis", + "Dashboard": "Pagrindinis puslapis", + "Delete": "Ištrinti", + "Delete Account": "Ištrinkite paskyrą", + "Delete API Token": "Ištrinti API raktą", + "Delete Team": "Ištrinti komandą", + "Disable": "Išjungti", + "Done.": "Atlikta.", + "Editor": "Redaguotojas", + "Editor users have the ability to read, create, and update.": "Redaguotojai turi teisę skaityti, sukurti ir redaguoti.", + "Email": "El. pašto adresas", + "Email Password Reset Link": "Atsiųsti slaptažodžio atstatymo nuorodą", + "Enable": "Įjungti", + "Ensure your account is using a long, random password to stay secure.": "Įsitikinkite, kad jūsų slapažodis yra ilgas, atsitiktinis dėl paskyros saugumo.", + "For your security, please confirm your password to continue.": "Dėl jūsų saugumo prašome įvesti slaptažodį, jog tęsti.", + "Forgot your password?": "Pamiršote slaptažodį?", + "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.": "Pamiršote savo slaptažodį? Jokių problemų. Įveskite savo el. pašto adresą ir atsiųsime slaptažodžio atstatymo nuorodą, kuri leis jums pasirinkti naują.", + "Great! You have accepted the invitation to join the :team team.": "Puiku! Jūs priėmėte kvietimą prisijungti prie :team komandos.", + "I agree to the :terms_of_service and :privacy_policy": "Sutinku su :terms_of_service ir :privacy_policy", + "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.": "Jei reikia, galite atsijungti nuo visų kitų naršyklės sesijų visuose jūsų įrenginiuose. Kai kurie iš jūsų neseniai sesijų yra išvardyti toliau; tačiau šis sąrašas gali būti neišsamus. Jei manote, kad jūsų paskyra buvo pažeista, taip pat turėtumėte atnaujinti savo slaptažodį.", + "If you already have an account, you may accept this invitation by clicking the button below:": "Jei jau turite paskyrą, galite priimti šį kvietimą spustelėdami žemiau esantį mygtuką:", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Jei nesitikėjote gauti kvietimo į šią komandą, galite atsisakyti šio el.", + "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:": "Jei neturite paskyros, galite sukurti vieną spustelėdami žemiau esantį mygtuką. Sukūrę paskyrą, galite spustelėti kvietimo priėmimo Mygtuką šiame el.:", + "Last active": "Paskutinį kartą prisijungta", + "Last used": "Paskutinį kartą naudotas", + "Leave": "Palikti", + "Leave Team": "Palikti komandą", + "Log in": "Prisijungti", + "Log Out": "atsijungti", + "Log Out Other Browser Sessions": "Atsijunkite Kitas Naršyklės Sesijas", + "Manage Account": "Tvarkyti paskyrą", + "Manage and log out your active sessions on other browsers and devices.": "Tvarkykite ir atsijunkite savo aktyvias sesijas kitose naršyklėse ir įrenginiuose.", + "Manage API Tokens": "Tvarkyti API raktus", + "Manage Role": "Tvarkyti roles", + "Manage Team": "Tvarkyti komandas", + "Name": "Vardas", + "New Password": "Naujas slaptažodis", + "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.": "Vos ištrynus komandą, visi jos resursai ir duomenys bus visam laikui ištrinti. Prieš ištrinant komandą parsisiųskite visus duomenis, kuriuos norėsite pasiekti.", + "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.": "Vos ištrynus paskyrą, visi jos resursai ir duomenys bus visam laikui ištrinti. Prieš ištrinant paskyrą parsisiųskite visus duomenis, kuriuos norėsite pasiekti.", + "Password": "Slaptažodis", + "Pending Team Invitations": "Laukiama Komandos Kvietimų", + "Permanently delete this team.": "Galite ištrinti visam laikui šią komandą.", + "Permanently delete your account.": "Galite ištrinti visam laikui savo paskyrą.", + "Permissions": "Teisės", + "Photo": "Nuotrauka", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Prašome patvirtinti prisijungimą į paskyrą įvedant vieną iš jūsų atkūrimo kodų.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Prašome patvirtinti prisijungimą į paskyrą įvedant autentifikavimo kodą iš jūsų autentifikavimo programėlės.", + "Please copy your new API token. For your security, it won't be shown again.": "Nusikopijuokite savo naują API raktą. Dėl jūsų saugumo daugiau jo nerodysime.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Įveskite savo slaptažodį, kad patvirtintumėte, jog norėtumėte atsijungti nuo kitų naršyklės sesijų visuose jūsų įrenginiuose.", + "Please provide the email address of the person you would like to add to this team.": "Prašome nurodyti asmens, kurį norėtumėte įtraukti į šią komandą, el. pašto adresą.", + "Privacy Policy": "Privatumo Politika", + "Profile": "Profilis", + "Profile Information": "Profilio informacija", + "Recovery Code": "Atkūrimo kodas", + "Regenerate Recovery Codes": "Iš naujo sugeneruoti atkūrimo kodus", + "Register": "Registruotis", + "Remember me": "Atsiminti mane", + "Remove": "Pašalinti", + "Remove Photo": "Pašalinti nuotrauką", + "Remove Team Member": "Pašalinti komandos narį", + "Resend Verification Email": "Persiųsti patvirtinimo el. laišką", + "Reset Password": "Slaptažodžio atstatymas", + "Role": "Rolė", + "Save": "Išsaugoti", + "Saved.": "Išsaugota.", + "Select A New Photo": "Pasirinkti naują nuotrauką", + "Show Recovery Codes": "Rodyti atkūrimo kodus", + "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.": "Išsisaugokite šiuos atkūrimo kodus saugioje slaptažodžių tvarkyklėje. Jie bus reikalaujami norint susigrąžinti prieigą prie paskyros jei dviejų veiksnių apsaugos įrenginys bus prarastas.", + "Switch Teams": "Pakeisti komandą", + "Team Details": "Komandos informacija", + "Team Invitation": "Komandos Kvietimas", + "Team Members": "Komandos nariai", + "Team Name": "Komandos pavadinimas", + "Team Owner": "Komandos savininkas", + "Team Settings": "Komandos nustatymai", + "Terms of Service": "Paslaugų teikimo sąlygos", + "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.": "Ačiū, kad užsiregistravote! Prieš pradedant, gal galite patvirtinti savo el. pašto adresą paspaudžiant ant nuorodos, kurią jums ką tik atsiuntėme? Jeigu negavote el. laiško, mes jums atsiųsime kitą.", + "The :attribute must be a valid role.": "Laukas :attribute turi būti tinkama rolė.", + "The :attribute must be at least :length characters and contain at least one number.": "Laukas :attribute turi būti bent :length simbolių ilgio ir turėti bent vieną numerį.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute turi būti ne mažiau kaip :length simboliai ir juose turi būti bent vienas specialus simbolis ir vienas numeris.", + "The :attribute must be at least :length characters and contain at least one special character.": "Laukas :attribute turi būti bent :length simbolių ilgio ir turėti bent vieną specialių simbolį.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Laukas :attribute turi būti bent :length sibmolių ilgio ir turėti bent vieną didžiąją raidę bei skaičių.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Laukas :attribute turi būti bent :length simbolių ilgio ir turėti bent vieną didžiąją raidę bei vieną specialų simbolį.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Laukas :attribute turi būti bent :length simbolių ilgio ir turėti bent vieną didžiają raidę, vieną skaičių bei vieną specialų simbolį.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Laukas :attribute turi būti bent :length simbolių ilgio ir turėti bent vieną didžiąją raidę.", + "The :attribute must be at least :length characters.": "Laukas :attribute turi būti bent :length simbolių ilgio.", + "The provided password does not match your current password.": "Pateiktas slaptažodis nesutampa su jūsų dabartiniu slaptažodžiu.", + "The provided password was incorrect.": "Pateiktas slaptažodis buvo neteisingas.", + "The provided two factor authentication code was invalid.": "Pateiktas autentifikavimo kodas buvo neteisingas.", + "The team's name and owner information.": "Komandos pavadinimas ir savininko informacija.", + "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.": "Šie žmonės buvo pakviesti į jūsų komandą ir jiems buvo išsiųstas kvietimo el. Jie gali prisijungti prie komandos priimdami el.", + "This device": "Šis įrenginys", + "This is a secure area of the application. Please confirm your password before continuing.": "Tai yra saugi taikymo sritis. Prašome patvirtinti savo slaptažodį prieš tęsdami.", + "This password does not match our records.": "Šis slaptažodis neatitinka mūsų įrašų.", + "This user already belongs to the team.": "Šis vartotojas jau priklauso komandai.", + "This user has already been invited to the team.": "Šis vartotojas jau buvo pakviestas į komandą.", + "Token Name": "Rakto vardas", + "Two Factor Authentication": "Dviejų veiksnių autentifikavimas", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Dviejų veiksnių autentifikacija jau įjungta. Nuskanuokite šį QR kodą savo telefono autentifikavimo programėle.", + "Update Password": "Slaptažodžio keitimas", + "Update your account's profile information and email address.": "Pakeiskite savo profilio informaciją ir el. pašto adresą.", + "Use a recovery code": "Naudoti atkūrimo kodą", + "Use an authentication code": "Naudoti autentifikavimo kodą", + "We were unable to find a registered user with this email address.": "Mums nepavyko rasti registruoto vartotojo su šiuo el. pašto adresu.", + "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.": "Kai įjungsite dviejų veiksnių apsaugą, jūsų prašysime įvesti saugų, atsitiktinį kodą. Šį kodą galėsite gauti Google Authenticator programėlėje.", + "Whoops! Something went wrong.": "Ups! Kažkas atsitiko.", + "You have been invited to join the :team team!": "Jūs buvote pakviestas prisijungti prie :team komandos!", + "You have enabled two factor authentication.": "Jūs įjungęs dviejų veiksnių autentifikaciją.", + "You have not enabled two factor authentication.": "Jūs nesate įjungęs dviejų veiksnių autentifikacijos.", + "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.": "Jūs galite ištrinti savo raktus, jei jie jums bus nereikalingi.", + "You may not delete your personal team.": "Jūs negalite ištrinti savo asmeninės komandos.", + "You may not leave a team that you created.": "Jūs negalite palikti komandos, kurią sukūrėte." +} diff --git a/locales/lt/packages/nova.json b/locales/lt/packages/nova.json new file mode 100644 index 00000000000..666356d102b --- /dev/null +++ b/locales/lt/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 dienų", + "60 Days": "60 dienų", + "90 Days": "90 dienų", + ":amount Total": ":amount iš viso", + ":resource Details": ":resource detalės", + ":resource Details: :title": ":resource Details: :title", + "Action": "Veiksmas", + "Action Happened At": "Atsitiko Ne", + "Action Initiated By": "Inicijavo", + "Action Name": "Pavadinimas", + "Action Status": "Statusas", + "Action Target": "Tikslas", + "Actions": "Veiksmas", + "Add row": "Pridėti eilutę", + "Afghanistan": "Afganistanas", + "Aland Islands": "Alandų Salos", + "Albania": "Albanija", + "Algeria": "Alžyras", + "All resources loaded.": "Visi ištekliai pakrauti.", + "American Samoa": "Amerikos Samoa", + "An error occured while uploading the file.": "Įkeliant failą įvyko klaida.", + "Andorra": "Andorran", + "Angola": "Angola", + "Anguilla": "Angilija", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Kitas vartotojas atnaujino šį šaltinį, nes šis puslapis buvo įkeltas. Prašome atnaujinti puslapį ir bandykite dar kartą.", + "Antarctica": "Antarktida", + "Antigua And Barbuda": "Antigva ir Barbuda", + "April": "Balandis", + "Are you sure you want to delete the selected resources?": "Ar tikrai norite ištrinti pasirinktus išteklius?", + "Are you sure you want to delete this file?": "Ar tikrai norite ištrinti šį failą?", + "Are you sure you want to delete this resource?": "Ar tikrai norite ištrinti šį šaltinį?", + "Are you sure you want to detach the selected resources?": "Ar tikrai norite atskirti pasirinktus išteklius?", + "Are you sure you want to detach this resource?": "Ar tikrai norite atjungti šį šaltinį?", + "Are you sure you want to force delete the selected resources?": "Ar tikrai norite priversti ištrinti pasirinktus išteklius?", + "Are you sure you want to force delete this resource?": "Ar tikrai norite priversti ištrinti šį šaltinį?", + "Are you sure you want to restore the selected resources?": "Ar tikrai norite atkurti pasirinktus išteklius?", + "Are you sure you want to restore this resource?": "Ar tikrai norite atkurti šį šaltinį?", + "Are you sure you want to run this action?": "Ar tikrai norite paleisti šį veiksmą?", + "Argentina": "Argentina", + "Armenia": "Armėnija", + "Aruba": "Aruba", + "Attach": "Pridėti", + "Attach & Attach Another": "Attach & Attach Another", + "Attach :resource": "Pridėti :resource", + "August": "Rugpjūtis", + "Australia": "Australija", + "Austria": "Austrija", + "Azerbaijan": "Azerbaidžanas", + "Bahamas": "Bahamai", + "Bahrain": "Bahreinas", + "Bangladesh": "Bangladešas", + "Barbados": "Barbadosas", + "Belarus": "Baltarusija", + "Belgium": "Belgija", + "Belize": "Belizas", + "Benin": "Beninas", + "Bermuda": "Bermudai", + "Bhutan": "Butanas", + "Bolivia": "Bolivija", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius ir Sábado", + "Bosnia And Herzegovina": "Bosnija ir Hercegovina", + "Botswana": "Botsvana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brazilija", + "British Indian Ocean Territory": "Indijos Vandenyno Britų Teritorija", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgarija", + "Burkina Faso": "Burkina Fasas", + "Burundi": "Burundis", + "Cambodia": "Kambodža", + "Cameroon": "Kamerūnas", + "Canada": "Kanada", + "Cancel": "Atšaukti", + "Cape Verde": "Žaliasis Kyšulys", + "Cayman Islands": "Kaimanų Salos", + "Central African Republic": "Centrinės Afrikos Respublika", + "Chad": "Čadas", + "Changes": "Pokytis", + "Chile": "Čilė", + "China": "Kinija", + "Choose": "Pasirinkti", + "Choose :field": "Pasirinkite :field", + "Choose :resource": "Pasirinkti :resource", + "Choose an option": "Pasirinkite parinktį", + "Choose date": "Pasirinkite datą", + "Choose File": "Pasirinkite Failą", + "Choose Type": "Pasirinkite Tipą", + "Christmas Island": "Kalėdų Sala", + "Click to choose": "Spustelėkite, jei norite pasirinkti", + "Cocos (Keeling) Islands": "Kokos (Keeling) Salos", + "Colombia": "Kolumbija", + "Comoros": "Komorai", + "Confirm Password": "Pakartokite slaptažodį", + "Congo": "Kongas", + "Congo, Democratic Republic": "Kongas, Demokratinė Respublika", + "Constant": "Nuolatinis", + "Cook Islands": "Kuko Salos", + "Costa Rica": "Kosta Rika", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "nepavyko rasti.", + "Create": "Sukurti", + "Create & Add Another": "Sukurti Ir Pridėti Kitą", + "Create :resource": "Sukurti :resource", + "Croatia": "Kroatija", + "Cuba": "Kuba", + "Curaçao": "Curacao", + "Customize": "Pritaikyti", + "Cyprus": "Kipras", + "Czech Republic": "Czechia", + "Dashboard": "Pagrindinis puslapis", + "December": "Gruodis", + "Decrease": "Sumažėti", + "Delete": "Ištrinti", + "Delete File": "Ištrinti Failą", + "Delete Resource": "Ištrinti Resursą", + "Delete Selected": "Ištrinti Pasirinktą", + "Denmark": "Danija", + "Detach": "Atskirti", + "Detach Resource": "Atjungti Resursą", + "Detach Selected": "Atjungti Pasirinktą", + "Details": "Informacija", + "Djibouti": "Džibutis", + "Do you really want to leave? You have unsaved changes.": "Ar tikrai norite palikti? Jūs turite neišsaugotus pakeitimus.", + "Dominica": "Sekmadienis", + "Dominican Republic": "Dominikos Respublika", + "Download": "Atsisiųsti", + "Ecuador": "Ekvadoras", + "Edit": "Redaguoti", + "Edit :resource": "Redaguoti:resource", + "Edit Attached": "Redaguoti Pridedamas", + "Egypt": "Egiptas", + "El Salvador": "Salvadoras", + "Email Address": "el", + "Equatorial Guinea": "Pusiaujo Gvinėja", + "Eritrea": "Eritrėja", + "Estonia": "Estija", + "Ethiopia": "Etiopija", + "Falkland Islands (Malvinas)": "Folklando Salos (Malvinas)", + "Faroe Islands": "Farerų Salos", + "February": "Vasaris", + "Fiji": "Fidžis", + "Finland": "Suomija", + "Force Delete": "Force Delete", + "Force Delete Resource": "Force Delete Resource", + "Force Delete Selected": "Force Delete Selected", + "Forgot Your Password?": "Pamiršote slaptažodį?", + "Forgot your password?": "Pamiršote slaptažodį?", + "France": "Prancūzija", + "French Guiana": "Prancūzijos Gviana", + "French Polynesia": "Prancūzijos Polinezija", + "French Southern Territories": "Prancūzijos Pietinės Teritorijos", + "Gabon": "Gabonas", + "Gambia": "Gambija", + "Georgia": "Gruzija", + "Germany": "Vokietija", + "Ghana": "Gana", + "Gibraltar": "Gibraltaras", + "Go Home": "Eiti į pradinį puslapį", + "Greece": "Graikija", + "Greenland": "Grenlandija", + "Grenada": "Grenada", + "Guadeloupe": "Gvadelupa", + "Guam": "Guamas", + "Guatemala": "Gvatemala", + "Guernsey": "Gernsis", + "Guinea": "Gvinėja", + "Guinea-Bissau": "Bisau Gvinėja", + "Guyana": "Gajana", + "Haiti": "Haitis", + "Heard Island & Mcdonald Islands": "Heard Island ir McDonald salos", + "Hide Content": "Slėpti Turinį", + "Hold Up!": "Laikykis!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Hondūras", + "Hong Kong": "Honkongas", + "Hungary": "Vengrija", + "Iceland": "Islandija", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "Jeigu neprašėte atstatyti slaptažodį, jokių veiksmų atlikti nereikia.", + "Increase": "Padidinti", + "India": "Indija", + "Indonesia": "Indonezija", + "Iran, Islamic Republic Of": "Iranas", + "Iraq": "Irakas", + "Ireland": "Airija", + "Isle Of Man": "Meno sala", + "Israel": "Izraelis", + "Italy": "Italija", + "Jamaica": "Jamaika", + "January": "Sausis", + "Japan": "Japonija", + "Jersey": "Jersey", + "Jordan": "Jordanas", + "July": "Liepa", + "June": "Birželis", + "Kazakhstan": "Kazachstanas", + "Kenya": "Kenija", + "Key": "Klavišas", + "Kiribati": "Kiribatis", + "Korea": "Pietų Korėja", + "Korea, Democratic People's Republic of": "Šiaurės Korėja", + "Kosovo": "Kosovas", + "Kuwait": "Kuveitas", + "Kyrgyzstan": "Kirgizija", + "Lao People's Democratic Republic": "Laosas", + "Latvia": "Latvija", + "Lebanon": "Libanas", + "Lens": "Objektyvas", + "Lesotho": "Lesotas", + "Liberia": "Liberija", + "Libyan Arab Jamahiriya": "Libija", + "Liechtenstein": "Lichtenšteinas", + "Lithuania": "Lietuva", + "Load :perPage More": "Load :perpage plačiau", + "Login": "Prisijungti", + "Logout": "Atsijungti", + "Luxembourg": "Liuksemburgas", + "Macao": "Makao", + "Macedonia": "Šiaurės Makedonija", + "Madagascar": "Madagaskaras", + "Malawi": "Malavis", + "Malaysia": "Malaizija", + "Maldives": "Maldyvai", + "Mali": "Mažas", + "Malta": "Malta", + "March": "Kovas", + "Marshall Islands": "Maršalo Salos", + "Martinique": "Martinika", + "Mauritania": "Mauritanija", + "Mauritius": "Mauricijus", + "May": "Gali", + "Mayotte": "Majotas", + "Mexico": "Meksika", + "Micronesia, Federated States Of": "Mikronezija", + "Moldova": "Moldova", + "Monaco": "Monakas", + "Mongolia": "Mongolija", + "Montenegro": "Juodkalnija", + "Month To Date": "Mėnuo Iki Datos", + "Montserrat": "Montseratas", + "Morocco": "Marokas", + "Mozambique": "Mozambikas", + "Myanmar": "Mianmaras", + "Namibia": "Namibija", + "Nauru": "Nauru", + "Nepal": "Nepalas", + "Netherlands": "Nyderlandai", + "New": "Naujas", + "New :resource": "Naujas:resource", + "New Caledonia": "Naujoji Kaledonija", + "New Zealand": "Naujoji Zelandija", + "Next": "Kitas", + "Nicaragua": "Nikaragva", + "Niger": "Nigeris", + "Nigeria": "Nigerija", + "Niue": "Niue", + "No": "Nėra", + "No :resource matched the given criteria.": "Nr. :resource atitiko nurodytus kriterijus.", + "No additional information...": "Nėra papildomos informacijos...", + "No Current Data": "Nėra Dabartinių Duomenų", + "No Data": "Duomenų Nėra", + "no file selected": "nepasirinktas failas", + "No Increase": "Nepadidėja", + "No Prior Data": "Nėra Išankstinių Duomenų", + "No Results Found.": "Rezultatų Nerasta.", + "Norfolk Island": "Norfolko Sala", + "Northern Mariana Islands": "Šiaurės Marianos Salos", + "Norway": "Norvegija", + "Nova User": "Nova User", + "November": "Lapkritis", + "October": "Spalis", + "of": "iš", + "Oman": "Omanas", + "Only Trashed": "Tik Trashed", + "Original": "Originalus", + "Pakistan": "Pakistanas", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinos Teritorijos", + "Panama": "Panama", + "Papua New Guinea": "Papua Naujoji Gvinėja", + "Paraguay": "Paragvajus", + "Password": "Slaptažodis", + "Per Page": "Per Puslapį", + "Peru": "Peru", + "Philippines": "Filipinai", + "Pitcairn": "Pitkerno Salos", + "Poland": "Lenkija", + "Portugal": "Portugalija", + "Press \/ to search": "Paspauskite \/ norėdami ieškoti", + "Preview": "Peržiūra", + "Previous": "Ankstesnis", + "Puerto Rico": "Puerto Rikas", + "Qatar": "Qatar", + "Quarter To Date": "Ketvirtis Iki Šiol", + "Reload": "Perkrauti", + "Remember Me": "Atsiminti", + "Reset Filters": "Reset Filtrai", + "Reset Password": "Slaptažodžio atstatymas", + "Reset Password Notification": "Slaptažodžio atstatymo pranešimas", + "resource": "išteklių", + "Resources": "Lėšų", + "resources": "lėšų", + "Restore": "Atkurti", + "Restore Resource": "Atkurti Išteklius", + "Restore Selected": "Atkurti Pasirinktą", + "Reunion": "Susitikimas", + "Romania": "Rumunija", + "Run Action": "Vykdyti Veiksmą", + "Russian Federation": "Russian Federation", + "Rwanda": "Ruanda", + "Saint Barthelemy": "Šv. Baltramiejus", + "Saint Helena": "Šv. Elenos Sala", + "Saint Kitts And Nevis": "Sent Kitsas ir Nevis", + "Saint Lucia": "Sent Lusija", + "Saint Martin": "St. Martin", + "Saint Pierre And Miquelon": "Pjeras ir Mikelonas", + "Saint Vincent And Grenadines": "Sent Vinsentas ir Grenadinai", + "Samoa": "Samoa", + "San Marino": "San Marinas", + "Sao Tome And Principe": "San Tomė ir Prinsipė", + "Saudi Arabia": "Saudo Arabija", + "Search": "Paieška", + "Select Action": "Pasirinkite Veiksmą", + "Select All": "Pasirinkite Visus", + "Select All Matching": "Select All Matching", + "Send Password Reset Link": "Siųsti slaptažodžio atstatymo nuorodą", + "Senegal": "Senegalas", + "September": "Rugsėjo", + "Serbia": "Serbija", + "Seychelles": "Seišeliai", + "Show All Fields": "Rodyti Visus Laukus", + "Show Content": "Rodyti Turinį", + "Sierra Leone": "Siera Leonė", + "Singapore": "Singapūras", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovakija", + "Slovenia": "Slovėnija", + "Solomon Islands": "Saliamono Salos", + "Somalia": "Somalis", + "Something went wrong.": "Kažkas nutiko.", + "Sorry! You are not authorized to perform this action.": "Atsiprašau! Jūs nesate įgaliotas atlikti šį veiksmą.", + "Sorry, your session has expired.": "Atsiprašome, Jūsų sesija pasibaigė.", + "South Africa": "Pietų Afrika", + "South Georgia And Sandwich Isl.": "Pietų Džordžija ir Pietų Sandvičo salos", + "South Sudan": "Pietų Sudanas", + "Spain": "Ispanija", + "Sri Lanka": "Šri Lanka", + "Start Polling": "Pradėti Apklausą", + "Stop Polling": "Sustabdyti Apklausą", + "Sudan": "Sudanas", + "Suriname": "Surinamas", + "Svalbard And Jan Mayen": "Svalbard ir Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Švedija", + "Switzerland": "Šveicarija", + "Syrian Arab Republic": "Sirija", + "Taiwan": "Taivanas", + "Tajikistan": "Tadžikistanas", + "Tanzania": "Tanzanija", + "Thailand": "Tailandas", + "The :resource was created!": ":resource buvo sukurtas!", + "The :resource was deleted!": ":resource buvo ištrintas!", + "The :resource was restored!": ":resource buvo atkurta!", + "The :resource was updated!": ":resource buvo atnaujintas!", + "The action ran successfully!": "Veiksmas vyko sėkmingai!", + "The file was deleted!": "Failas buvo ištrintas!", + "The government won't let us show you what's behind these doors": "Vyriausybė neleis mums parodyti, kas yra už šių durų", + "The HasOne relationship has already been filled.": "HasOne santykiai jau buvo užpildyti.", + "The resource was updated!": "Ištekliai buvo atnaujinti!", + "There are no available options for this resource.": "Šiam ištekliui nėra jokių galimybių.", + "There was a problem executing the action.": "Buvo problema vykdant veiksmą.", + "There was a problem submitting the form.": "Buvo problema pateikti formą.", + "This file field is read-only.": "Šis Failo laukas yra tik skaitomas.", + "This image": "Šis vaizdas", + "This resource no longer exists": "Šis šaltinis nebėra", + "Timor-Leste": "Rytų Timoras", + "Today": "Šiandien", + "Togo": "Togas", + "Tokelau": "Tokelau", + "Tonga": "Ateiti", + "total": "viso", + "Trashed": "Trashed", + "Trinidad And Tobago": "Trinidadas ir Tobagas", + "Tunisia": "Tunisas", + "Turkey": "Turkija", + "Turkmenistan": "Turkmėnistanas", + "Turks And Caicos Islands": "Terkso ir Kaikoso salos", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraina", + "United Arab Emirates": "Jungtiniai Arabų Emyratai", + "United Kingdom": "Jungtinė Karalystė", + "United States": "JAV", + "United States Outlying Islands": "JAV atokios salos", + "Update": "Naujinimas", + "Update & Continue Editing": "Atnaujinti Ir Tęsti Redagavimą", + "Update :resource": "Atnaujinti :resource", + "Update :resource: :title": "Atnaujinti :resource: :title", + "Update attached :resource: :title": "Update attached :resource: :title", + "Uruguay": "Urugvajus", + "Uzbekistan": "Uzbekistanas", + "Value": "Vertė", + "Vanuatu": "Vanuatu", + "Venezuela": "Venesuela", + "Viet Nam": "Vietnam", + "View": "Nuomonė", + "Virgin Islands, British": "Didžiosios Britanijos Mergelių Salos", + "Virgin Islands, U.S.": "JAV Mergelių salos", + "Wallis And Futuna": "Volis ir Futūna", + "We're lost in space. The page you were trying to view does not exist.": "Mes pasiklydome erdvėje. Puslapis, kurį bandėte peržiūrėti, neegzistuoja.", + "Welcome Back!": "Sveiki Sugrįžę!", + "Western Sahara": "Vakarų Sachara", + "Whoops": "Whoops", + "Whoops!": "Ups!", + "With Trashed": "Su Krepšeliu", + "Write": "Rašyti", + "Year To Date": "Metai Iki Šiol", + "Yemen": "Jemeno", + "Yes": "Teigiamas", + "You are receiving this email because we received a password reset request for your account.": "Jūs gavote šį el. laišką, nes buvo išsiųsta jūsų paskyros slaptažodžio atstatymo užklausa.", + "Zambia": "Zambija", + "Zimbabwe": "Zimbabvė" +} diff --git a/locales/lt/packages/spark-paddle.json b/locales/lt/packages/spark-paddle.json new file mode 100644 index 00000000000..e1971133889 --- /dev/null +++ b/locales/lt/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Paslaugų teikimo sąlygos", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Ups! Kažkas atsitiko.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/lt/packages/spark-stripe.json b/locales/lt/packages/spark-stripe.json new file mode 100644 index 00000000000..cd6fc0d20cc --- /dev/null +++ b/locales/lt/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afganistanas", + "Albania": "Albanija", + "Algeria": "Alžyras", + "American Samoa": "Amerikos Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorran", + "Angola": "Angola", + "Anguilla": "Angilija", + "Antarctica": "Antarktida", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armėnija", + "Aruba": "Aruba", + "Australia": "Australija", + "Austria": "Austrija", + "Azerbaijan": "Azerbaidžanas", + "Bahamas": "Bahamai", + "Bahrain": "Bahreinas", + "Bangladesh": "Bangladešas", + "Barbados": "Barbadosas", + "Belarus": "Baltarusija", + "Belgium": "Belgija", + "Belize": "Belizas", + "Benin": "Beninas", + "Bermuda": "Bermudai", + "Bhutan": "Butanas", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botsvana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brazilija", + "British Indian Ocean Territory": "Indijos Vandenyno Britų Teritorija", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgarija", + "Burkina Faso": "Burkina Fasas", + "Burundi": "Burundis", + "Cambodia": "Kambodža", + "Cameroon": "Kamerūnas", + "Canada": "Kanada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Žaliasis Kyšulys", + "Card": "Kortelė", + "Cayman Islands": "Kaimanų Salos", + "Central African Republic": "Centrinės Afrikos Respublika", + "Chad": "Čadas", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Čilė", + "China": "Kinija", + "Christmas Island": "Kalėdų Sala", + "City": "City", + "Cocos (Keeling) Islands": "Kokos (Keeling) Salos", + "Colombia": "Kolumbija", + "Comoros": "Komorai", + "Confirm Payment": "Patvirtinkite Mokėjimą", + "Confirm your :amount payment": "Patvirtinkite savo :amount mokėjimą", + "Congo": "Kongas", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Kuko Salos", + "Costa Rica": "Kosta Rika", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Kroatija", + "Cuba": "Kuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Kipras", + "Czech Republic": "Czechia", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Danija", + "Djibouti": "Džibutis", + "Dominica": "Sekmadienis", + "Dominican Republic": "Dominikos Respublika", + "Download Receipt": "Download Receipt", + "Ecuador": "Ekvadoras", + "Egypt": "Egiptas", + "El Salvador": "Salvadoras", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Pusiaujo Gvinėja", + "Eritrea": "Eritrėja", + "Estonia": "Estija", + "Ethiopia": "Etiopija", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Papildomas patvirtinimas reikalingas jūsų mokėjimo apdorojimui. Prašome tęsti mokėjimo puslapį paspaudę žemiau esantį mygtuką.", + "Falkland Islands (Malvinas)": "Folklando Salos (Malvinas)", + "Faroe Islands": "Farerų Salos", + "Fiji": "Fidžis", + "Finland": "Suomija", + "France": "Prancūzija", + "French Guiana": "Prancūzijos Gviana", + "French Polynesia": "Prancūzijos Polinezija", + "French Southern Territories": "Prancūzijos Pietinės Teritorijos", + "Gabon": "Gabonas", + "Gambia": "Gambija", + "Georgia": "Gruzija", + "Germany": "Vokietija", + "Ghana": "Gana", + "Gibraltar": "Gibraltaras", + "Greece": "Graikija", + "Greenland": "Grenlandija", + "Grenada": "Grenada", + "Guadeloupe": "Gvadelupa", + "Guam": "Guamas", + "Guatemala": "Gvatemala", + "Guernsey": "Gernsis", + "Guinea": "Gvinėja", + "Guinea-Bissau": "Bisau Gvinėja", + "Guyana": "Gajana", + "Haiti": "Haitis", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Hondūras", + "Hong Kong": "Honkongas", + "Hungary": "Vengrija", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Islandija", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Indija", + "Indonesia": "Indonezija", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Irakas", + "Ireland": "Airija", + "Isle of Man": "Isle of Man", + "Israel": "Izraelis", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italija", + "Jamaica": "Jamaika", + "Japan": "Japonija", + "Jersey": "Jersey", + "Jordan": "Jordanas", + "Kazakhstan": "Kazachstanas", + "Kenya": "Kenija", + "Kiribati": "Kiribatis", + "Korea, Democratic People's Republic of": "Šiaurės Korėja", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuveitas", + "Kyrgyzstan": "Kirgizija", + "Lao People's Democratic Republic": "Laosas", + "Latvia": "Latvija", + "Lebanon": "Libanas", + "Lesotho": "Lesotas", + "Liberia": "Liberija", + "Libyan Arab Jamahiriya": "Libija", + "Liechtenstein": "Lichtenšteinas", + "Lithuania": "Lietuva", + "Luxembourg": "Liuksemburgas", + "Macao": "Makao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagaskaras", + "Malawi": "Malavis", + "Malaysia": "Malaizija", + "Maldives": "Maldyvai", + "Mali": "Mažas", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Maršalo Salos", + "Martinique": "Martinika", + "Mauritania": "Mauritanija", + "Mauritius": "Mauricijus", + "Mayotte": "Majotas", + "Mexico": "Meksika", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monakas", + "Mongolia": "Mongolija", + "Montenegro": "Juodkalnija", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montseratas", + "Morocco": "Marokas", + "Mozambique": "Mozambikas", + "Myanmar": "Mianmaras", + "Namibia": "Namibija", + "Nauru": "Nauru", + "Nepal": "Nepalas", + "Netherlands": "Nyderlandai", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Naujoji Kaledonija", + "New Zealand": "Naujoji Zelandija", + "Nicaragua": "Nikaragva", + "Niger": "Nigeris", + "Nigeria": "Nigerija", + "Niue": "Niue", + "Norfolk Island": "Norfolko Sala", + "Northern Mariana Islands": "Šiaurės Marianos Salos", + "Norway": "Norvegija", + "Oman": "Omanas", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistanas", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinos Teritorijos", + "Panama": "Panama", + "Papua New Guinea": "Papua Naujoji Gvinėja", + "Paraguay": "Paragvajus", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Filipinai", + "Pitcairn": "Pitkerno Salos", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Lenkija", + "Portugal": "Portugalija", + "Puerto Rico": "Puerto Rikas", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Rumunija", + "Russian Federation": "Russian Federation", + "Rwanda": "Ruanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Šv. Elenos Sala", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Sent Lusija", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marinas", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saudo Arabija", + "Save": "Išsaugoti", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegalas", + "Serbia": "Serbija", + "Seychelles": "Seišeliai", + "Sierra Leone": "Siera Leonė", + "Signed in as": "Signed in as", + "Singapore": "Singapūras", + "Slovakia": "Slovakija", + "Slovenia": "Slovėnija", + "Solomon Islands": "Saliamono Salos", + "Somalia": "Somalis", + "South Africa": "Pietų Afrika", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Ispanija", + "Sri Lanka": "Šri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudanas", + "Suriname": "Surinamas", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Švedija", + "Switzerland": "Šveicarija", + "Syrian Arab Republic": "Sirija", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tadžikistanas", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Paslaugų teikimo sąlygos", + "Thailand": "Tailandas", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Rytų Timoras", + "Togo": "Togas", + "Tokelau": "Tokelau", + "Tonga": "Ateiti", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisas", + "Turkey": "Turkija", + "Turkmenistan": "Turkmėnistanas", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraina", + "United Arab Emirates": "Jungtiniai Arabų Emyratai", + "United Kingdom": "Jungtinė Karalystė", + "United States": "JAV", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Naujinimas", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Urugvajus", + "Uzbekistan": "Uzbekistanas", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Didžiosios Britanijos Mergelių Salos", + "Virgin Islands, U.S.": "JAV Mergelių salos", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Vakarų Sachara", + "Whoops! Something went wrong.": "Ups! Kažkas atsitiko.", + "Yearly": "Yearly", + "Yemen": "Jemeno", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambija", + "Zimbabwe": "Zimbabvė", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/lv/lv.json b/locales/lv/lv.json index 4fa1d3b9d25..4abf6ed6a34 100644 --- a/locales/lv/lv.json +++ b/locales/lv/lv.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Dienas", - "60 Days": "60 dienas", - "90 Days": "90 dienas", - ":amount Total": ":amount kopā", - ":days day trial": ":days day trial", - ":resource Details": ":resource Detaļas", - ":resource Details: :title": ":resource Detaļas: :title", "A fresh verification link has been sent to your email address.": "Uz jūsu e-pasta adresi ir nosūtīta jauna verifikācijas saite.", - "A new verification link has been sent to the email address you provided during registration.": "Reģistrācijas laikā norādītajai e-pasta adresei ir nosūtīta jauna verifikācijas saite.", - "Accept Invitation": "Pieņemt Ielūgumu", - "Action": "Darbība", - "Action Happened At": "Notika Pie", - "Action Initiated By": "Uzsākusi", - "Action Name": "Nosaukums", - "Action Status": "Statuss", - "Action Target": "Mērķis", - "Actions": "Darbība", - "Add": "Pievienot", - "Add a new team member to your team, allowing them to collaborate with you.": "Pievienojiet savai komandai jaunu komandas locekli, ļaujot viņiem sadarboties ar jums.", - "Add additional security to your account using two factor authentication.": "Pievienojiet savam kontam papildu drošību, izmantojot divu faktoru autentifikāciju.", - "Add row": "Pievienot rindu", - "Add Team Member": "Pievienot Komandas Locekli", - "Add VAT Number": "Add VAT Number", - "Added.": "Pievienots.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administrators", - "Administrator users can perform any action.": "Administratora lietotāji var veikt jebkuru darbību.", - "Afghanistan": "Afganistāna", - "Aland Islands": "Ālandu Salas", - "Albania": "Albānija", - "Algeria": "Alžīrija", - "All of the people that are part of this team.": "Visi cilvēki, kas ir daļa no šīs komandas.", - "All resources loaded.": "Visi resursi ielādēti.", - "All rights reserved.": "Visas tiesības aizsargātas.", - "Already registered?": "Jau reģistrēts?", - "American Samoa": "Amerikas Samoa", - "An error occured while uploading the file.": "Augšupielādējot failu, radās kļūda.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andoras", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Cits lietotājs ir atjauninājis šo resursu, jo šī lapa tika ielādēta. Lūdzu, atsvaidziniet lapu un mēģiniet vēlreiz.", - "Antarctica": "Antarktīda", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigva un Barbuda", - "API Token": "API marķieris", - "API Token Permissions": "API Token atļaujas", - "API Tokens": "API Žetoni", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API žetoni ļauj trešo pušu pakalpojumus autentificēt ar mūsu pieteikumu Jūsu vārdā.", - "April": "Aprīlis", - "Are you sure you want to delete the selected resources?": "Vai tiešām vēlaties izdzēst atlasītos resursus?", - "Are you sure you want to delete this file?": "Vai tiešām vēlaties dzēst šo failu?", - "Are you sure you want to delete this resource?": "Vai tiešām vēlaties dzēst šo resursu?", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Vai tiešām vēlaties dzēst šo komandu? Kad komanda ir izdzēsta, visi tās resursi un dati tiks neatgriezeniski izdzēsti.", - "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.": "Vai tiešām vēlaties dzēst savu kontu? Kad jūsu konts ir izdzēsts, visi tā resursi un dati tiks neatgriezeniski izdzēsti. Lūdzu, ievadiet savu paroli, lai apstiprinātu, ka vēlaties neatgriezeniski izdzēst savu kontu.", - "Are you sure you want to detach the selected resources?": "Vai esat pārliecināts, ka vēlaties atdalīt atlasītos resursus?", - "Are you sure you want to detach this resource?": "Vai esat pārliecināts, ka vēlaties atdalīt šo resursu?", - "Are you sure you want to force delete the selected resources?": "Vai esat pārliecināts, ka vēlaties piespiest dzēst atlasītos resursus?", - "Are you sure you want to force delete this resource?": "Vai esat pārliecināts, ka vēlaties piespiest Dzēst šo resursu?", - "Are you sure you want to restore the selected resources?": "Vai esat pārliecināts, ka vēlaties atjaunot atlasītos resursus?", - "Are you sure you want to restore this resource?": "Vai tiešām vēlaties atjaunot šo resursu?", - "Are you sure you want to run this action?": "Vai esat pārliecināts, ka vēlaties palaist šo darbību?", - "Are you sure you would like to delete this API token?": "Vai esat pārliecināts, ka vēlaties izdzēst šo API marķieri?", - "Are you sure you would like to leave this team?": "Vai esat pārliecināts, ka vēlaties atstāt šo komandu?", - "Are you sure you would like to remove this person from the team?": "Vai esat pārliecināts, ka vēlaties noņemt šo personu no komandas?", - "Argentina": "Argentīna", - "Armenia": "Armēnija", - "Aruba": "Aruba", - "Attach": "Pievienot", - "Attach & Attach Another": "Pievienojiet Un Pievienojiet Citu", - "Attach :resource": "Pievienot :resource", - "August": "Augusts", - "Australia": "Austrālija", - "Austria": "Austrija", - "Azerbaijan": "Azerbaidžāna", - "Bahamas": "Bahamu", - "Bahrain": "Bahreina", - "Bangladesh": "Bangladeša", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Pirms turpināt, lūdzu, pārbaudiet savu e-pastu, lai iegūtu verifikācijas saiti.", - "Belarus": "Baltkrievija", - "Belgium": "Beļģija", - "Belize": "Beliza", - "Benin": "Benina", - "Bermuda": "Bermudu", - "Bhutan": "Butāna", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolīvija", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius un Sábado", - "Bosnia And Herzegovina": "Bosnija un Hercegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botsvāna", - "Bouvet Island": "Bouvet Sala", - "Brazil": "Brazīlija", - "British Indian Ocean Territory": "Britu Indijas Okeāna Teritorija", - "Browser Sessions": "Pārlūka Sesijas", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgārija", - "Burkina Faso": "Burkinafaso", - "Burundi": "Burundi", - "Cambodia": "Kambodža", - "Cameroon": "Kamerūna", - "Canada": "Kanāda", - "Cancel": "Atcelt", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Kaboverde", - "Card": "Karte", - "Cayman Islands": "Kaimanu Salas", - "Central African Republic": "Centrālāfrikas Republika", - "Chad": "Čadas", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Izmaiņa", - "Chile": "Čīle", - "China": "Ķīna", - "Choose": "Izvēlēties", - "Choose :field": "Izvēlieties :field", - "Choose :resource": "Izvēlēties :resource", - "Choose an option": "Izvēlieties opciju", - "Choose date": "Izvēlieties datumu", - "Choose File": "Izvēlieties Failu", - "Choose Type": "Izvēlieties Veidu", - "Christmas Island": "Ziemassvētku Sala", - "City": "City", "click here to request another": "Noklikšķiniet šeit, lai pieprasītu citu", - "Click to choose": "Noklikšķiniet, lai izvēlētos", - "Close": "Tuvs", - "Cocos (Keeling) Islands": "Kokosu (Kīlinga) Salas", - "Code": "Kods", - "Colombia": "Kolumbija", - "Comoros": "Komoru salas", - "Confirm": "Apstiprināt", - "Confirm Password": "Apstiprināt Paroli", - "Confirm Payment": "Apstipriniet Maksājumu", - "Confirm your :amount payment": "Apstipriniet savu :amount maksājumu", - "Congo": "Kongo", - "Congo, Democratic Republic": "Kongo Demokrātiskā Republika", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Pastāvīgs", - "Cook Islands": "Kuka Salas", - "Costa Rica": "Kostarika", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "nevarēja atrast.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Izveidot", - "Create & Add Another": "Izveidot Un Pievienot Citu", - "Create :resource": "Izveidot :resource", - "Create a new team to collaborate with others on projects.": "Izveidojiet jaunu komandu, lai sadarbotos ar citiem projektos.", - "Create Account": "Izveidot Kontu", - "Create API Token": "Izveidot API Token", - "Create New Team": "Izveidot Jaunu Komandu", - "Create Team": "Izveidot Komandu", - "Created.": "Izveidots.", - "Croatia": "Horvātija", - "Cuba": "Kuba", - "Curaçao": "Kirasao", - "Current Password": "Pašreizējā Parole", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Pielāgot", - "Cyprus": "Kipra", - "Czech Republic": "Čehija", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Panelis", - "December": "Decembris", - "Decrease": "Samazināt", - "Delete": "Dzēst", - "Delete Account": "Dzēst Kontu", - "Delete API Token": "Dzēst API Token", - "Delete File": "Dzēst Failu", - "Delete Resource": "Dzēst Resursu", - "Delete Selected": "Dzēst Atlasīto", - "Delete Team": "Dzēst Komandu", - "Denmark": "Dānija", - "Detach": "Atvienot", - "Detach Resource": "Atdalīt Resursu", - "Detach Selected": "Atdaliet Izvēlēto", - "Details": "Informācija", - "Disable": "Atspējot", - "Djibouti": "Džibutija", - "Do you really want to leave? You have unsaved changes.": "Vai jūs tiešām vēlaties atstāt? Jums ir nesaglabātas izmaiņas.", - "Dominica": "Svētdiena", - "Dominican Republic": "Dominikāna", - "Done.": "Veikts.", - "Download": "Lejupielādēt", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-Pasta Adrese", - "Ecuador": "Ekvadora", - "Edit": "Rediģēt", - "Edit :resource": "Rediģēt :resource", - "Edit Attached": "Rediģēt Pievienots", - "Editor": "Redaktors", - "Editor users have the ability to read, create, and update.": "Redaktora lietotājiem ir iespēja lasīt, izveidot un atjaunināt.", - "Egypt": "Ēģipte", - "El Salvador": "Salvadors", - "Email": "Pasts", - "Email Address": "E-Pasta Adrese", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "E-Pasta Paroles Atiestatīšanas Saite", - "Enable": "Ļauj", - "Ensure your account is using a long, random password to stay secure.": "Pārliecinieties, ka Jūsu konts izmanto garu, nejaušu paroli, lai saglabātu drošību.", - "Equatorial Guinea": "Ekvatoriālā Gvineja", - "Eritrea": "Eritreja", - "Estonia": "Igaunija", - "Ethiopia": "Etiopija", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Papildu apstiprinājums ir nepieciešams, lai apstrādātu jūsu maksājumu. Lūdzu, apstipriniet savu maksājumu, aizpildot maksājuma informāciju zemāk.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Papildu apstiprinājums ir nepieciešams, lai apstrādātu jūsu maksājumu. Lūdzu, turpiniet maksājumu lapu, noklikšķinot uz pogas zemāk.", - "Falkland Islands (Malvinas)": "Folklenda Salas (Malvinas)", - "Faroe Islands": "Farēru Salas", - "February": "Februāris", - "Fiji": "Fidži", - "Finland": "Somija", - "For your security, please confirm your password to continue.": "Jūsu drošībai, lūdzu, apstipriniet savu paroli, lai turpinātu.", "Forbidden": "Aizliegts", - "Force Delete": "Piespiest Dzēst", - "Force Delete Resource": "Piespiest Dzēst Resursu", - "Force Delete Selected": "Spēks Dzēst Atlasīto", - "Forgot Your Password?": "Aizmirsāt Paroli?", - "Forgot your password?": "Aizmirsāt paroli?", - "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.": "Aizmirsāt paroli? Nav problēmu. Vienkārši dariet mums zināmu savu e-pasta adresi, un mēs nosūtīsim jums paroles atiestatīšanas saiti, kas ļaus jums izvēlēties jaunu.", - "France": "Francija", - "French Guiana": "Franču Gviāna", - "French Polynesia": "Franču Polinēzija", - "French Southern Territories": "Francijas Dienvidu Teritorijas", - "Full name": "Uzvārds", - "Gabon": "Gabona", - "Gambia": "Gambija", - "Georgia": "Gruzija", - "Germany": "Vācija", - "Ghana": "Gana", - "Gibraltar": "Gibraltārs", - "Go back": "Atgriezties", - "Go Home": "Iet Mājās", "Go to page :page": "Iet uz lapu :page", - "Great! You have accepted the invitation to join the :team team.": "Lieliski! Jūs esat pieņēmis uzaicinājumu pievienoties :team komandai.", - "Greece": "Grieķija", - "Greenland": "Grenlande", - "Grenada": "Grenāda", - "Guadeloupe": "Gvadelupa", - "Guam": "Guama", - "Guatemala": "Gvatemalā", - "Guernsey": "Guernsey", - "Guinea": "Gvineja", - "Guinea-Bissau": "Gvineja-Bisava", - "Guyana": "Gajāna", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Heard sala un McDonald salas", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Sveiki!", - "Hide Content": "Slēpt Saturu", - "Hold Up!": "Pagaidi!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Hondurasa", - "Hong Kong": "Honkonga", - "Hungary": "Ungārija", - "I agree to the :terms_of_service and :privacy_policy": "Es piekrītu :terms_of_service un :privacy_policy", - "Iceland": "Islande", - "ID": "ID", - "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.": "Ja nepieciešams, jūs varat atteikties no visām citām jūsu pārlūkprogrammas sesijām visās jūsu ierīcēs. Dažas no jūsu nesenajām sesijām ir uzskaitītas zemāk; tomēr šis saraksts var nebūt izsmeļošs. Ja jūtat, ka Jūsu konts ir apdraudēts, jums vajadzētu arī atjaunināt savu paroli.", "If necessary, you may logout 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.": "Ja nepieciešams, varat atteikties no visām citām jūsu pārlūkprogrammas sesijām visās jūsu ierīcēs. Dažas no jūsu nesenajām sesijām ir uzskaitītas zemāk; tomēr šis saraksts var nebūt izsmeļošs. Ja jūtat, ka Jūsu konts ir apdraudēts, jums vajadzētu arī atjaunināt savu paroli.", - "If you already have an account, you may accept this invitation by clicking the button below:": "Ja jums jau ir konts, jūs varat pieņemt šo ielūgumu, noklikšķinot uz pogas zemāk:", "If you did not create an account, no further action is required.": "Ja neesat izveidojis kontu, turpmāka darbība nav nepieciešama.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Ja jūs negaidījāt saņemt uzaicinājumu uz šo komandu, jūs varat izmest šo e-pastu.", "If you did not receive the email": "Ja jūs nesaņēmāt e-pastu", - "If you did not request a password reset, no further action is required.": "Ja neesat pieprasījis paroles atiestatīšanu, turpmāka darbība nav nepieciešama.", - "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:": "Ja jums nav konta, varat to izveidot, noklikšķinot uz tālāk redzamās pogas. Pēc konta izveides šajā e-pastā varat noklikšķināt uz ielūguma pieņemšanas pogas, lai pieņemtu komandas ielūgumu:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Ja jums rodas problēmas, noklikšķinot uz pogas \":actionText\", nokopējiet un ielīmējiet tālāk norādīto URL\nsavā tīmekļa pārlūkprogrammā:", - "Increase": "Palielināt", - "India": "Indija", - "Indonesia": "Indonēzija", "Invalid signature.": "Nederīgs paraksts.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Irāna", - "Iraq": "Irāka", - "Ireland": "Īrija", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Menas sala", - "Israel": "Israēla", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Itālija", - "Jamaica": "Jamaika", - "January": "Janvāris", - "Japan": "Japāna", - "Jersey": "Krekls", - "Jordan": "Jordānija", - "July": "Jūlijs", - "June": "Jūnijs", - "Kazakhstan": "Kazahstāna", - "Kenya": "Kenija", - "Key": "Taustiņš", - "Kiribati": "Kiribati", - "Korea": "Dienvidkoreja", - "Korea, Democratic People's Republic of": "Ziemeļkoreja", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosova", - "Kuwait": "Kuveitas", - "Kyrgyzstan": "Kirgizstāna", - "Lao People's Democratic Republic": "Laosa", - "Last active": "Pēdējā Aktīvā", - "Last used": "Pēdējoreiz lietots", - "Latvia": "Latvijas", - "Leave": "Atstāt", - "Leave Team": "Atstājiet Komandu", - "Lebanon": "Libāna", - "Lens": "Objektīvs", - "Lesotho": "Lesoto", - "Liberia": "Libērija", - "Libyan Arab Jamahiriya": "Lībija", - "Liechtenstein": "Lihtenšteina", - "Lithuania": "Lietuva", - "Load :perPage More": "Slodze :perPage vairāk", - "Log in": "Pieteikties", "Log out": "Iziet", - "Log Out": "iziet", - "Log Out Other Browser Sessions": "Atteikties No Citām Pārlūka Sesijām", - "Login": "Pieteikšanās", - "Logout": "Atteikties", "Logout Other Browser Sessions": "Atteikties No Citām Pārlūka Sesijām", - "Luxembourg": "Luksemburga", - "Macao": "Makao", - "Macedonia": "Ziemeļmaķedonija", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagaskara", - "Malawi": "Malāvi", - "Malaysia": "Malaizija", - "Maldives": "Maldivu", - "Mali": "Mazs", - "Malta": "Malta", - "Manage Account": "Pārvaldīt Kontu", - "Manage and log out your active sessions on other browsers and devices.": "Pārvaldiet un izejiet no aktīvajām sesijām citās pārlūkprogrammās un ierīcēs.", "Manage and logout your active sessions on other browsers and devices.": "Pārvaldiet un atsakieties no aktīvajām sesijām citās pārlūkprogrammās un ierīcēs.", - "Manage API Tokens": "Pārvaldiet API žetonus", - "Manage Role": "Pārvaldīt Lomu", - "Manage Team": "Pārvaldīt Komandu", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Marts", - "Marshall Islands": "Māršala Salas", - "Martinique": "Martinika", - "Mauritania": "Mauritānija", - "Mauritius": "Maurīcija", - "May": "Var", - "Mayotte": "Majota", - "Mexico": "Meksika", - "Micronesia, Federated States Of": "Mikronēzija", - "Moldova": "Moldova", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monako", - "Mongolia": "Mongolija", - "Montenegro": "Melnkalne", - "Month To Date": "Mēnesis Līdz Datumam", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserata", - "Morocco": "Maroka", - "Mozambique": "Mozambika", - "Myanmar": "Mjanma", - "Name": "Nosaukums", - "Namibia": "Namībija", - "Nauru": "Nauru", - "Nepal": "Nepāla", - "Netherlands": "Nīderlande", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Aizmirsti", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Jauns", - "New :resource": "Jauns :resource", - "New Caledonia": "Jaunkaledonija", - "New Password": "Jauna Parole", - "New Zealand": "Jaunzēlande", - "Next": "Nākamais", - "Nicaragua": "Nikaragva", - "Niger": "Nigēra", - "Nigeria": "Nigērija", - "Niue": "Niue", - "No": "Nav", - "No :resource matched the given criteria.": "Nr. :resource atbilst noteiktajiem kritērijiem.", - "No additional information...": "Nav papildu informācijas...", - "No Current Data": "NAV Pašreizējo Datu", - "No Data": "Nav Datu", - "no file selected": "nav atlasīts fails", - "No Increase": "Nav Palielinājuma", - "No Prior Data": "Nav Iepriekšēju Datu", - "No Results Found.": "Rezultāti Nav Atrasti.", - "Norfolk Island": "Norfolkas Sala", - "Northern Mariana Islands": "Ziemeļu Marianas Salas", - "Norway": "Norvēģija", "Not Found": "Nav Atrasts", - "Nova User": "Nova Lietotājs", - "November": "Novembris", - "October": "Oktobris", - "of": "no", "Oh no": "Ak nē", - "Oman": "Omāna", - "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.": "Kad komanda ir izdzēsta, visi tās resursi un dati tiks neatgriezeniski izdzēsti. Pirms šīs komandas dzēšanas, lūdzu, lejupielādējiet visus datus vai informāciju par šo komandu, kuru vēlaties saglabāt.", - "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.": "Kad jūsu konts ir izdzēsts, visi tā resursi un dati tiks neatgriezeniski izdzēsti. Pirms konta dzēšanas, lūdzu, lejupielādējiet visus datus vai informāciju, kuru vēlaties saglabāt.", - "Only Trashed": "Tikai Pārvietotā", - "Original": "Sākotnējo", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Lapas Derīguma Termiņš", "Pagination Navigation": "Pagination Navigācija", - "Pakistan": "Pakistāna", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Palestīniešu Teritorijas", - "Panama": "Panama", - "Papua New Guinea": "Papua-Jaungvineja", - "Paraguay": "Paragvaja", - "Password": "Parole", - "Pay :amount": "Maksāt :amount", - "Payment Cancelled": "Maksājums Atcelts", - "Payment Confirmation": "Maksājuma Apstiprinājums", - "Payment Information": "Payment Information", - "Payment Successful": "Maksājums Veiksmīgs", - "Pending Team Invitations": "Gaidot Komandas Ielūgumus", - "Per Page": "Vienā Lapā", - "Permanently delete this team.": "Neatgriezeniski dzēst šo komandu.", - "Permanently delete your account.": "Neatgriezeniski izdzēsiet savu kontu.", - "Permissions": "Atļauja", - "Peru": "Peru", - "Philippines": "Filipīnu", - "Photo": "Fotogrāfija", - "Pitcairn": "Pitkērnas Salas", "Please click the button below to verify your email address.": "Lūdzu, noklikšķiniet uz pogas zemāk, lai pārbaudītu savu e-pasta adresi.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Lūdzu, apstipriniet piekļuvi savam kontam, ievadot vienu no jūsu avārijas atgūšanas kodiem.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Lūdzu, apstipriniet piekļuvi savam kontam, ievadot autentifikācijas kodu, ko nodrošina autentifikatora lietojumprogramma.", "Please confirm your password before continuing.": "Lūdzu, apstipriniet savu paroli,pirms turpināt.", - "Please copy your new API token. For your security, it won't be shown again.": "Lūdzu, kopējiet savu jauno API marķieri. Jūsu drošībai tas netiks rādīts vēlreiz.", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Lūdzu, ievadiet savu paroli, lai apstiprinātu, ka vēlaties atteikties no citām pārlūkprogrammas sesijām visās jūsu ierīcēs.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Lūdzu, ievadiet savu paroli, lai apstiprinātu, ka vēlaties atteikties no citām jūsu pārlūkprogrammas sesijām visās jūsu ierīcēs.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "Please provide the email address of the person you would like to add to this team.": "Lūdzu, norādiet tās personas e-pasta adresi, kuru vēlaties pievienot šai komandai.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Lūdzu, norādiet tās personas e-pasta adresi, kuru vēlaties pievienot šai komandai. E-pasta adresei jābūt saistītai ar esošu kontu.", - "Please provide your name.": "Lūdzu, norādiet savu vārdu.", - "Poland": "Polija", - "Portugal": "Portugāle", - "Press \/ to search": "Nospiediet\/, lai meklētu", - "Preview": "Priekšskatījums", - "Previous": "Iepriekšējo", - "Privacy Policy": "konfidencialitāte", - "Profile": "Profils", - "Profile Information": "Profila Informācija", - "Puerto Rico": "Puertoriko", - "Qatar": "Qatar", - "Quarter To Date": "Ceturksnis Līdz Šim", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Atkopšanas Kods", "Regards": "Saistībā", - "Regenerate Recovery Codes": "Atjaunot Atkopšanas Kodus", - "Register": "Reģistrēts", - "Reload": "Pārlādēt", - "Remember me": "Atcerēties mani", - "Remember Me": "Atcerēties Mani", - "Remove": "Noņemt", - "Remove Photo": "Noņemt Fotoattēlu", - "Remove Team Member": "Noņemt Komandas Locekli", - "Resend Verification Email": "Atkārtoti Nosūtiet Verifikācijas E-Pastu", - "Reset Filters": "Atiestatīt Filtrus", - "Reset Password": "Atiestatīt Paroli", - "Reset Password Notification": "Atiestatīt Paroles Paziņojumu", - "resource": "resurss", - "Resources": "Resurss", - "resources": "resurss", - "Restore": "Atjaunot", - "Restore Resource": "Atjaunot Resursu", - "Restore Selected": "Atjaunot Izvēlēto", "results": "rezultāts", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Sanāksme", - "Role": "Loma", - "Romania": "Rumānija", - "Run Action": "Palaist Darbību", - "Russian Federation": "Krievijas Federācija", - "Rwanda": "Ruanda", - "Réunion": "Réunion", - "Saint Barthelemy": "St Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Helēnas Sala", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "Sentkitsa un Nevisa", - "Saint Lucia": "Sentlūsija", - "Saint Martin": "Mārtiņš", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "Senpjēra un Mikelona", - "Saint Vincent And Grenadines": "Sentvinsenta un Grenadīnas", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "Sanmarīno", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "Santome un Príncipe", - "Saudi Arabia": "Saūda Arābija", - "Save": "Saglabāt", - "Saved.": "Saglabāts.", - "Search": "Meklēšana", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Izvēlieties Jaunu Fotoattēlu", - "Select Action": "Izvēlieties Darbību", - "Select All": "Atlasīt Visu", - "Select All Matching": "Atlasiet Visas Atbilstības", - "Send Password Reset Link": "Nosūtīt Paroles Atiestatīšanas Saiti", - "Senegal": "Senegāla", - "September": "Septembris", - "Serbia": "Serbija", "Server Error": "Servera Kļūda", "Service Unavailable": "Pakalpojums Nav Pieejams", - "Seychelles": "Seišelu", - "Show All Fields": "Rādīt Visus Laukus", - "Show Content": "Rādīt Saturu", - "Show Recovery Codes": "Rādīt Atkopšanas Kodus", "Showing": "Parādot", - "Sierra Leone": "Sjerraleone", - "Signed in as": "Signed in as", - "Singapore": "Singapūra", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovākija", - "Slovenia": "Slovēnija", - "Solomon Islands": "Zālamana Salas", - "Somalia": "Somālija", - "Something went wrong.": "Kaut kas nogāja greizi.", - "Sorry! You are not authorized to perform this action.": "Piedod! Jums nav atļauts veikt šo darbību.", - "Sorry, your session has expired.": "Atvainojiet, jūsu sesija ir beigusies.", - "South Africa": "Dienvidāfrika", - "South Georgia And Sandwich Isl.": "Dienviddžordžija un Dienvidsendviču salas", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Dienvidsudāna", - "Spain": "Spānija", - "Sri Lanka": "Šrilanka", - "Start Polling": "Sāciet Aptauju", - "State \/ County": "State \/ County", - "Stop Polling": "Pārtraukt Aptauju", - "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.": "Saglabājiet šos atkopšanas kodus drošā paroles pārvaldniekā. Tos var izmantot, lai atgūtu piekļuvi jūsu kontam, ja jūsu divu faktoru autentifikācijas ierīce ir zaudēta.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudāna", - "Suriname": "Surinama", - "Svalbard And Jan Mayen": "Svalbāra un Jans Majens", - "Swaziland": "Eswatini", - "Sweden": "Zviedrija", - "Switch Teams": "Pārslēgt Komandas", - "Switzerland": "Šveice", - "Syrian Arab Republic": "Sīrija", - "Taiwan": "Taivāna", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tadžikistāna", - "Tanzania": "Tanzānija", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Komandas Informācija", - "Team Invitation": "Komandas Ielūgums", - "Team Members": "Komandas Locekļi", - "Team Name": "Komandas Nosaukums", - "Team Owner": "Komandas Īpašnieks", - "Team Settings": "Komandas Iestatījumi", - "Terms of Service": "Pakalpojumu sniegšanas noteikumi", - "Thailand": "Taizeme", - "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.": "Paldies par pierakstīšanos! Pirms sākat darbu, vai jūs varētu pārbaudīt savu e-pasta adresi, noklikšķinot uz saites, kuru mēs tikko nosūtījām jums pa e-pastu? Ja jūs nesaņēmāt e-pastu, mēs labprāt nosūtīsim jums citu.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute jābūt derīgai lomai.", - "The :attribute must be at least :length characters and contain at least one number.": ":attribute jābūt vismaz :length rakstzīmēm un tajā jābūt vismaz vienam skaitlim.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute jābūt vismaz :length rakstzīmēm, un tajā jābūt vismaz vienai īpašajai rakstzīmei un vienam skaitlim.", - "The :attribute must be at least :length characters and contain at least one special character.": ":attribute jābūt vismaz :length rakstzīmēm un tajā jābūt vismaz vienai īpašajai rakstzīmei.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute jābūt vismaz :length rakstzīmēm, un tajā jābūt vismaz vienam lielajiem burtiem un vienam skaitlim.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute jābūt vismaz :length rakstzīmēm, un tajā jābūt vismaz vienam lielajiem burtiem un vienam īpašajam rakstzīmei.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute jābūt vismaz :length rakstzīmēm, un tajā jābūt vismaz vienam lielajiem burtiem, vienam skaitlim un vienam īpašajam rakstzīmei.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute jābūt vismaz :length rakstzīmēm un tajā jābūt vismaz vienam lielajiem burtiem.", - "The :attribute must be at least :length characters.": ":attribute jābūt vismaz :length rakstzīmēm.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource tika izveidots!", - "The :resource was deleted!": ":resource tika izdzēsts!", - "The :resource was restored!": ":resource tika atjaunots!", - "The :resource was updated!": ":resource tika atjaunināts!", - "The action ran successfully!": "Darbība noritēja veiksmīgi!", - "The file was deleted!": "Fails tika izdzēsts!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Valdība neļaus mums parādīt, kas ir aiz šīm durvīm", - "The HasOne relationship has already been filled.": "HasOne attiecības jau ir aizpildītas.", - "The payment was successful.": "Maksājums bija veiksmīgs.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Sniegtā parole neatbilst jūsu pašreizējai Parolei.", - "The provided password was incorrect.": "Sniegtā parole bija nepareiza.", - "The provided two factor authentication code was invalid.": "Sniegtais divu faktoru autentifikācijas kods bija nederīgs.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Resurss tika atjaunināts!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Komandas nosaukums un īpašnieka informācija.", - "There are no available options for this resource.": "Šim resursam nav pieejamo iespēju.", - "There was a problem executing the action.": "Bija problēma, izpildot darbību.", - "There was a problem submitting the form.": "Bija problēma, iesniedzot veidlapu.", - "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.": "Šie cilvēki ir uzaicināti uz jūsu komandu un viņiem ir nosūtīts ielūguma e-pasts. Viņi var pievienoties komandai, pieņemot e-pasta uzaicinājumu.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Šī darbība ir neatļauta.", - "This device": "Šī ierīce", - "This file field is read-only.": "Šis faila lauks ir tikai lasāms.", - "This image": "Šis attēls", - "This is a secure area of the application. Please confirm your password before continuing.": "Tas ir drošs pieteikuma apgabals. Lūdzu, apstipriniet savu paroli,pirms turpināt.", - "This password does not match our records.": "Šī parole neatbilst mūsu ierakstiem.", "This password reset link will expire in :count minutes.": "Šī paroles atiestatīšanas saite beigsies :count minūtēs.", - "This payment was already successfully confirmed.": "Šis maksājums jau tika veiksmīgi apstiprināts.", - "This payment was cancelled.": "Šis maksājums tika atcelts.", - "This resource no longer exists": "Šis resurss vairs nepastāv", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Šis lietotājs jau pieder komandai.", - "This user has already been invited to the team.": "Šis lietotājs jau ir uzaicināts uz komandu.", - "Timor-Leste": "Timora-Leste", "to": "lai", - "Today": "Šodien", "Toggle navigation": "Pārslēgt navigāciju", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Marķiera Nosaukums", - "Tonga": "Nāk", "Too Many Attempts.": "Pārāk Daudz Mēģinājumu.", "Too Many Requests": "Pārāk Daudz Pieprasījumu", - "total": "kopējā", - "Total:": "Total:", - "Trashed": "Miskaste", - "Trinidad And Tobago": "Trinidāda un Tobāgo", - "Tunisia": "Tunisija", - "Turkey": "Turcija", - "Turkmenistan": "Turkmenistāna", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Tērksas un Kaikosas salas", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Divu Faktoru Autentifikācija", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Tagad ir iespējota divu faktoru autentifikācija. Skenējiet šādu QR kodu, izmantojot tālruņa autentifikatora lietojumprogrammu.", - "Uganda": "Uganda", - "Ukraine": "Ukraina", "Unauthorized": "Neatļauts", - "United Arab Emirates": "Apvienotie Arābu Emirāti", - "United Kingdom": "Lielbritānija", - "United States": "ASV", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "ASV nomaļās salas", - "Update": "Atjauninājums", - "Update & Continue Editing": "Atjaunināt Un Turpināt Rediģēšanu", - "Update :resource": "Atjaunināt :resource", - "Update :resource: :title": "Atjaunināt :resource: :title", - "Update attached :resource: :title": "Atjauninājums pievienots :resource: :title", - "Update Password": "Atjaunināt Paroli", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Atjauniniet sava konta profila informāciju un e-pasta adresi.", - "Uruguay": "Urugvaja", - "Use a recovery code": "Izmantojiet atkopšanas kodu", - "Use an authentication code": "Izmantojiet autentifikācijas kodu", - "Uzbekistan": "Uzbekistāna", - "Value": "Vērtība", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venecuēla", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Pārbaudiet E-Pasta Adresi", "Verify Your Email Address": "Pārbaudiet Savu E-Pasta Adresi", - "Viet Nam": "Vietnam", - "View": "Skats", - "Virgin Islands, British": "Britu Virdžīnu Salas", - "Virgin Islands, U.S.": "ASV Virdžīnu salas", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Volisa un Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Mēs nevarējām atrast reģistrētu lietotāju ar šo E-pasta adresi.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Mēs neprasīsim Jūsu paroli vēlreiz uz dažām stundām.", - "We're lost in space. The page you were trying to view does not exist.": "Mēs esam zaudēti kosmosā. Lapa, kuru mēģinājāt apskatīt, nepastāv.", - "Welcome Back!": "Laipni Lūdzam Atpakaļ!", - "Western Sahara": "Rietumsahā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.": "Ja ir iespējota divu faktoru autentifikācija, autentifikācijas laikā jums tiks piedāvāts drošs, Nejaušs marķieris. Jūs varat izgūt šo pilnvaru no sava tālruņa Google autentifikatora lietojumprogrammas.", - "Whoops": "Bļāviens", - "Whoops!": "Ak vai!", - "Whoops! Something went wrong.": "Ak vai! Kaut kas nogāja greizi.", - "With Trashed": "Ar Trashed", - "Write": "Rakstīt", - "Year To Date": "Gads Līdz Datumam", - "Yearly": "Yearly", - "Yemen": "Jemenas", - "Yes": "Jā", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Jūs esat pieteicies!", - "You are receiving this email because we received a password reset request for your account.": "Jūs saņemat šo e-pastu, jo mēs saņēmām paroles atiestatīšanas pieprasījumu jūsu kontam.", - "You have been invited to join the :team team!": "Jūs esat aicināti pievienoties :team komandai!", - "You have enabled two factor authentication.": "Jūs esat iespējojis divu faktoru autentifikāciju.", - "You have not enabled two factor authentication.": "Jūs neesat iespējojis divu faktoru autentifikāciju.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "Jūs varat izdzēst jebkuru no jūsu esošajiem Žetoniem, ja tie vairs nav vajadzīgi.", - "You may not delete your personal team.": "Jūs nedrīkstat izdzēst savu personīgo komandu.", - "You may not leave a team that you created.": "Jūs nedrīkstat atstāt komandu, kuru esat izveidojis.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Jūsu e-pasta adrese nav pārbaudīta.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambija", - "Zimbabwe": "Zimbabve", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Jūsu e-pasta adrese nav pārbaudīta." } diff --git a/locales/lv/packages/cashier.json b/locales/lv/packages/cashier.json new file mode 100644 index 00000000000..817d9617476 --- /dev/null +++ b/locales/lv/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Visas tiesības aizsargātas.", + "Card": "Karte", + "Confirm Payment": "Apstipriniet Maksājumu", + "Confirm your :amount payment": "Apstipriniet savu :amount maksājumu", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Papildu apstiprinājums ir nepieciešams, lai apstrādātu jūsu maksājumu. Lūdzu, apstipriniet savu maksājumu, aizpildot maksājuma informāciju zemāk.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Papildu apstiprinājums ir nepieciešams, lai apstrādātu jūsu maksājumu. Lūdzu, turpiniet maksājumu lapu, noklikšķinot uz pogas zemāk.", + "Full name": "Uzvārds", + "Go back": "Atgriezties", + "Jane Doe": "Jane Doe", + "Pay :amount": "Maksāt :amount", + "Payment Cancelled": "Maksājums Atcelts", + "Payment Confirmation": "Maksājuma Apstiprinājums", + "Payment Successful": "Maksājums Veiksmīgs", + "Please provide your name.": "Lūdzu, norādiet savu vārdu.", + "The payment was successful.": "Maksājums bija veiksmīgs.", + "This payment was already successfully confirmed.": "Šis maksājums jau tika veiksmīgi apstiprināts.", + "This payment was cancelled.": "Šis maksājums tika atcelts." +} diff --git a/locales/lv/packages/fortify.json b/locales/lv/packages/fortify.json new file mode 100644 index 00000000000..e6dcf2c9787 --- /dev/null +++ b/locales/lv/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": ":attribute jābūt vismaz :length rakstzīmēm un tajā jābūt vismaz vienam skaitlim.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute jābūt vismaz :length rakstzīmēm, un tajā jābūt vismaz vienai īpašajai rakstzīmei un vienam skaitlim.", + "The :attribute must be at least :length characters and contain at least one special character.": ":attribute jābūt vismaz :length rakstzīmēm un tajā jābūt vismaz vienai īpašajai rakstzīmei.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute jābūt vismaz :length rakstzīmēm, un tajā jābūt vismaz vienam lielajiem burtiem un vienam skaitlim.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute jābūt vismaz :length rakstzīmēm, un tajā jābūt vismaz vienam lielajiem burtiem un vienam īpašajam rakstzīmei.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute jābūt vismaz :length rakstzīmēm, un tajā jābūt vismaz vienam lielajiem burtiem, vienam skaitlim un vienam īpašajam rakstzīmei.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute jābūt vismaz :length rakstzīmēm un tajā jābūt vismaz vienam lielajiem burtiem.", + "The :attribute must be at least :length characters.": ":attribute jābūt vismaz :length rakstzīmēm.", + "The provided password does not match your current password.": "Sniegtā parole neatbilst jūsu pašreizējai Parolei.", + "The provided password was incorrect.": "Sniegtā parole bija nepareiza.", + "The provided two factor authentication code was invalid.": "Sniegtais divu faktoru autentifikācijas kods bija nederīgs." +} diff --git a/locales/lv/packages/jetstream.json b/locales/lv/packages/jetstream.json new file mode 100644 index 00000000000..e29b2fa0809 --- /dev/null +++ b/locales/lv/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Reģistrācijas laikā norādītajai e-pasta adresei ir nosūtīta jauna verifikācijas saite.", + "Accept Invitation": "Pieņemt Ielūgumu", + "Add": "Pievienot", + "Add a new team member to your team, allowing them to collaborate with you.": "Pievienojiet savai komandai jaunu komandas locekli, ļaujot viņiem sadarboties ar jums.", + "Add additional security to your account using two factor authentication.": "Pievienojiet savam kontam papildu drošību, izmantojot divu faktoru autentifikāciju.", + "Add Team Member": "Pievienot Komandas Locekli", + "Added.": "Pievienots.", + "Administrator": "Administrators", + "Administrator users can perform any action.": "Administratora lietotāji var veikt jebkuru darbību.", + "All of the people that are part of this team.": "Visi cilvēki, kas ir daļa no šīs komandas.", + "Already registered?": "Jau reģistrēts?", + "API Token": "API marķieris", + "API Token Permissions": "API Token atļaujas", + "API Tokens": "API Žetoni", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API žetoni ļauj trešo pušu pakalpojumus autentificēt ar mūsu pieteikumu Jūsu vārdā.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Vai tiešām vēlaties dzēst šo komandu? Kad komanda ir izdzēsta, visi tās resursi un dati tiks neatgriezeniski izdzēsti.", + "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.": "Vai tiešām vēlaties dzēst savu kontu? Kad jūsu konts ir izdzēsts, visi tā resursi un dati tiks neatgriezeniski izdzēsti. Lūdzu, ievadiet savu paroli, lai apstiprinātu, ka vēlaties neatgriezeniski izdzēst savu kontu.", + "Are you sure you would like to delete this API token?": "Vai esat pārliecināts, ka vēlaties izdzēst šo API marķieri?", + "Are you sure you would like to leave this team?": "Vai esat pārliecināts, ka vēlaties atstāt šo komandu?", + "Are you sure you would like to remove this person from the team?": "Vai esat pārliecināts, ka vēlaties noņemt šo personu no komandas?", + "Browser Sessions": "Pārlūka Sesijas", + "Cancel": "Atcelt", + "Close": "Tuvs", + "Code": "Kods", + "Confirm": "Apstiprināt", + "Confirm Password": "Apstiprināt Paroli", + "Create": "Izveidot", + "Create a new team to collaborate with others on projects.": "Izveidojiet jaunu komandu, lai sadarbotos ar citiem projektos.", + "Create Account": "Izveidot Kontu", + "Create API Token": "Izveidot API Token", + "Create New Team": "Izveidot Jaunu Komandu", + "Create Team": "Izveidot Komandu", + "Created.": "Izveidots.", + "Current Password": "Pašreizējā Parole", + "Dashboard": "Panelis", + "Delete": "Dzēst", + "Delete Account": "Dzēst Kontu", + "Delete API Token": "Dzēst API Token", + "Delete Team": "Dzēst Komandu", + "Disable": "Atspējot", + "Done.": "Veikts.", + "Editor": "Redaktors", + "Editor users have the ability to read, create, and update.": "Redaktora lietotājiem ir iespēja lasīt, izveidot un atjaunināt.", + "Email": "Pasts", + "Email Password Reset Link": "E-Pasta Paroles Atiestatīšanas Saite", + "Enable": "Ļauj", + "Ensure your account is using a long, random password to stay secure.": "Pārliecinieties, ka Jūsu konts izmanto garu, nejaušu paroli, lai saglabātu drošību.", + "For your security, please confirm your password to continue.": "Jūsu drošībai, lūdzu, apstipriniet savu paroli, lai turpinātu.", + "Forgot your password?": "Aizmirsāt paroli?", + "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.": "Aizmirsāt paroli? Nav problēmu. Vienkārši dariet mums zināmu savu e-pasta adresi, un mēs nosūtīsim jums paroles atiestatīšanas saiti, kas ļaus jums izvēlēties jaunu.", + "Great! You have accepted the invitation to join the :team team.": "Lieliski! Jūs esat pieņēmis uzaicinājumu pievienoties :team komandai.", + "I agree to the :terms_of_service and :privacy_policy": "Es piekrītu :terms_of_service un :privacy_policy", + "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.": "Ja nepieciešams, jūs varat atteikties no visām citām jūsu pārlūkprogrammas sesijām visās jūsu ierīcēs. Dažas no jūsu nesenajām sesijām ir uzskaitītas zemāk; tomēr šis saraksts var nebūt izsmeļošs. Ja jūtat, ka Jūsu konts ir apdraudēts, jums vajadzētu arī atjaunināt savu paroli.", + "If you already have an account, you may accept this invitation by clicking the button below:": "Ja jums jau ir konts, jūs varat pieņemt šo ielūgumu, noklikšķinot uz pogas zemāk:", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Ja jūs negaidījāt saņemt uzaicinājumu uz šo komandu, jūs varat izmest šo e-pastu.", + "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:": "Ja jums nav konta, varat to izveidot, noklikšķinot uz tālāk redzamās pogas. Pēc konta izveides šajā e-pastā varat noklikšķināt uz ielūguma pieņemšanas pogas, lai pieņemtu komandas ielūgumu:", + "Last active": "Pēdējā Aktīvā", + "Last used": "Pēdējoreiz lietots", + "Leave": "Atstāt", + "Leave Team": "Atstājiet Komandu", + "Log in": "Pieteikties", + "Log Out": "iziet", + "Log Out Other Browser Sessions": "Atteikties No Citām Pārlūka Sesijām", + "Manage Account": "Pārvaldīt Kontu", + "Manage and log out your active sessions on other browsers and devices.": "Pārvaldiet un izejiet no aktīvajām sesijām citās pārlūkprogrammās un ierīcēs.", + "Manage API Tokens": "Pārvaldiet API žetonus", + "Manage Role": "Pārvaldīt Lomu", + "Manage Team": "Pārvaldīt Komandu", + "Name": "Nosaukums", + "New Password": "Jauna Parole", + "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.": "Kad komanda ir izdzēsta, visi tās resursi un dati tiks neatgriezeniski izdzēsti. Pirms šīs komandas dzēšanas, lūdzu, lejupielādējiet visus datus vai informāciju par šo komandu, kuru vēlaties saglabāt.", + "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.": "Kad jūsu konts ir izdzēsts, visi tā resursi un dati tiks neatgriezeniski izdzēsti. Pirms konta dzēšanas, lūdzu, lejupielādējiet visus datus vai informāciju, kuru vēlaties saglabāt.", + "Password": "Parole", + "Pending Team Invitations": "Gaidot Komandas Ielūgumus", + "Permanently delete this team.": "Neatgriezeniski dzēst šo komandu.", + "Permanently delete your account.": "Neatgriezeniski izdzēsiet savu kontu.", + "Permissions": "Atļauja", + "Photo": "Fotogrāfija", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Lūdzu, apstipriniet piekļuvi savam kontam, ievadot vienu no jūsu avārijas atgūšanas kodiem.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Lūdzu, apstipriniet piekļuvi savam kontam, ievadot autentifikācijas kodu, ko nodrošina autentifikatora lietojumprogramma.", + "Please copy your new API token. For your security, it won't be shown again.": "Lūdzu, kopējiet savu jauno API marķieri. Jūsu drošībai tas netiks rādīts vēlreiz.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Lūdzu, ievadiet savu paroli, lai apstiprinātu, ka vēlaties atteikties no citām pārlūkprogrammas sesijām visās jūsu ierīcēs.", + "Please provide the email address of the person you would like to add to this team.": "Lūdzu, norādiet tās personas e-pasta adresi, kuru vēlaties pievienot šai komandai.", + "Privacy Policy": "konfidencialitāte", + "Profile": "Profils", + "Profile Information": "Profila Informācija", + "Recovery Code": "Atkopšanas Kods", + "Regenerate Recovery Codes": "Atjaunot Atkopšanas Kodus", + "Register": "Reģistrēts", + "Remember me": "Atcerēties mani", + "Remove": "Noņemt", + "Remove Photo": "Noņemt Fotoattēlu", + "Remove Team Member": "Noņemt Komandas Locekli", + "Resend Verification Email": "Atkārtoti Nosūtiet Verifikācijas E-Pastu", + "Reset Password": "Atiestatīt Paroli", + "Role": "Loma", + "Save": "Saglabāt", + "Saved.": "Saglabāts.", + "Select A New Photo": "Izvēlieties Jaunu Fotoattēlu", + "Show Recovery Codes": "Rādīt Atkopšanas Kodus", + "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.": "Saglabājiet šos atkopšanas kodus drošā paroles pārvaldniekā. Tos var izmantot, lai atgūtu piekļuvi jūsu kontam, ja jūsu divu faktoru autentifikācijas ierīce ir zaudēta.", + "Switch Teams": "Pārslēgt Komandas", + "Team Details": "Komandas Informācija", + "Team Invitation": "Komandas Ielūgums", + "Team Members": "Komandas Locekļi", + "Team Name": "Komandas Nosaukums", + "Team Owner": "Komandas Īpašnieks", + "Team Settings": "Komandas Iestatījumi", + "Terms of Service": "Pakalpojumu sniegšanas noteikumi", + "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.": "Paldies par pierakstīšanos! Pirms sākat darbu, vai jūs varētu pārbaudīt savu e-pasta adresi, noklikšķinot uz saites, kuru mēs tikko nosūtījām jums pa e-pastu? Ja jūs nesaņēmāt e-pastu, mēs labprāt nosūtīsim jums citu.", + "The :attribute must be a valid role.": ":attribute jābūt derīgai lomai.", + "The :attribute must be at least :length characters and contain at least one number.": ":attribute jābūt vismaz :length rakstzīmēm un tajā jābūt vismaz vienam skaitlim.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute jābūt vismaz :length rakstzīmēm, un tajā jābūt vismaz vienai īpašajai rakstzīmei un vienam skaitlim.", + "The :attribute must be at least :length characters and contain at least one special character.": ":attribute jābūt vismaz :length rakstzīmēm un tajā jābūt vismaz vienai īpašajai rakstzīmei.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute jābūt vismaz :length rakstzīmēm, un tajā jābūt vismaz vienam lielajiem burtiem un vienam skaitlim.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute jābūt vismaz :length rakstzīmēm, un tajā jābūt vismaz vienam lielajiem burtiem un vienam īpašajam rakstzīmei.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute jābūt vismaz :length rakstzīmēm, un tajā jābūt vismaz vienam lielajiem burtiem, vienam skaitlim un vienam īpašajam rakstzīmei.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute jābūt vismaz :length rakstzīmēm un tajā jābūt vismaz vienam lielajiem burtiem.", + "The :attribute must be at least :length characters.": ":attribute jābūt vismaz :length rakstzīmēm.", + "The provided password does not match your current password.": "Sniegtā parole neatbilst jūsu pašreizējai Parolei.", + "The provided password was incorrect.": "Sniegtā parole bija nepareiza.", + "The provided two factor authentication code was invalid.": "Sniegtais divu faktoru autentifikācijas kods bija nederīgs.", + "The team's name and owner information.": "Komandas nosaukums un īpašnieka informācija.", + "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.": "Šie cilvēki ir uzaicināti uz jūsu komandu un viņiem ir nosūtīts ielūguma e-pasts. Viņi var pievienoties komandai, pieņemot e-pasta uzaicinājumu.", + "This device": "Šī ierīce", + "This is a secure area of the application. Please confirm your password before continuing.": "Tas ir drošs pieteikuma apgabals. Lūdzu, apstipriniet savu paroli,pirms turpināt.", + "This password does not match our records.": "Šī parole neatbilst mūsu ierakstiem.", + "This user already belongs to the team.": "Šis lietotājs jau pieder komandai.", + "This user has already been invited to the team.": "Šis lietotājs jau ir uzaicināts uz komandu.", + "Token Name": "Marķiera Nosaukums", + "Two Factor Authentication": "Divu Faktoru Autentifikācija", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Tagad ir iespējota divu faktoru autentifikācija. Skenējiet šādu QR kodu, izmantojot tālruņa autentifikatora lietojumprogrammu.", + "Update Password": "Atjaunināt Paroli", + "Update your account's profile information and email address.": "Atjauniniet sava konta profila informāciju un e-pasta adresi.", + "Use a recovery code": "Izmantojiet atkopšanas kodu", + "Use an authentication code": "Izmantojiet autentifikācijas kodu", + "We were unable to find a registered user with this email address.": "Mēs nevarējām atrast reģistrētu lietotāju ar šo E-pasta adresi.", + "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.": "Ja ir iespējota divu faktoru autentifikācija, autentifikācijas laikā jums tiks piedāvāts drošs, Nejaušs marķieris. Jūs varat izgūt šo pilnvaru no sava tālruņa Google autentifikatora lietojumprogrammas.", + "Whoops! Something went wrong.": "Ak vai! Kaut kas nogāja greizi.", + "You have been invited to join the :team team!": "Jūs esat aicināti pievienoties :team komandai!", + "You have enabled two factor authentication.": "Jūs esat iespējojis divu faktoru autentifikāciju.", + "You have not enabled two factor authentication.": "Jūs neesat iespējojis divu faktoru autentifikāciju.", + "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.": "Jūs varat izdzēst jebkuru no jūsu esošajiem Žetoniem, ja tie vairs nav vajadzīgi.", + "You may not delete your personal team.": "Jūs nedrīkstat izdzēst savu personīgo komandu.", + "You may not leave a team that you created.": "Jūs nedrīkstat atstāt komandu, kuru esat izveidojis." +} diff --git a/locales/lv/packages/nova.json b/locales/lv/packages/nova.json new file mode 100644 index 00000000000..7eff88ab4d6 --- /dev/null +++ b/locales/lv/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Dienas", + "60 Days": "60 dienas", + "90 Days": "90 dienas", + ":amount Total": ":amount kopā", + ":resource Details": ":resource Detaļas", + ":resource Details: :title": ":resource Detaļas: :title", + "Action": "Darbība", + "Action Happened At": "Notika Pie", + "Action Initiated By": "Uzsākusi", + "Action Name": "Nosaukums", + "Action Status": "Statuss", + "Action Target": "Mērķis", + "Actions": "Darbība", + "Add row": "Pievienot rindu", + "Afghanistan": "Afganistāna", + "Aland Islands": "Ālandu Salas", + "Albania": "Albānija", + "Algeria": "Alžīrija", + "All resources loaded.": "Visi resursi ielādēti.", + "American Samoa": "Amerikas Samoa", + "An error occured while uploading the file.": "Augšupielādējot failu, radās kļūda.", + "Andorra": "Andoras", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Cits lietotājs ir atjauninājis šo resursu, jo šī lapa tika ielādēta. Lūdzu, atsvaidziniet lapu un mēģiniet vēlreiz.", + "Antarctica": "Antarktīda", + "Antigua And Barbuda": "Antigva un Barbuda", + "April": "Aprīlis", + "Are you sure you want to delete the selected resources?": "Vai tiešām vēlaties izdzēst atlasītos resursus?", + "Are you sure you want to delete this file?": "Vai tiešām vēlaties dzēst šo failu?", + "Are you sure you want to delete this resource?": "Vai tiešām vēlaties dzēst šo resursu?", + "Are you sure you want to detach the selected resources?": "Vai esat pārliecināts, ka vēlaties atdalīt atlasītos resursus?", + "Are you sure you want to detach this resource?": "Vai esat pārliecināts, ka vēlaties atdalīt šo resursu?", + "Are you sure you want to force delete the selected resources?": "Vai esat pārliecināts, ka vēlaties piespiest dzēst atlasītos resursus?", + "Are you sure you want to force delete this resource?": "Vai esat pārliecināts, ka vēlaties piespiest Dzēst šo resursu?", + "Are you sure you want to restore the selected resources?": "Vai esat pārliecināts, ka vēlaties atjaunot atlasītos resursus?", + "Are you sure you want to restore this resource?": "Vai tiešām vēlaties atjaunot šo resursu?", + "Are you sure you want to run this action?": "Vai esat pārliecināts, ka vēlaties palaist šo darbību?", + "Argentina": "Argentīna", + "Armenia": "Armēnija", + "Aruba": "Aruba", + "Attach": "Pievienot", + "Attach & Attach Another": "Pievienojiet Un Pievienojiet Citu", + "Attach :resource": "Pievienot :resource", + "August": "Augusts", + "Australia": "Austrālija", + "Austria": "Austrija", + "Azerbaijan": "Azerbaidžāna", + "Bahamas": "Bahamu", + "Bahrain": "Bahreina", + "Bangladesh": "Bangladeša", + "Barbados": "Barbados", + "Belarus": "Baltkrievija", + "Belgium": "Beļģija", + "Belize": "Beliza", + "Benin": "Benina", + "Bermuda": "Bermudu", + "Bhutan": "Butāna", + "Bolivia": "Bolīvija", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius un Sábado", + "Bosnia And Herzegovina": "Bosnija un Hercegovina", + "Botswana": "Botsvāna", + "Bouvet Island": "Bouvet Sala", + "Brazil": "Brazīlija", + "British Indian Ocean Territory": "Britu Indijas Okeāna Teritorija", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgārija", + "Burkina Faso": "Burkinafaso", + "Burundi": "Burundi", + "Cambodia": "Kambodža", + "Cameroon": "Kamerūna", + "Canada": "Kanāda", + "Cancel": "Atcelt", + "Cape Verde": "Kaboverde", + "Cayman Islands": "Kaimanu Salas", + "Central African Republic": "Centrālāfrikas Republika", + "Chad": "Čadas", + "Changes": "Izmaiņa", + "Chile": "Čīle", + "China": "Ķīna", + "Choose": "Izvēlēties", + "Choose :field": "Izvēlieties :field", + "Choose :resource": "Izvēlēties :resource", + "Choose an option": "Izvēlieties opciju", + "Choose date": "Izvēlieties datumu", + "Choose File": "Izvēlieties Failu", + "Choose Type": "Izvēlieties Veidu", + "Christmas Island": "Ziemassvētku Sala", + "Click to choose": "Noklikšķiniet, lai izvēlētos", + "Cocos (Keeling) Islands": "Kokosu (Kīlinga) Salas", + "Colombia": "Kolumbija", + "Comoros": "Komoru salas", + "Confirm Password": "Apstiprināt Paroli", + "Congo": "Kongo", + "Congo, Democratic Republic": "Kongo Demokrātiskā Republika", + "Constant": "Pastāvīgs", + "Cook Islands": "Kuka Salas", + "Costa Rica": "Kostarika", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "nevarēja atrast.", + "Create": "Izveidot", + "Create & Add Another": "Izveidot Un Pievienot Citu", + "Create :resource": "Izveidot :resource", + "Croatia": "Horvātija", + "Cuba": "Kuba", + "Curaçao": "Kirasao", + "Customize": "Pielāgot", + "Cyprus": "Kipra", + "Czech Republic": "Čehija", + "Dashboard": "Panelis", + "December": "Decembris", + "Decrease": "Samazināt", + "Delete": "Dzēst", + "Delete File": "Dzēst Failu", + "Delete Resource": "Dzēst Resursu", + "Delete Selected": "Dzēst Atlasīto", + "Denmark": "Dānija", + "Detach": "Atvienot", + "Detach Resource": "Atdalīt Resursu", + "Detach Selected": "Atdaliet Izvēlēto", + "Details": "Informācija", + "Djibouti": "Džibutija", + "Do you really want to leave? You have unsaved changes.": "Vai jūs tiešām vēlaties atstāt? Jums ir nesaglabātas izmaiņas.", + "Dominica": "Svētdiena", + "Dominican Republic": "Dominikāna", + "Download": "Lejupielādēt", + "Ecuador": "Ekvadora", + "Edit": "Rediģēt", + "Edit :resource": "Rediģēt :resource", + "Edit Attached": "Rediģēt Pievienots", + "Egypt": "Ēģipte", + "El Salvador": "Salvadors", + "Email Address": "E-Pasta Adrese", + "Equatorial Guinea": "Ekvatoriālā Gvineja", + "Eritrea": "Eritreja", + "Estonia": "Igaunija", + "Ethiopia": "Etiopija", + "Falkland Islands (Malvinas)": "Folklenda Salas (Malvinas)", + "Faroe Islands": "Farēru Salas", + "February": "Februāris", + "Fiji": "Fidži", + "Finland": "Somija", + "Force Delete": "Piespiest Dzēst", + "Force Delete Resource": "Piespiest Dzēst Resursu", + "Force Delete Selected": "Spēks Dzēst Atlasīto", + "Forgot Your Password?": "Aizmirsāt Paroli?", + "Forgot your password?": "Aizmirsāt paroli?", + "France": "Francija", + "French Guiana": "Franču Gviāna", + "French Polynesia": "Franču Polinēzija", + "French Southern Territories": "Francijas Dienvidu Teritorijas", + "Gabon": "Gabona", + "Gambia": "Gambija", + "Georgia": "Gruzija", + "Germany": "Vācija", + "Ghana": "Gana", + "Gibraltar": "Gibraltārs", + "Go Home": "Iet Mājās", + "Greece": "Grieķija", + "Greenland": "Grenlande", + "Grenada": "Grenāda", + "Guadeloupe": "Gvadelupa", + "Guam": "Guama", + "Guatemala": "Gvatemalā", + "Guernsey": "Guernsey", + "Guinea": "Gvineja", + "Guinea-Bissau": "Gvineja-Bisava", + "Guyana": "Gajāna", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Heard sala un McDonald salas", + "Hide Content": "Slēpt Saturu", + "Hold Up!": "Pagaidi!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Hondurasa", + "Hong Kong": "Honkonga", + "Hungary": "Ungārija", + "Iceland": "Islande", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "Ja neesat pieprasījis paroles atiestatīšanu, turpmāka darbība nav nepieciešama.", + "Increase": "Palielināt", + "India": "Indija", + "Indonesia": "Indonēzija", + "Iran, Islamic Republic Of": "Irāna", + "Iraq": "Irāka", + "Ireland": "Īrija", + "Isle Of Man": "Menas sala", + "Israel": "Israēla", + "Italy": "Itālija", + "Jamaica": "Jamaika", + "January": "Janvāris", + "Japan": "Japāna", + "Jersey": "Krekls", + "Jordan": "Jordānija", + "July": "Jūlijs", + "June": "Jūnijs", + "Kazakhstan": "Kazahstāna", + "Kenya": "Kenija", + "Key": "Taustiņš", + "Kiribati": "Kiribati", + "Korea": "Dienvidkoreja", + "Korea, Democratic People's Republic of": "Ziemeļkoreja", + "Kosovo": "Kosova", + "Kuwait": "Kuveitas", + "Kyrgyzstan": "Kirgizstāna", + "Lao People's Democratic Republic": "Laosa", + "Latvia": "Latvijas", + "Lebanon": "Libāna", + "Lens": "Objektīvs", + "Lesotho": "Lesoto", + "Liberia": "Libērija", + "Libyan Arab Jamahiriya": "Lībija", + "Liechtenstein": "Lihtenšteina", + "Lithuania": "Lietuva", + "Load :perPage More": "Slodze :perPage vairāk", + "Login": "Pieteikšanās", + "Logout": "Atteikties", + "Luxembourg": "Luksemburga", + "Macao": "Makao", + "Macedonia": "Ziemeļmaķedonija", + "Madagascar": "Madagaskara", + "Malawi": "Malāvi", + "Malaysia": "Malaizija", + "Maldives": "Maldivu", + "Mali": "Mazs", + "Malta": "Malta", + "March": "Marts", + "Marshall Islands": "Māršala Salas", + "Martinique": "Martinika", + "Mauritania": "Mauritānija", + "Mauritius": "Maurīcija", + "May": "Var", + "Mayotte": "Majota", + "Mexico": "Meksika", + "Micronesia, Federated States Of": "Mikronēzija", + "Moldova": "Moldova", + "Monaco": "Monako", + "Mongolia": "Mongolija", + "Montenegro": "Melnkalne", + "Month To Date": "Mēnesis Līdz Datumam", + "Montserrat": "Montserata", + "Morocco": "Maroka", + "Mozambique": "Mozambika", + "Myanmar": "Mjanma", + "Namibia": "Namībija", + "Nauru": "Nauru", + "Nepal": "Nepāla", + "Netherlands": "Nīderlande", + "New": "Jauns", + "New :resource": "Jauns :resource", + "New Caledonia": "Jaunkaledonija", + "New Zealand": "Jaunzēlande", + "Next": "Nākamais", + "Nicaragua": "Nikaragva", + "Niger": "Nigēra", + "Nigeria": "Nigērija", + "Niue": "Niue", + "No": "Nav", + "No :resource matched the given criteria.": "Nr. :resource atbilst noteiktajiem kritērijiem.", + "No additional information...": "Nav papildu informācijas...", + "No Current Data": "NAV Pašreizējo Datu", + "No Data": "Nav Datu", + "no file selected": "nav atlasīts fails", + "No Increase": "Nav Palielinājuma", + "No Prior Data": "Nav Iepriekšēju Datu", + "No Results Found.": "Rezultāti Nav Atrasti.", + "Norfolk Island": "Norfolkas Sala", + "Northern Mariana Islands": "Ziemeļu Marianas Salas", + "Norway": "Norvēģija", + "Nova User": "Nova Lietotājs", + "November": "Novembris", + "October": "Oktobris", + "of": "no", + "Oman": "Omāna", + "Only Trashed": "Tikai Pārvietotā", + "Original": "Sākotnējo", + "Pakistan": "Pakistāna", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestīniešu Teritorijas", + "Panama": "Panama", + "Papua New Guinea": "Papua-Jaungvineja", + "Paraguay": "Paragvaja", + "Password": "Parole", + "Per Page": "Vienā Lapā", + "Peru": "Peru", + "Philippines": "Filipīnu", + "Pitcairn": "Pitkērnas Salas", + "Poland": "Polija", + "Portugal": "Portugāle", + "Press \/ to search": "Nospiediet\/, lai meklētu", + "Preview": "Priekšskatījums", + "Previous": "Iepriekšējo", + "Puerto Rico": "Puertoriko", + "Qatar": "Qatar", + "Quarter To Date": "Ceturksnis Līdz Šim", + "Reload": "Pārlādēt", + "Remember Me": "Atcerēties Mani", + "Reset Filters": "Atiestatīt Filtrus", + "Reset Password": "Atiestatīt Paroli", + "Reset Password Notification": "Atiestatīt Paroles Paziņojumu", + "resource": "resurss", + "Resources": "Resurss", + "resources": "resurss", + "Restore": "Atjaunot", + "Restore Resource": "Atjaunot Resursu", + "Restore Selected": "Atjaunot Izvēlēto", + "Reunion": "Sanāksme", + "Romania": "Rumānija", + "Run Action": "Palaist Darbību", + "Russian Federation": "Krievijas Federācija", + "Rwanda": "Ruanda", + "Saint Barthelemy": "St Barthélemy", + "Saint Helena": "Helēnas Sala", + "Saint Kitts And Nevis": "Sentkitsa un Nevisa", + "Saint Lucia": "Sentlūsija", + "Saint Martin": "Mārtiņš", + "Saint Pierre And Miquelon": "Senpjēra un Mikelona", + "Saint Vincent And Grenadines": "Sentvinsenta un Grenadīnas", + "Samoa": "Samoa", + "San Marino": "Sanmarīno", + "Sao Tome And Principe": "Santome un Príncipe", + "Saudi Arabia": "Saūda Arābija", + "Search": "Meklēšana", + "Select Action": "Izvēlieties Darbību", + "Select All": "Atlasīt Visu", + "Select All Matching": "Atlasiet Visas Atbilstības", + "Send Password Reset Link": "Nosūtīt Paroles Atiestatīšanas Saiti", + "Senegal": "Senegāla", + "September": "Septembris", + "Serbia": "Serbija", + "Seychelles": "Seišelu", + "Show All Fields": "Rādīt Visus Laukus", + "Show Content": "Rādīt Saturu", + "Sierra Leone": "Sjerraleone", + "Singapore": "Singapūra", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovākija", + "Slovenia": "Slovēnija", + "Solomon Islands": "Zālamana Salas", + "Somalia": "Somālija", + "Something went wrong.": "Kaut kas nogāja greizi.", + "Sorry! You are not authorized to perform this action.": "Piedod! Jums nav atļauts veikt šo darbību.", + "Sorry, your session has expired.": "Atvainojiet, jūsu sesija ir beigusies.", + "South Africa": "Dienvidāfrika", + "South Georgia And Sandwich Isl.": "Dienviddžordžija un Dienvidsendviču salas", + "South Sudan": "Dienvidsudāna", + "Spain": "Spānija", + "Sri Lanka": "Šrilanka", + "Start Polling": "Sāciet Aptauju", + "Stop Polling": "Pārtraukt Aptauju", + "Sudan": "Sudāna", + "Suriname": "Surinama", + "Svalbard And Jan Mayen": "Svalbāra un Jans Majens", + "Swaziland": "Eswatini", + "Sweden": "Zviedrija", + "Switzerland": "Šveice", + "Syrian Arab Republic": "Sīrija", + "Taiwan": "Taivāna", + "Tajikistan": "Tadžikistāna", + "Tanzania": "Tanzānija", + "Thailand": "Taizeme", + "The :resource was created!": ":resource tika izveidots!", + "The :resource was deleted!": ":resource tika izdzēsts!", + "The :resource was restored!": ":resource tika atjaunots!", + "The :resource was updated!": ":resource tika atjaunināts!", + "The action ran successfully!": "Darbība noritēja veiksmīgi!", + "The file was deleted!": "Fails tika izdzēsts!", + "The government won't let us show you what's behind these doors": "Valdība neļaus mums parādīt, kas ir aiz šīm durvīm", + "The HasOne relationship has already been filled.": "HasOne attiecības jau ir aizpildītas.", + "The resource was updated!": "Resurss tika atjaunināts!", + "There are no available options for this resource.": "Šim resursam nav pieejamo iespēju.", + "There was a problem executing the action.": "Bija problēma, izpildot darbību.", + "There was a problem submitting the form.": "Bija problēma, iesniedzot veidlapu.", + "This file field is read-only.": "Šis faila lauks ir tikai lasāms.", + "This image": "Šis attēls", + "This resource no longer exists": "Šis resurss vairs nepastāv", + "Timor-Leste": "Timora-Leste", + "Today": "Šodien", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Nāk", + "total": "kopējā", + "Trashed": "Miskaste", + "Trinidad And Tobago": "Trinidāda un Tobāgo", + "Tunisia": "Tunisija", + "Turkey": "Turcija", + "Turkmenistan": "Turkmenistāna", + "Turks And Caicos Islands": "Tērksas un Kaikosas salas", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraina", + "United Arab Emirates": "Apvienotie Arābu Emirāti", + "United Kingdom": "Lielbritānija", + "United States": "ASV", + "United States Outlying Islands": "ASV nomaļās salas", + "Update": "Atjauninājums", + "Update & Continue Editing": "Atjaunināt Un Turpināt Rediģēšanu", + "Update :resource": "Atjaunināt :resource", + "Update :resource: :title": "Atjaunināt :resource: :title", + "Update attached :resource: :title": "Atjauninājums pievienots :resource: :title", + "Uruguay": "Urugvaja", + "Uzbekistan": "Uzbekistāna", + "Value": "Vērtība", + "Vanuatu": "Vanuatu", + "Venezuela": "Venecuēla", + "Viet Nam": "Vietnam", + "View": "Skats", + "Virgin Islands, British": "Britu Virdžīnu Salas", + "Virgin Islands, U.S.": "ASV Virdžīnu salas", + "Wallis And Futuna": "Volisa un Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Mēs esam zaudēti kosmosā. Lapa, kuru mēģinājāt apskatīt, nepastāv.", + "Welcome Back!": "Laipni Lūdzam Atpakaļ!", + "Western Sahara": "Rietumsahāra", + "Whoops": "Bļāviens", + "Whoops!": "Ak vai!", + "With Trashed": "Ar Trashed", + "Write": "Rakstīt", + "Year To Date": "Gads Līdz Datumam", + "Yemen": "Jemenas", + "Yes": "Jā", + "You are receiving this email because we received a password reset request for your account.": "Jūs saņemat šo e-pastu, jo mēs saņēmām paroles atiestatīšanas pieprasījumu jūsu kontam.", + "Zambia": "Zambija", + "Zimbabwe": "Zimbabve" +} diff --git a/locales/lv/packages/spark-paddle.json b/locales/lv/packages/spark-paddle.json new file mode 100644 index 00000000000..05862503651 --- /dev/null +++ b/locales/lv/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Pakalpojumu sniegšanas noteikumi", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Ak vai! Kaut kas nogāja greizi.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/lv/packages/spark-stripe.json b/locales/lv/packages/spark-stripe.json new file mode 100644 index 00000000000..611ce73d2ba --- /dev/null +++ b/locales/lv/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afganistāna", + "Albania": "Albānija", + "Algeria": "Alžīrija", + "American Samoa": "Amerikas Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andoras", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarktīda", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentīna", + "Armenia": "Armēnija", + "Aruba": "Aruba", + "Australia": "Austrālija", + "Austria": "Austrija", + "Azerbaijan": "Azerbaidžāna", + "Bahamas": "Bahamu", + "Bahrain": "Bahreina", + "Bangladesh": "Bangladeša", + "Barbados": "Barbados", + "Belarus": "Baltkrievija", + "Belgium": "Beļģija", + "Belize": "Beliza", + "Benin": "Benina", + "Bermuda": "Bermudu", + "Bhutan": "Butāna", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botsvāna", + "Bouvet Island": "Bouvet Sala", + "Brazil": "Brazīlija", + "British Indian Ocean Territory": "Britu Indijas Okeāna Teritorija", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgārija", + "Burkina Faso": "Burkinafaso", + "Burundi": "Burundi", + "Cambodia": "Kambodža", + "Cameroon": "Kamerūna", + "Canada": "Kanāda", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Kaboverde", + "Card": "Karte", + "Cayman Islands": "Kaimanu Salas", + "Central African Republic": "Centrālāfrikas Republika", + "Chad": "Čadas", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Čīle", + "China": "Ķīna", + "Christmas Island": "Ziemassvētku Sala", + "City": "City", + "Cocos (Keeling) Islands": "Kokosu (Kīlinga) Salas", + "Colombia": "Kolumbija", + "Comoros": "Komoru salas", + "Confirm Payment": "Apstipriniet Maksājumu", + "Confirm your :amount payment": "Apstipriniet savu :amount maksājumu", + "Congo": "Kongo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Kuka Salas", + "Costa Rica": "Kostarika", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Horvātija", + "Cuba": "Kuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Kipra", + "Czech Republic": "Čehija", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Dānija", + "Djibouti": "Džibutija", + "Dominica": "Svētdiena", + "Dominican Republic": "Dominikāna", + "Download Receipt": "Download Receipt", + "Ecuador": "Ekvadora", + "Egypt": "Ēģipte", + "El Salvador": "Salvadors", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Ekvatoriālā Gvineja", + "Eritrea": "Eritreja", + "Estonia": "Igaunija", + "Ethiopia": "Etiopija", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Papildu apstiprinājums ir nepieciešams, lai apstrādātu jūsu maksājumu. Lūdzu, turpiniet maksājumu lapu, noklikšķinot uz pogas zemāk.", + "Falkland Islands (Malvinas)": "Folklenda Salas (Malvinas)", + "Faroe Islands": "Farēru Salas", + "Fiji": "Fidži", + "Finland": "Somija", + "France": "Francija", + "French Guiana": "Franču Gviāna", + "French Polynesia": "Franču Polinēzija", + "French Southern Territories": "Francijas Dienvidu Teritorijas", + "Gabon": "Gabona", + "Gambia": "Gambija", + "Georgia": "Gruzija", + "Germany": "Vācija", + "Ghana": "Gana", + "Gibraltar": "Gibraltārs", + "Greece": "Grieķija", + "Greenland": "Grenlande", + "Grenada": "Grenāda", + "Guadeloupe": "Gvadelupa", + "Guam": "Guama", + "Guatemala": "Gvatemalā", + "Guernsey": "Guernsey", + "Guinea": "Gvineja", + "Guinea-Bissau": "Gvineja-Bisava", + "Guyana": "Gajāna", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Hondurasa", + "Hong Kong": "Honkonga", + "Hungary": "Ungārija", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Islande", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Indija", + "Indonesia": "Indonēzija", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Irāka", + "Ireland": "Īrija", + "Isle of Man": "Isle of Man", + "Israel": "Israēla", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Itālija", + "Jamaica": "Jamaika", + "Japan": "Japāna", + "Jersey": "Krekls", + "Jordan": "Jordānija", + "Kazakhstan": "Kazahstāna", + "Kenya": "Kenija", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Ziemeļkoreja", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuveitas", + "Kyrgyzstan": "Kirgizstāna", + "Lao People's Democratic Republic": "Laosa", + "Latvia": "Latvijas", + "Lebanon": "Libāna", + "Lesotho": "Lesoto", + "Liberia": "Libērija", + "Libyan Arab Jamahiriya": "Lībija", + "Liechtenstein": "Lihtenšteina", + "Lithuania": "Lietuva", + "Luxembourg": "Luksemburga", + "Macao": "Makao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagaskara", + "Malawi": "Malāvi", + "Malaysia": "Malaizija", + "Maldives": "Maldivu", + "Mali": "Mazs", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Māršala Salas", + "Martinique": "Martinika", + "Mauritania": "Mauritānija", + "Mauritius": "Maurīcija", + "Mayotte": "Majota", + "Mexico": "Meksika", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monako", + "Mongolia": "Mongolija", + "Montenegro": "Melnkalne", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserata", + "Morocco": "Maroka", + "Mozambique": "Mozambika", + "Myanmar": "Mjanma", + "Namibia": "Namībija", + "Nauru": "Nauru", + "Nepal": "Nepāla", + "Netherlands": "Nīderlande", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Jaunkaledonija", + "New Zealand": "Jaunzēlande", + "Nicaragua": "Nikaragva", + "Niger": "Nigēra", + "Nigeria": "Nigērija", + "Niue": "Niue", + "Norfolk Island": "Norfolkas Sala", + "Northern Mariana Islands": "Ziemeļu Marianas Salas", + "Norway": "Norvēģija", + "Oman": "Omāna", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistāna", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestīniešu Teritorijas", + "Panama": "Panama", + "Papua New Guinea": "Papua-Jaungvineja", + "Paraguay": "Paragvaja", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Filipīnu", + "Pitcairn": "Pitkērnas Salas", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Polija", + "Portugal": "Portugāle", + "Puerto Rico": "Puertoriko", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Rumānija", + "Russian Federation": "Krievijas Federācija", + "Rwanda": "Ruanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Helēnas Sala", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Sentlūsija", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "Sanmarīno", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saūda Arābija", + "Save": "Saglabāt", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegāla", + "Serbia": "Serbija", + "Seychelles": "Seišelu", + "Sierra Leone": "Sjerraleone", + "Signed in as": "Signed in as", + "Singapore": "Singapūra", + "Slovakia": "Slovākija", + "Slovenia": "Slovēnija", + "Solomon Islands": "Zālamana Salas", + "Somalia": "Somālija", + "South Africa": "Dienvidāfrika", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Spānija", + "Sri Lanka": "Šrilanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudāna", + "Suriname": "Surinama", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Zviedrija", + "Switzerland": "Šveice", + "Syrian Arab Republic": "Sīrija", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tadžikistāna", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Pakalpojumu sniegšanas noteikumi", + "Thailand": "Taizeme", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timora-Leste", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Nāk", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisija", + "Turkey": "Turcija", + "Turkmenistan": "Turkmenistāna", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraina", + "United Arab Emirates": "Apvienotie Arābu Emirāti", + "United Kingdom": "Lielbritānija", + "United States": "ASV", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Atjauninājums", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Urugvaja", + "Uzbekistan": "Uzbekistāna", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Britu Virdžīnu Salas", + "Virgin Islands, U.S.": "ASV Virdžīnu salas", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Rietumsahāra", + "Whoops! Something went wrong.": "Ak vai! Kaut kas nogāja greizi.", + "Yearly": "Yearly", + "Yemen": "Jemenas", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambija", + "Zimbabwe": "Zimbabve", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/mk/mk.json b/locales/mk/mk.json index 11104db52b0..fff4569db8b 100644 --- a/locales/mk/mk.json +++ b/locales/mk/mk.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Дена", - "60 Days": "60 Дена", - "90 Days": "90 Дена", - ":amount Total": ":amount година Вкупно", - ":days day trial": ":days day trial", - ":resource Details": ":resource Детали", - ":resource Details: :title": ":resource Детали: :title", "A fresh verification link has been sent to your email address.": "Испратен е нов линк за потврда на вашата e-mail адреса.", - "A new verification link has been sent to the email address you provided during registration.": "Испратен е нов линк за потврда до e-mail адресата што ја внесовте при регистрацијата.", - "Accept Invitation": "Прифатете ја поканата", - "Action": "Акција", - "Action Happened At": "Се Случило Во", - "Action Initiated By": "Инициран Од Страна На", - "Action Name": "Име", - "Action Status": "Статус", - "Action Target": "Целна", - "Actions": "Активности", - "Add": "Додади", - "Add a new team member to your team, allowing them to collaborate with you.": "Додадете нов член во вашиот тим, дозволувајќи му да работи со вас.", - "Add additional security to your account using two factor authentication.": "Додадете дополнителна безбедност на вашата сметка користејќи проверка во два чекори (two factor authentication).", - "Add row": "Додај ред", - "Add Team Member": "Додадете нов член на тимот.", - "Add VAT Number": "Add VAT Number", - "Added.": "Додадено.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Администратор", - "Administrator users can perform any action.": "Корисниците со улога Администратор може да вршат било каква акција.", - "Afghanistan": "Авганистан", - "Aland Islands": "Åland Острови", - "Albania": "Албанија", - "Algeria": "Алжир", - "All of the people that are part of this team.": "Сите луѓе кои се дел од овој тим.", - "All resources loaded.": "Сите ресурси вчитан.", - "All rights reserved.": "Сите права се задржани.", - "Already registered?": "Веќе сте регистрирани?", - "American Samoa": "Американска Самоа", - "An error occured while uploading the file.": "Грешка при додека качувањето на датотеката.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorran", - "Angola": "Ангола", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Друг корисник ја ажурира овој ресурс од оваа страница е вчитана. Ве молиме освежете ја страницата и обидете се повторно.", - "Antarctica": "Антарктикот", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Антигва и Барбуда", - "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 токените овозможуваат автентикација на услугите на трети лица со нашата апликација во ваше име.", - "April": "Април", - "Are you sure you want to delete the selected resources?": "Дали сте сигурни дека сакате да го избришете избраниот ресурси?", - "Are you sure you want to delete this file?": "Дали сте сигурни дека сакате да ја избришете оваа датотека?", - "Are you sure you want to delete this resource?": "Дали сте сигурни дека сакате да го избришете овој ресурс?", - "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 detach the selected resources?": "Дали сте сигурни дека сакате да ја оттргне одбраната ресурси?", - "Are you sure you want to detach this resource?": "Дали сте сигурни дека сакате да се оддели овој ресурс?", - "Are you sure you want to force delete the selected resources?": "Дали сте сигурни дека сакате да ја присили да го избришете избраниот ресурси?", - "Are you sure you want to force delete this resource?": "Дали сте сигурни дека сакате да ја присили избришете овој ресурс?", - "Are you sure you want to restore the selected resources?": "Дали сте сигурни дека сакате да ги обновите избрани ресурси?", - "Are you sure you want to restore this resource?": "Дали сте сигурни дека сакате да го направите овој ресурс?", - "Are you sure you want to run this action?": "Дали сте сигурни дека сакате да ја извршите оваа акција?", - "Are you sure you would like to delete this API token?": "Дали сте сигурни дека сакате да го избришете овој API токен?", - "Are you sure you would like to leave this team?": "Дали сте сигурни дека сакате да го напуштите овој тим?", - "Are you sure you would like to remove this person from the team?": "Дали сте сигурни дека сакате да го отстраните ова лице од тимот?", - "Argentina": "Аргентина", - "Armenia": "Ерменија", - "Aruba": "Aruba", - "Attach": "Прикачите", - "Attach & Attach Another": "Прикачите & Приложите Друга", - "Attach :resource": "Прикачите :resource", - "August": "Август", - "Australia": "Австралија", - "Austria": "Австрија", - "Azerbaijan": "Азербејџан", - "Bahamas": "Бахамите", - "Bahrain": "Бахреин", - "Bangladesh": "Бангладеш", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Пред да продолжите, проверете на вашата e-mail адреса за линк за верификација.", - "Belarus": "Белорусија", - "Belgium": "Белгија", - "Belize": "Белизе", - "Benin": "Бенин", - "Bermuda": "Бермуди", - "Bhutan": "Бутан", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Боливија", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius и Sábado", - "Bosnia And Herzegovina": "Босна и Херцеговина", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Боцвана", - "Bouvet Island": "Bouvet Island", - "Brazil": "Бразил", - "British Indian Ocean Territory": "Британска Територија Во Индискиот Океан", - "Browser Sessions": "Сесии на веб прелистувачи", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Бугарија", - "Burkina Faso": "Burkina Faso", - "Burundi": "Бурунди", - "Cambodia": "Камбоџа", - "Cameroon": "Камерун", - "Canada": "Канада", - "Cancel": "Откажи", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Кејп Верде", - "Card": "Картичка", - "Cayman Islands": "Cayman Острови", - "Central African Republic": "Централна Африканска Република", - "Chad": "Чад", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Промени", - "Chile": "Чиле", - "China": "Кина", - "Choose": "Изберете", - "Choose :field": "Изберете :field", - "Choose :resource": "Изберете :resource", - "Choose an option": "Изберете опција", - "Choose date": "Изберете датум", - "Choose File": "Изберете Датотека", - "Choose Type": "Изберете Тип", - "Christmas Island": "Божиќен Остров", - "City": "City", "click here to request another": "кликнете овде за да побарате друга", - "Click to choose": "Кликнете за да изберете", - "Close": "Затвори", - "Cocos (Keeling) Islands": "Cocos (Keeling) Острови", - "Code": "Код", - "Colombia": "Колумбија", - "Comoros": "Comoros", - "Confirm": "Потврди", - "Confirm Password": "Потврди ја лозинката", - "Confirm Payment": "Потврдете плаќање", - "Confirm your :amount payment": "Потврдете ја вашата уплата со износ :amount", - "Congo": "Конго", - "Congo, Democratic Republic": "Конго, Демократска Република", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Постојано", - "Cook Islands": "Кук Острови", - "Costa Rica": "Коста Рика", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "не може да се најде.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Креирај", - "Create & Add Another": "Креирај & Додадете Друга", - "Create :resource": "Се создаде :resource", - "Create a new team to collaborate with others on projects.": "Креирај нов тим за да соработувате со други на проекти.", - "Create Account": "Креирај сметка", - "Create API Token": "Креирај API токен", - "Create New Team": "Креирај нов тим", - "Create Team": "Креирај тим", - "Created.": "Креиран.", - "Croatia": "Хрватска", - "Cuba": "Куба", - "Curaçao": "Curacao", - "Current Password": "Сегашна лозинка", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Се прилагодите", - "Cyprus": "Кипар", - "Czech Republic": "Чешка република", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Контролна табла", - "December": "Декември", - "Decrease": "Намалување", - "Delete": "Избриши", - "Delete Account": "Избриши сметкас", - "Delete API Token": "Избриши API токен", - "Delete File": "Избриши Датотека", - "Delete Resource": "Бришење На Ресурс", - "Delete Selected": "Избриши Го Избраното", - "Delete Team": "Избриши тим", - "Denmark": "Данска", - "Detach": "Одвојте", - "Detach Resource": "Одвојте Ресурси", - "Detach Selected": "Одвојте Одбраната", - "Details": "Детали", - "Disable": "Оневозможи", - "Djibouti": "Џибути", - "Do you really want to leave? You have unsaved changes.": "Дали навистина сакате да ја напушти? Имате незачувани промени.", - "Dominica": "Недела", - "Dominican Republic": "Доминиканска Република", - "Done.": "Направено.", - "Download": "Преземете", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-mail адреса", - "Ecuador": "Еквадор", - "Edit": "Edit", - "Edit :resource": "Уредување :resource", - "Edit Attached": "Уредување Во Прилог", - "Editor": "Уредник", - "Editor users have the ability to read, create, and update.": "Корисниците со улога Уредник може да читаат, креираат и ажурираат.", - "Egypt": "Египет", - "El Salvador": "Салвадор", - "Email": "Е-маил", - "Email Address": "E-Mail Адреса", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Линк за ресетирање на лозинка по e-пошта", - "Enable": "Овозможи", - "Ensure your account is using a long, random password to stay secure.": "Осигурете се дека вашата сметка користи долга, случајно избрана лозинка за да биде безбедна", - "Equatorial Guinea": "Екваторијалниот Гвинеја", - "Eritrea": "Еритреја", - "Estonia": "Естонија", - "Ethiopia": "Етиопија", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Потребна е дополнителна потврда за процесирање на вашето плаќање. Ве молиме, потврдете ја вашата исплата со пополнување на деталите за плаќање подолу.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Потребна е дополнителна потврда за процесирање на вашето плаќање. Продолжете на страницата за плаќање со кликнување на копчето подолу.", - "Falkland Islands (Malvinas)": "Falkland Острови (Malvinas)", - "Faroe Islands": "Faroe Острови", - "February": "Февруари", - "Fiji": "Фиџи", - "Finland": "Финска", - "For your security, please confirm your password to continue.": "За ваша безбедност, потврдете ја вашата лозинка за да продолжите.", "Forbidden": "Забрането", - "Force Delete": "Сила Избришете", - "Force Delete Resource": "Сила Бришење На Ресурс", - "Force Delete Selected": "Сила Избришете Одбраниот", - "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.": "Ја заборави лозинката? Нема проблем. Само кажете ни ја вашата e-mail адреса и ќе ви испратиме линк за ресетирање на лозинката што ќе ви овозможи да изберете нова.", - "France": "Франција", - "French Guiana": "Француска Гвајана", - "French Polynesia": "Француска Полинезија", - "French Southern Territories": "Француски Јужни Територии", - "Full name": "Целосно име", - "Gabon": "Габон", - "Gambia": "Гамбија", - "Georgia": "Грузија", - "Germany": "Германија", - "Ghana": "Гана", - "Gibraltar": "Гибралтар", - "Go back": "Врати се назад", - "Go Home": "Оди на почеток", "Go to page :page": "Оди на страна :page", - "Great! You have accepted the invitation to join the :team team.": "Одлично! Ја прифативте поканата да се придружите на :team тимот.", - "Greece": "Грција", - "Greenland": "Гренланд", - "Grenada": "Гренада", - "Guadeloupe": "Guadeloupe", - "Guam": "Гвам", - "Guatemala": "Гватемала", - "Guernsey": "Џернси", - "Guinea": "Гвинеја", - "Guinea-Bissau": "Гвинеја-Bissau", - "Guyana": "Гвајана", - "Haiti": "Хаити", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Слушнав Островот и McDonald Острови", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Здраво!", - "Hide Content": "Сокриј Содржина", - "Hold Up!": "Држете Се!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Хондурас", - "Hong Kong": "Хонг Конг", - "Hungary": "Унгарија", - "I agree to the :terms_of_service and :privacy_policy": "Се согласувам со :terms_of_service и :privacy_policy", - "Iceland": "Исланд", - "ID": "ID", - "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 logout 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 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.": "Ако не очекувавте да добиете покана до овој тим, може да ја игнорирате оваа e-mail порака.", "If you did not receive the email": "Ако не сте ја добиле e-mail пораката", - "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:": "Ако немате сметка, можете да креирате една со кликнување на копчето подолу. Откако ќе креирате сметка, можете да кликнете на копчето за прифаќање покана во оваа e-mail порака за да ја прифатите поканата за тимот:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Ако имате проблем со кликнување на копчето \":actionText\", копирајте ја и залепете ја URL адресата подолу\nво вашиот веб прелистувач:", - "Increase": "Зголеми", - "India": "Индија", - "Indonesia": "Индонезија", "Invalid signature.": "Невалиден потпис.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Иран", - "Iraq": "Ирак", - "Ireland": "Ирска", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Isle of Man", - "Israel": "Израел", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Италија", - "Jamaica": "Јамајка", - "January": "Јануари", - "Japan": "Јапонија", - "Jersey": "Џерси", - "Jordan": "Јордан", - "July": "Јули", - "June": "Јуни", - "Kazakhstan": "Казахстан", - "Kenya": "Кенија", - "Key": "Копче", - "Kiribati": "Kiribati", - "Korea": "Јужна Кореја", - "Korea, Democratic People's Republic of": "Северна Кореја", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Косово", - "Kuwait": "Кувајт", - "Kyrgyzstan": "Киргистан", - "Lao People's Democratic Republic": "Лаос", - "Last active": "Последно активен", - "Last used": "Последен пат користен", - "Latvia": "Летонија", - "Leave": "Замини", - "Leave Team": "Заминете од тимот", - "Lebanon": "Либан", - "Lens": "Леќа", - "Lesotho": "Лесото", - "Liberia": "Либерија", - "Libyan Arab Jamahiriya": "Либија", - "Liechtenstein": "Лихтенштајн", - "Lithuania": "Литванија", - "Load :perPage More": "Оптоварување :perPage Повеќе", - "Log in": "Најави се", "Log out": "Одјави се", - "Log Out": "Одјавете се", - "Log Out Other Browser Sessions": "Одјавете се од други сесии на веб прелистувачи", - "Login": "Најави се", - "Logout": "Одјави се", "Logout Other Browser Sessions": "Одјавете се од други сесии на веб прелистувачи", - "Luxembourg": "Луксембург", - "Macao": "Macao", - "Macedonia": "Северна Македонија", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Мадагаскар", - "Malawi": "Малави", - "Malaysia": "Малезија", - "Maldives": "Малдиви", - "Mali": "Мали", - "Malta": "Малта", - "Manage Account": "Управувајте со сметката", - "Manage and log out your active sessions on other browsers and devices.": "Управувајте и одјавете се од активните сесии на други прелистувачи и уреди.", "Manage and logout your active sessions on other browsers and devices.": "Управувајте и одјавете се од активните сесии на други прелистувачи и уреди.", - "Manage API Tokens": "Управувајте со API токените", - "Manage Role": "Управувајте со ројли", - "Manage Team": "Управувајте со тимот", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Март", - "Marshall Islands": "Маршалски Острови", - "Martinique": "Martinique", - "Mauritania": "Mauritania", - "Mauritius": "Маурициус", - "May": "Може да", - "Mayotte": "Mayotte", - "Mexico": "Мексико", - "Micronesia, Federated States Of": "Микронезија", - "Moldova": "Молдавија", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Монако", - "Mongolia": "Монголија", - "Montenegro": "Црна гора", - "Month To Date": "Месец На Датумот", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Мароко", - "Mozambique": "Мозамбик", - "Myanmar": "Мјанмар", - "Name": "Име", - "Namibia": "Намибија", - "Nauru": "Nauru", - "Nepal": "Непал", - "Netherlands": "Холандија", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Не е важно", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Нови", - "New :resource": "Нови :resource", - "New Caledonia": "Нова Каледонија", - "New Password": "Нова лозинка", - "New Zealand": "Нов Зеланд", - "Next": "Следна", - "Nicaragua": "Никарагва", - "Niger": "Нигер", - "Nigeria": "Нигерија", - "Niue": "Niue", - "No": "Никој", - "No :resource matched the given criteria.": "Не :resource соодветствуваа на дадени критериуми.", - "No additional information...": "Не дополнителни информации...", - "No Current Data": "Не Тековната Податоци", - "No Data": "Нема Податоци", - "no file selected": "не избраната датотека", - "No Increase": "Не Се Зголеми", - "No Prior Data": "Нема Претходни Податоци", - "No Results Found.": "Нема Пронајдени Резултати.", - "Norfolk Island": "Норфолк Остров", - "Northern Mariana Islands": "Северни Маријански Острови", - "Norway": "Норвешка", "Not Found": "Не е пронајдено", - "Nova User": "Нова Корисник", - "November": "Ноември", - "October": "Октомври", - "of": "од", "Oh no": "Ох не", - "Oman": "Оман", - "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 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 Trashed": "Само Одбележана", - "Original": "Оригиналниот", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Рокот на важење на страницата помина", "Pagination Navigation": "Навигација на пагинацијата", - "Pakistan": "Пакистан", - "Palau": "Палау", - "Palestinian Territory, Occupied": "Палестинските Територии", - "Panama": "Панама", - "Papua New Guinea": "Папуа Нова Гвинеја", - "Paraguay": "Парагвај", - "Password": "Лозинка", - "Pay :amount": "Плати :amount", - "Payment Cancelled": "Плаќањето е откажано", - "Payment Confirmation": "Потврда за плаќање", - "Payment Information": "Payment Information", - "Payment Successful": "Плаќањето е успешно", - "Pending Team Invitations": "Покани за тим во очекување", - "Per Page": "По Страна", - "Permanently delete this team.": "Трајно избришете го овој тим.", - "Permanently delete your account.": "Трајно избришете ја вашата сметка.", - "Permissions": "Пермисии", - "Peru": "Перу", - "Philippines": "Филипини", - "Photo": "Фотографија", - "Pitcairn": "Pitcairn Острови", "Please click the button below to verify your email address.": "Кликнете на копчето подолу за да ја потврдите вашата e-mail адреса.", - "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 your password before continuing.": "Ве молиме потврдете ја вашата лозинка пред да продолжите.", - "Please copy your new API token. For your security, it won't be shown again.": "Копирајте го вашиот нов API токен. За ваша безбедност, нема да биде прикажан повторно.", - "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 logout of your other browser sessions across all of your devices.": "Внесете ја вашата лозинка за да потврдите дека сакате да се одјавите од другите сесии на прелистувачот на сите ваши уреди.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "Please provide the email address of the person you would like to add to this team.": "Ве молиме внесете e-mail адреса од лицето што би сакале да го додадете на овој тим.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Ве молиме, напишете ја e-mail адресата на лице кое сакате да го додадете овој тим. На e-mail адресата мора да биде поврзана со постоечка сметка.", - "Please provide your name.": "Ве молиме наведете го вашето име.", - "Poland": "Полска", - "Portugal": "Португалија", - "Press \/ to search": "Притиснете \/ за да пребарувате", - "Preview": "Преглед", - "Previous": "Претходна", - "Privacy Policy": "Политика на приватност", - "Profile": "Профил", - "Profile Information": "Информации за профилот", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Квартал На Денот", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Код за обновување", "Regards": "Со почит", - "Regenerate Recovery Codes": "Регенерирајте ги кодовите за обновување", - "Register": "Регистрирај се", - "Reload": "Вчитај", - "Remember me": "Запомни ме", - "Remember Me": "Запомни ме", - "Remove": "Отстрани", - "Remove Photo": "Отстрани фотографија", - "Remove Team Member": "Отстрани член на тимот", - "Resend Verification Email": "Испрати повторно e-mail за верификација", - "Reset Filters": "Ресетирање На Филтри", - "Reset Password": "Ресетирај лозинка", - "Reset Password Notification": "Известување за ресетирање на лозинка", - "resource": "ресурс", - "Resources": "Ресурси", - "resources": "ресурси", - "Restore": "Враќање", - "Restore Resource": "Враќање На Ресурси", - "Restore Selected": "Restore Selected", "results": "резултати", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Состанок", - "Role": "Ролја", - "Romania": "Романија", - "Run Action": "Да Ја Стартувате Акциона", - "Russian Federation": "Руската Федерација", - "Rwanda": "Руанда", - "Réunion": "Réunion", - "Saint Barthelemy": "Св. Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Св. Елена", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "Св. Kitts и Невис", - "Saint Lucia": "Св. Луција", - "Saint Martin": "Свети Мартин", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "Св. Пјер и Miquelon", - "Saint Vincent And Grenadines": "Свети Винсент и Grenadines", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Самоа", - "San Marino": "Сан Марино", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "São Tomé and Príncipe", - "Saudi Arabia": "Саудиска Арабија", - "Save": "Зачувај", - "Saved.": "Зачувано.", - "Search": "Пребарување", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Изберете нова фотографија", - "Select Action": "Одберете Акција", - "Select All": "Одберете Ги Сите", - "Select All Matching": "Одберете Сите Појавување", - "Send Password Reset Link": "Испрати линк за ресетирање на лозинка", - "Senegal": "Senegal", - "September": "Септември", - "Serbia": "Србија", "Server Error": "Серверска грешка", "Service Unavailable": "Сервисот е недостапен", - "Seychelles": "Сејшели", - "Show All Fields": "Прикажи Ги Сите Полиња", - "Show Content": "Прикажи Содржина", - "Show Recovery Codes": "Покажете ги кодовите за обновување", "Showing": "Прикажани се", - "Sierra Leone": "Сиера Леоне", - "Signed in as": "Signed in as", - "Singapore": "Сингапур", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Словачка", - "Slovenia": "Словенија", - "Solomon Islands": "Соломонски Острови", - "Somalia": "Сомалија", - "Something went wrong.": "Нешто не беше во ред.", - "Sorry! You are not authorized to perform this action.": "Жал ми е! Не сте авторизирани да се изврши оваа акција.", - "Sorry, your session has expired.": "Жал ми е, вашата сесија е истечена.", - "South Africa": "Јужна Африка", - "South Georgia And Sandwich Isl.": "Јужна Џорџија и јужните Сендвич Острови", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Јужен Судан", - "Spain": "Шпанија", - "Sri Lanka": "Шри Ланка", - "Start Polling": "Започнете Избирачките", - "State \/ County": "State \/ County", - "Stop Polling": "Стоп За Избирачкото", - "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.": "Чивајте ги овие кодови за обновување во безбеден менаџер на лозинки. Тие можат да се искористат за враќање на пристап до вашата сметка во случај да се изгуби вашиот уред за дуо фактор (two factor) автентикација.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Судан", - "Suriname": "Суринам", - "Svalbard And Jan Mayen": "Svalbard and Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Шведска", - "Switch Teams": "Промени тимови", - "Switzerland": "Швајцарија", - "Syrian Arab Republic": "Сирија", - "Taiwan": "Тајван", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Таџикистан", - "Tanzania": "Танзанија", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Детали за тимот", - "Team Invitation": "Покана за тим", - "Team Members": "Членови на тимот", - "Team Name": "Име на тимот", - "Team Owner": "Сопственик на тимот", - "Team Settings": "Поставки на тимот", - "Terms of Service": "Услови за користење", - "Thailand": "Тајланд", - "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.": "Ви благодариме за пријавувањето! Пред да започнете, дали би можеле да ја потврдите вашата e-mail адреса со кликнување на линкот што ви го испративме преку e-mail порака? Ако не сте ја добиле e-mail пораката, со задоволство ќе ви испратиме друга.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute мора да биде валидна ролја.", - "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 and 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 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 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.": "Полето :attribute мора да содржи најмалку :length карактери.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "На :resource бил создаден!", - "The :resource was deleted!": "На :resource беше избришан!", - "The :resource was restored!": "На :resource е вратен!", - "The :resource was updated!": "На :resource беше ажуриран!", - "The action ran successfully!": "Акцијата беше успешно!", - "The file was deleted!": "Датотеката беше избришан!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Владата нема да ги споделите со нас ви покаже она што е зад овие врати", - "The HasOne relationship has already been filled.": "На HasOne однос е веќе исполнет.", - "The payment was successful.": "Плаќањето беше успешно.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Внесената лозинка не се совпаѓа со вашата тековна лозинка.", - "The provided password was incorrect.": "Внесената лозинка не беше точна.", - "The provided two factor authentication code was invalid.": "Внесениот код за дуо фактор (two factor) автентикација е невалиден.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "На ресурси беше ажуриран!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Името на тимот и ифнормации за сопственикот.", - "There are no available options for this resource.": "Не постојат достапни опции за овој ресурс.", - "There was a problem executing the action.": "Има беше проблем успеа да се изврши акцијата.", - "There was a problem submitting the form.": "Има беше проблем поднесување на формуларот.", - "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.": "Овие луѓе се поканети во вашиот тим и им е испратена e-mail порака за покана. Тие можат да се придружат на тимот со прифаќање на e-mail поканата.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Оваа акција е неовластена.", - "This device": "Овој уред", - "This file field is read-only.": "Оваа датотека поле е само за читање.", - "This image": "Оваа слика", - "This is a secure area of the application. Please confirm your password before continuing.": "Ова е заштитена област на апликацијата. Ве молиме потврдете ја вашата лозинка пред да продолжите.", - "This password does not match our records.": "Оваа лозинка не се совпаѓа со записите во нашата база.", "This password reset link will expire in :count minutes.": "Линкот за промена на лозинката ќе истече за :count минути.", - "This payment was already successfully confirmed.": "Оваа уплата е веќе успешно потврдена.", - "This payment was cancelled.": "Оваа уплата е откажана.", - "This resource no longer exists": "Овој ресурс не постои", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Овој корисник веќе припаѓа на овој тим.", - "This user has already been invited to the team.": "Овој корисник е веќе поканет во тимот.", - "Timor-Leste": "Тимор-Leste", "to": "до", - "Today": "Денес", "Toggle navigation": "Вклучи навигација", - "Togo": "Того", - "Tokelau": "Tokelau", - "Token Name": "Име на токен", - "Tonga": "Доаѓаат", "Too Many Attempts.": "Премногу обиди.", "Too Many Requests": "Премногу барања", - "total": "вкупно", - "Total:": "Total:", - "Trashed": "Одбележана", - "Trinidad And Tobago": "Trinidad and Tobago", - "Tunisia": "Тунис", - "Turkey": "Турција", - "Turkmenistan": "Туркменистан", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Турк и Каикос Острови", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Дуо фактор автентикација", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Дуо фактор автентикацијата сега е овозможена. Скенирајте го следниот QR-код користејќи ја апликацијата за автентикација на вашиот телефон.", - "Uganda": "Уганда", - "Ukraine": "Украина", "Unauthorized": "Неовластен пристап", - "United Arab Emirates": "Обединети Арапски Емирати", - "United Kingdom": "Обединето Кралство", - "United States": "Сад", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "САД Оддалечените Острови", - "Update": "Ажурирање", - "Update & Continue Editing": "Ажурирање & Продолжи Уредување", - "Update :resource": "Ажурирање :resource", - "Update :resource: :title": "Ажурирање :resource: :title", - "Update attached :resource: :title": "Ажурирање прилог :resource: :title", - "Update Password": "Ажурирај лозинка", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Ажурирајте ги информациите и e-mail адресата за вашата сметка.", - "Uruguay": "Уругвај", - "Use a recovery code": "Користете код за враќање на сметката", - "Use an authentication code": "Користете код за автентикација на сметката", - "Uzbekistan": "Узбекистан", - "Value": "Вредност", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Венецуела", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Потврдија Е-маил Адресата", "Verify Your Email Address": "Потврдија Вашата Е-маил Адреса", - "Viet Nam": "Vietnam", - "View": "Погледнете", - "Virgin Islands, British": "Британски Девствени Острови", - "Virgin Islands, U.S.": "АМЕРИКАНСКИ Девствени Острови", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Валис и Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Не можевме да најдеме регистриран корисник со оваа e-mail адреса.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Нема да ве прашаме за вашата лозинка повторно во наредните неколку часа.", - "We're lost in space. The page you were trying to view does not exist.": "Ние сме изгубени во вселената. Страница, која се обидува да ја видите не постои.", - "Welcome Back!": "Добредојде Назад!", - "Western Sahara": "Западна Сахара", - "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 на вашиот телефон.", - "Whoops": "Whoops", - "Whoops!": "Упс!", - "Whoops! Something went wrong.": "Упс! Нешто не беше во ред.", - "With Trashed": "Со Одбележана", - "Write": "Пишување", - "Year To Date": "Година До Денес", - "Yearly": "Yearly", - "Yemen": "Yemeni", - "Yes": "Yes", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Најавени сте!", - "You are receiving this email because we received a password reset request for your account.": "Ја добивате оваа e-mail порака затоа што добивме барање за ресетирање на лозинка за вашата сметка.", - "You have been invited to join the :team team!": "Вие сте поканети да се придружите на следниот тим :team!", - "You have enabled two factor authentication.": "Овозможивте дуо фактор автентикација.", - "You have not enabled two factor authentication.": "Немате овозможено дуо фактор автентикација.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.": "Не можете да го напуштите тимот што Вие го имате креирано.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Вашата e-mail адреса не е потврдена.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Замбија", - "Zimbabwe": "Зимбабве", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Вашата e-mail адреса не е потврдена." } diff --git a/locales/mk/packages/cashier.json b/locales/mk/packages/cashier.json new file mode 100644 index 00000000000..376722d3549 --- /dev/null +++ b/locales/mk/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Сите права се задржани.", + "Card": "Картичка", + "Confirm Payment": "Потврдете плаќање", + "Confirm your :amount payment": "Потврдете ја вашата уплата со износ :amount", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Потребна е дополнителна потврда за процесирање на вашето плаќање. Ве молиме, потврдете ја вашата исплата со пополнување на деталите за плаќање подолу.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Потребна е дополнителна потврда за процесирање на вашето плаќање. Продолжете на страницата за плаќање со кликнување на копчето подолу.", + "Full name": "Целосно име", + "Go back": "Врати се назад", + "Jane Doe": "Jane Doe", + "Pay :amount": "Плати :amount", + "Payment Cancelled": "Плаќањето е откажано", + "Payment Confirmation": "Потврда за плаќање", + "Payment Successful": "Плаќањето е успешно", + "Please provide your name.": "Ве молиме наведете го вашето име.", + "The payment was successful.": "Плаќањето беше успешно.", + "This payment was already successfully confirmed.": "Оваа уплата е веќе успешно потврдена.", + "This payment was cancelled.": "Оваа уплата е откажана." +} diff --git a/locales/mk/packages/fortify.json b/locales/mk/packages/fortify.json new file mode 100644 index 00000000000..53576dcb421 --- /dev/null +++ b/locales/mk/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 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 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.": "Полето :attribute мора да содржи најмалку :length карактери.", + "The provided password does not match your current password.": "Внесената лозинка не се совпаѓа со вашата тековна лозинка.", + "The provided password was incorrect.": "Внесената лозинка не беше точна.", + "The provided two factor authentication code was invalid.": "Внесениот код за дуо фактор (two factor) автентикација е невалиден." +} diff --git a/locales/mk/packages/jetstream.json b/locales/mk/packages/jetstream.json new file mode 100644 index 00000000000..1edacd80a7a --- /dev/null +++ b/locales/mk/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Испратен е нов линк за потврда до e-mail адресата што ја внесовте при регистрацијата.", + "Accept Invitation": "Прифатете ја поканата", + "Add": "Додади", + "Add a new team member to your team, allowing them to collaborate with you.": "Додадете нов член во вашиот тим, дозволувајќи му да работи со вас.", + "Add additional security to your account using two factor authentication.": "Додадете дополнителна безбедност на вашата сметка користејќи проверка во два чекори (two factor authentication).", + "Add Team Member": "Додадете нов член на тимот.", + "Added.": "Додадено.", + "Administrator": "Администратор", + "Administrator users can perform any action.": "Корисниците со улога Администратор може да вршат било каква акција.", + "All of the people that are part of this team.": "Сите луѓе кои се дел од овој тим.", + "Already registered?": "Веќе сте регистрирани?", + "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 токените овозможуваат автентикација на услугите на трети лица со нашата апликација во ваше име.", + "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 delete this API token?": "Дали сте сигурни дека сакате да го избришете овој API токен?", + "Are you sure you would like to leave this team?": "Дали сте сигурни дека сакате да го напуштите овој тим?", + "Are you sure you would like to remove this person from the team?": "Дали сте сигурни дека сакате да го отстраните ова лице од тимот?", + "Browser Sessions": "Сесии на веб прелистувачи", + "Cancel": "Откажи", + "Close": "Затвори", + "Code": "Код", + "Confirm": "Потврди", + "Confirm Password": "Потврди ја лозинката", + "Create": "Креирај", + "Create a new team to collaborate with others on projects.": "Креирај нов тим за да соработувате со други на проекти.", + "Create Account": "Креирај сметка", + "Create API Token": "Креирај API токен", + "Create New Team": "Креирај нов тим", + "Create Team": "Креирај тим", + "Created.": "Креиран.", + "Current Password": "Сегашна лозинка", + "Dashboard": "Контролна табла", + "Delete": "Избриши", + "Delete Account": "Избриши сметкас", + "Delete API Token": "Избриши API токен", + "Delete Team": "Избриши тим", + "Disable": "Оневозможи", + "Done.": "Направено.", + "Editor": "Уредник", + "Editor users have the ability to read, create, and update.": "Корисниците со улога Уредник може да читаат, креираат и ажурираат.", + "Email": "Е-маил", + "Email Password Reset Link": "Линк за ресетирање на лозинка по e-пошта", + "Enable": "Овозможи", + "Ensure your account is using a long, random password to stay secure.": "Осигурете се дека вашата сметка користи долга, случајно избрана лозинка за да биде безбедна", + "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.": "Ја заборави лозинката? Нема проблем. Само кажете ни ја вашата e-mail адреса и ќе ви испратиме линк за ресетирање на лозинката што ќе ви овозможи да изберете нова.", + "Great! You have accepted the invitation to join the :team team.": "Одлично! Ја прифативте поканата да се придружите на :team тимот.", + "I agree to the :terms_of_service and :privacy_policy": "Се согласувам со :terms_of_service и :privacy_policy", + "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 you already have an account, you may accept this invitation by clicking the button below:": "Ако веќе имате сметка, може да ја прифатите оваа покана со кликнување на копчето подолу:", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Ако не очекувавте да добиете покана до овој тим, може да ја игнорирате оваа 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:": "Ако немате сметка, можете да креирате една со кликнување на копчето подолу. Откако ќе креирате сметка, можете да кликнете на копчето за прифаќање покана во оваа e-mail порака за да ја прифатите поканата за тимот:", + "Last active": "Последно активен", + "Last used": "Последен пат користен", + "Leave": "Замини", + "Leave Team": "Заминете од тимот", + "Log in": "Најави се", + "Log Out": "Одјавете се", + "Log Out Other Browser Sessions": "Одјавете се од други сесии на веб прелистувачи", + "Manage Account": "Управувајте со сметката", + "Manage and log out your active sessions on other browsers and devices.": "Управувајте и одјавете се од активните сесии на други прелистувачи и уреди.", + "Manage API Tokens": "Управувајте со API токените", + "Manage Role": "Управувајте со ројли", + "Manage Team": "Управувајте со тимот", + "Name": "Име", + "New Password": "Нова лозинка", + "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 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.": "Откако вашата сметка е избришана, сите нејзини ресурси и податоци трајно ќе бидат избришани. Пред да ја избришете вашата сметка, преземете ги сите податоци или информации што сакате да ги задржите.", + "Password": "Лозинка", + "Pending Team Invitations": "Покани за тим во очекување", + "Permanently delete this team.": "Трајно избришете го овој тим.", + "Permanently delete your account.": "Трајно избришете ја вашата сметка.", + "Permissions": "Пермисии", + "Photo": "Фотографија", + "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 copy your new API token. For your security, it won't be shown again.": "Копирајте го вашиот нов API токен. За ваша безбедност, нема да биде прикажан повторно.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Внесете ја вашата лозинка за да потврдите дека сакате да се одјавите од другите сесии на прелистувачот на сите ваши уреди.", + "Please provide the email address of the person you would like to add to this team.": "Ве молиме внесете e-mail адреса од лицето што би сакале да го додадете на овој тим.", + "Privacy Policy": "Политика на приватност", + "Profile": "Профил", + "Profile Information": "Информации за профилот", + "Recovery Code": "Код за обновување", + "Regenerate Recovery Codes": "Регенерирајте ги кодовите за обновување", + "Register": "Регистрирај се", + "Remember me": "Запомни ме", + "Remove": "Отстрани", + "Remove Photo": "Отстрани фотографија", + "Remove Team Member": "Отстрани член на тимот", + "Resend Verification Email": "Испрати повторно e-mail за верификација", + "Reset Password": "Ресетирај лозинка", + "Role": "Ролја", + "Save": "Зачувај", + "Saved.": "Зачувано.", + "Select A New Photo": "Изберете нова фотографија", + "Show Recovery Codes": "Покажете ги кодовите за обновување", + "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.": "Чивајте ги овие кодови за обновување во безбеден менаџер на лозинки. Тие можат да се искористат за враќање на пристап до вашата сметка во случај да се изгуби вашиот уред за дуо фактор (two factor) автентикација.", + "Switch Teams": "Промени тимови", + "Team Details": "Детали за тимот", + "Team Invitation": "Покана за тим", + "Team Members": "Членови на тимот", + "Team Name": "Име на тимот", + "Team Owner": "Сопственик на тимот", + "Team Settings": "Поставки на тимот", + "Terms of Service": "Услови за користење", + "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.": "Ви благодариме за пријавувањето! Пред да започнете, дали би можеле да ја потврдите вашата e-mail адреса со кликнување на линкот што ви го испративме преку e-mail порака? Ако не сте ја добиле e-mail пораката, со задоволство ќе ви испратиме друга.", + "The :attribute must be a valid role.": ":attribute мора да биде валидна ролја.", + "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 and 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 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 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.": "Полето :attribute мора да содржи најмалку :length карактери.", + "The provided password does not match your current password.": "Внесената лозинка не се совпаѓа со вашата тековна лозинка.", + "The provided password was incorrect.": "Внесената лозинка не беше точна.", + "The provided two factor authentication code was invalid.": "Внесениот код за дуо фактор (two factor) автентикација е невалиден.", + "The team's name and owner information.": "Името на тимот и ифнормации за сопственикот.", + "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.": "Овие луѓе се поканети во вашиот тим и им е испратена e-mail порака за покана. Тие можат да се придружат на тимот со прифаќање на e-mail поканата.", + "This device": "Овој уред", + "This is a secure area of the application. Please confirm your password before continuing.": "Ова е заштитена област на апликацијата. Ве молиме потврдете ја вашата лозинка пред да продолжите.", + "This password does not match our records.": "Оваа лозинка не се совпаѓа со записите во нашата база.", + "This user already belongs to the team.": "Овој корисник веќе припаѓа на овој тим.", + "This user has already been invited to the team.": "Овој корисник е веќе поканет во тимот.", + "Token Name": "Име на токен", + "Two Factor Authentication": "Дуо фактор автентикација", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Дуо фактор автентикацијата сега е овозможена. Скенирајте го следниот QR-код користејќи ја апликацијата за автентикација на вашиот телефон.", + "Update Password": "Ажурирај лозинка", + "Update your account's profile information and email address.": "Ажурирајте ги информациите и e-mail адресата за вашата сметка.", + "Use a recovery code": "Користете код за враќање на сметката", + "Use an authentication code": "Користете код за автентикација на сметката", + "We were unable to find a registered user with this email address.": "Не можевме да најдеме регистриран корисник со оваа e-mail адреса.", + "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 на вашиот телефон.", + "Whoops! Something went wrong.": "Упс! Нешто не беше во ред.", + "You have been invited to join the :team team!": "Вие сте поканети да се придружите на следниот тим :team!", + "You have enabled two factor authentication.": "Овозможивте дуо фактор автентикација.", + "You have not enabled two factor authentication.": "Немате овозможено дуо фактор автентикација.", + "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.": "Не можете да го напуштите тимот што Вие го имате креирано." +} diff --git a/locales/mk/packages/nova.json b/locales/mk/packages/nova.json new file mode 100644 index 00000000000..4c389e74011 --- /dev/null +++ b/locales/mk/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Дена", + "60 Days": "60 Дена", + "90 Days": "90 Дена", + ":amount Total": ":amount година Вкупно", + ":resource Details": ":resource Детали", + ":resource Details: :title": ":resource Детали: :title", + "Action": "Акција", + "Action Happened At": "Се Случило Во", + "Action Initiated By": "Инициран Од Страна На", + "Action Name": "Име", + "Action Status": "Статус", + "Action Target": "Целна", + "Actions": "Активности", + "Add row": "Додај ред", + "Afghanistan": "Авганистан", + "Aland Islands": "Åland Острови", + "Albania": "Албанија", + "Algeria": "Алжир", + "All resources loaded.": "Сите ресурси вчитан.", + "American Samoa": "Американска Самоа", + "An error occured while uploading the file.": "Грешка при додека качувањето на датотеката.", + "Andorra": "Andorran", + "Angola": "Ангола", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Друг корисник ја ажурира овој ресурс од оваа страница е вчитана. Ве молиме освежете ја страницата и обидете се повторно.", + "Antarctica": "Антарктикот", + "Antigua And Barbuda": "Антигва и Барбуда", + "April": "Април", + "Are you sure you want to delete the selected resources?": "Дали сте сигурни дека сакате да го избришете избраниот ресурси?", + "Are you sure you want to delete this file?": "Дали сте сигурни дека сакате да ја избришете оваа датотека?", + "Are you sure you want to delete this resource?": "Дали сте сигурни дека сакате да го избришете овој ресурс?", + "Are you sure you want to detach the selected resources?": "Дали сте сигурни дека сакате да ја оттргне одбраната ресурси?", + "Are you sure you want to detach this resource?": "Дали сте сигурни дека сакате да се оддели овој ресурс?", + "Are you sure you want to force delete the selected resources?": "Дали сте сигурни дека сакате да ја присили да го избришете избраниот ресурси?", + "Are you sure you want to force delete this resource?": "Дали сте сигурни дека сакате да ја присили избришете овој ресурс?", + "Are you sure you want to restore the selected resources?": "Дали сте сигурни дека сакате да ги обновите избрани ресурси?", + "Are you sure you want to restore this resource?": "Дали сте сигурни дека сакате да го направите овој ресурс?", + "Are you sure you want to run this action?": "Дали сте сигурни дека сакате да ја извршите оваа акција?", + "Argentina": "Аргентина", + "Armenia": "Ерменија", + "Aruba": "Aruba", + "Attach": "Прикачите", + "Attach & Attach Another": "Прикачите & Приложите Друга", + "Attach :resource": "Прикачите :resource", + "August": "Август", + "Australia": "Австралија", + "Austria": "Австрија", + "Azerbaijan": "Азербејџан", + "Bahamas": "Бахамите", + "Bahrain": "Бахреин", + "Bangladesh": "Бангладеш", + "Barbados": "Barbados", + "Belarus": "Белорусија", + "Belgium": "Белгија", + "Belize": "Белизе", + "Benin": "Бенин", + "Bermuda": "Бермуди", + "Bhutan": "Бутан", + "Bolivia": "Боливија", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius и Sábado", + "Bosnia And Herzegovina": "Босна и Херцеговина", + "Botswana": "Боцвана", + "Bouvet Island": "Bouvet Island", + "Brazil": "Бразил", + "British Indian Ocean Territory": "Британска Територија Во Индискиот Океан", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Бугарија", + "Burkina Faso": "Burkina Faso", + "Burundi": "Бурунди", + "Cambodia": "Камбоџа", + "Cameroon": "Камерун", + "Canada": "Канада", + "Cancel": "Откажи", + "Cape Verde": "Кејп Верде", + "Cayman Islands": "Cayman Острови", + "Central African Republic": "Централна Африканска Република", + "Chad": "Чад", + "Changes": "Промени", + "Chile": "Чиле", + "China": "Кина", + "Choose": "Изберете", + "Choose :field": "Изберете :field", + "Choose :resource": "Изберете :resource", + "Choose an option": "Изберете опција", + "Choose date": "Изберете датум", + "Choose File": "Изберете Датотека", + "Choose Type": "Изберете Тип", + "Christmas Island": "Божиќен Остров", + "Click to choose": "Кликнете за да изберете", + "Cocos (Keeling) Islands": "Cocos (Keeling) Острови", + "Colombia": "Колумбија", + "Comoros": "Comoros", + "Confirm Password": "Потврди ја лозинката", + "Congo": "Конго", + "Congo, Democratic Republic": "Конго, Демократска Република", + "Constant": "Постојано", + "Cook Islands": "Кук Острови", + "Costa Rica": "Коста Рика", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "не може да се најде.", + "Create": "Креирај", + "Create & Add Another": "Креирај & Додадете Друга", + "Create :resource": "Се создаде :resource", + "Croatia": "Хрватска", + "Cuba": "Куба", + "Curaçao": "Curacao", + "Customize": "Се прилагодите", + "Cyprus": "Кипар", + "Czech Republic": "Чешка република", + "Dashboard": "Контролна табла", + "December": "Декември", + "Decrease": "Намалување", + "Delete": "Избриши", + "Delete File": "Избриши Датотека", + "Delete Resource": "Бришење На Ресурс", + "Delete Selected": "Избриши Го Избраното", + "Denmark": "Данска", + "Detach": "Одвојте", + "Detach Resource": "Одвојте Ресурси", + "Detach Selected": "Одвојте Одбраната", + "Details": "Детали", + "Djibouti": "Џибути", + "Do you really want to leave? You have unsaved changes.": "Дали навистина сакате да ја напушти? Имате незачувани промени.", + "Dominica": "Недела", + "Dominican Republic": "Доминиканска Република", + "Download": "Преземете", + "Ecuador": "Еквадор", + "Edit": "Edit", + "Edit :resource": "Уредување :resource", + "Edit Attached": "Уредување Во Прилог", + "Egypt": "Египет", + "El Salvador": "Салвадор", + "Email Address": "E-Mail Адреса", + "Equatorial Guinea": "Екваторијалниот Гвинеја", + "Eritrea": "Еритреја", + "Estonia": "Естонија", + "Ethiopia": "Етиопија", + "Falkland Islands (Malvinas)": "Falkland Острови (Malvinas)", + "Faroe Islands": "Faroe Острови", + "February": "Февруари", + "Fiji": "Фиџи", + "Finland": "Финска", + "Force Delete": "Сила Избришете", + "Force Delete Resource": "Сила Бришење На Ресурс", + "Force Delete Selected": "Сила Избришете Одбраниот", + "Forgot Your Password?": "Заборавена лозинка?", + "Forgot your password?": "Ја заборави лозинката?", + "France": "Франција", + "French Guiana": "Француска Гвајана", + "French Polynesia": "Француска Полинезија", + "French Southern Territories": "Француски Јужни Територии", + "Gabon": "Габон", + "Gambia": "Гамбија", + "Georgia": "Грузија", + "Germany": "Германија", + "Ghana": "Гана", + "Gibraltar": "Гибралтар", + "Go Home": "Оди на почеток", + "Greece": "Грција", + "Greenland": "Гренланд", + "Grenada": "Гренада", + "Guadeloupe": "Guadeloupe", + "Guam": "Гвам", + "Guatemala": "Гватемала", + "Guernsey": "Џернси", + "Guinea": "Гвинеја", + "Guinea-Bissau": "Гвинеја-Bissau", + "Guyana": "Гвајана", + "Haiti": "Хаити", + "Heard Island & Mcdonald Islands": "Слушнав Островот и McDonald Острови", + "Hide Content": "Сокриј Содржина", + "Hold Up!": "Држете Се!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Хондурас", + "Hong Kong": "Хонг Конг", + "Hungary": "Унгарија", + "Iceland": "Исланд", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "Ако не побаравте ресетирање на лозинка, не е потребно понатамошно дејство.", + "Increase": "Зголеми", + "India": "Индија", + "Indonesia": "Индонезија", + "Iran, Islamic Republic Of": "Иран", + "Iraq": "Ирак", + "Ireland": "Ирска", + "Isle Of Man": "Isle of Man", + "Israel": "Израел", + "Italy": "Италија", + "Jamaica": "Јамајка", + "January": "Јануари", + "Japan": "Јапонија", + "Jersey": "Џерси", + "Jordan": "Јордан", + "July": "Јули", + "June": "Јуни", + "Kazakhstan": "Казахстан", + "Kenya": "Кенија", + "Key": "Копче", + "Kiribati": "Kiribati", + "Korea": "Јужна Кореја", + "Korea, Democratic People's Republic of": "Северна Кореја", + "Kosovo": "Косово", + "Kuwait": "Кувајт", + "Kyrgyzstan": "Киргистан", + "Lao People's Democratic Republic": "Лаос", + "Latvia": "Летонија", + "Lebanon": "Либан", + "Lens": "Леќа", + "Lesotho": "Лесото", + "Liberia": "Либерија", + "Libyan Arab Jamahiriya": "Либија", + "Liechtenstein": "Лихтенштајн", + "Lithuania": "Литванија", + "Load :perPage More": "Оптоварување :perPage Повеќе", + "Login": "Најави се", + "Logout": "Одјави се", + "Luxembourg": "Луксембург", + "Macao": "Macao", + "Macedonia": "Северна Македонија", + "Madagascar": "Мадагаскар", + "Malawi": "Малави", + "Malaysia": "Малезија", + "Maldives": "Малдиви", + "Mali": "Мали", + "Malta": "Малта", + "March": "Март", + "Marshall Islands": "Маршалски Острови", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Маурициус", + "May": "Може да", + "Mayotte": "Mayotte", + "Mexico": "Мексико", + "Micronesia, Federated States Of": "Микронезија", + "Moldova": "Молдавија", + "Monaco": "Монако", + "Mongolia": "Монголија", + "Montenegro": "Црна гора", + "Month To Date": "Месец На Датумот", + "Montserrat": "Montserrat", + "Morocco": "Мароко", + "Mozambique": "Мозамбик", + "Myanmar": "Мјанмар", + "Namibia": "Намибија", + "Nauru": "Nauru", + "Nepal": "Непал", + "Netherlands": "Холандија", + "New": "Нови", + "New :resource": "Нови :resource", + "New Caledonia": "Нова Каледонија", + "New Zealand": "Нов Зеланд", + "Next": "Следна", + "Nicaragua": "Никарагва", + "Niger": "Нигер", + "Nigeria": "Нигерија", + "Niue": "Niue", + "No": "Никој", + "No :resource matched the given criteria.": "Не :resource соодветствуваа на дадени критериуми.", + "No additional information...": "Не дополнителни информации...", + "No Current Data": "Не Тековната Податоци", + "No Data": "Нема Податоци", + "no file selected": "не избраната датотека", + "No Increase": "Не Се Зголеми", + "No Prior Data": "Нема Претходни Податоци", + "No Results Found.": "Нема Пронајдени Резултати.", + "Norfolk Island": "Норфолк Остров", + "Northern Mariana Islands": "Северни Маријански Острови", + "Norway": "Норвешка", + "Nova User": "Нова Корисник", + "November": "Ноември", + "October": "Октомври", + "of": "од", + "Oman": "Оман", + "Only Trashed": "Само Одбележана", + "Original": "Оригиналниот", + "Pakistan": "Пакистан", + "Palau": "Палау", + "Palestinian Territory, Occupied": "Палестинските Територии", + "Panama": "Панама", + "Papua New Guinea": "Папуа Нова Гвинеја", + "Paraguay": "Парагвај", + "Password": "Лозинка", + "Per Page": "По Страна", + "Peru": "Перу", + "Philippines": "Филипини", + "Pitcairn": "Pitcairn Острови", + "Poland": "Полска", + "Portugal": "Португалија", + "Press \/ to search": "Притиснете \/ за да пребарувате", + "Preview": "Преглед", + "Previous": "Претходна", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Квартал На Денот", + "Reload": "Вчитај", + "Remember Me": "Запомни ме", + "Reset Filters": "Ресетирање На Филтри", + "Reset Password": "Ресетирај лозинка", + "Reset Password Notification": "Известување за ресетирање на лозинка", + "resource": "ресурс", + "Resources": "Ресурси", + "resources": "ресурси", + "Restore": "Враќање", + "Restore Resource": "Враќање На Ресурси", + "Restore Selected": "Restore Selected", + "Reunion": "Состанок", + "Romania": "Романија", + "Run Action": "Да Ја Стартувате Акциона", + "Russian Federation": "Руската Федерација", + "Rwanda": "Руанда", + "Saint Barthelemy": "Св. Barthélemy", + "Saint Helena": "Св. Елена", + "Saint Kitts And Nevis": "Св. Kitts и Невис", + "Saint Lucia": "Св. Луција", + "Saint Martin": "Свети Мартин", + "Saint Pierre And Miquelon": "Св. Пјер и Miquelon", + "Saint Vincent And Grenadines": "Свети Винсент и Grenadines", + "Samoa": "Самоа", + "San Marino": "Сан Марино", + "Sao Tome And Principe": "São Tomé and Príncipe", + "Saudi Arabia": "Саудиска Арабија", + "Search": "Пребарување", + "Select Action": "Одберете Акција", + "Select All": "Одберете Ги Сите", + "Select All Matching": "Одберете Сите Појавување", + "Send Password Reset Link": "Испрати линк за ресетирање на лозинка", + "Senegal": "Senegal", + "September": "Септември", + "Serbia": "Србија", + "Seychelles": "Сејшели", + "Show All Fields": "Прикажи Ги Сите Полиња", + "Show Content": "Прикажи Содржина", + "Sierra Leone": "Сиера Леоне", + "Singapore": "Сингапур", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Словачка", + "Slovenia": "Словенија", + "Solomon Islands": "Соломонски Острови", + "Somalia": "Сомалија", + "Something went wrong.": "Нешто не беше во ред.", + "Sorry! You are not authorized to perform this action.": "Жал ми е! Не сте авторизирани да се изврши оваа акција.", + "Sorry, your session has expired.": "Жал ми е, вашата сесија е истечена.", + "South Africa": "Јужна Африка", + "South Georgia And Sandwich Isl.": "Јужна Џорџија и јужните Сендвич Острови", + "South Sudan": "Јужен Судан", + "Spain": "Шпанија", + "Sri Lanka": "Шри Ланка", + "Start Polling": "Започнете Избирачките", + "Stop Polling": "Стоп За Избирачкото", + "Sudan": "Судан", + "Suriname": "Суринам", + "Svalbard And Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Шведска", + "Switzerland": "Швајцарија", + "Syrian Arab Republic": "Сирија", + "Taiwan": "Тајван", + "Tajikistan": "Таџикистан", + "Tanzania": "Танзанија", + "Thailand": "Тајланд", + "The :resource was created!": "На :resource бил создаден!", + "The :resource was deleted!": "На :resource беше избришан!", + "The :resource was restored!": "На :resource е вратен!", + "The :resource was updated!": "На :resource беше ажуриран!", + "The action ran successfully!": "Акцијата беше успешно!", + "The file was deleted!": "Датотеката беше избришан!", + "The government won't let us show you what's behind these doors": "Владата нема да ги споделите со нас ви покаже она што е зад овие врати", + "The HasOne relationship has already been filled.": "На HasOne однос е веќе исполнет.", + "The resource was updated!": "На ресурси беше ажуриран!", + "There are no available options for this resource.": "Не постојат достапни опции за овој ресурс.", + "There was a problem executing the action.": "Има беше проблем успеа да се изврши акцијата.", + "There was a problem submitting the form.": "Има беше проблем поднесување на формуларот.", + "This file field is read-only.": "Оваа датотека поле е само за читање.", + "This image": "Оваа слика", + "This resource no longer exists": "Овој ресурс не постои", + "Timor-Leste": "Тимор-Leste", + "Today": "Денес", + "Togo": "Того", + "Tokelau": "Tokelau", + "Tonga": "Доаѓаат", + "total": "вкупно", + "Trashed": "Одбележана", + "Trinidad And Tobago": "Trinidad and Tobago", + "Tunisia": "Тунис", + "Turkey": "Турција", + "Turkmenistan": "Туркменистан", + "Turks And Caicos Islands": "Турк и Каикос Острови", + "Tuvalu": "Tuvalu", + "Uganda": "Уганда", + "Ukraine": "Украина", + "United Arab Emirates": "Обединети Арапски Емирати", + "United Kingdom": "Обединето Кралство", + "United States": "Сад", + "United States Outlying Islands": "САД Оддалечените Острови", + "Update": "Ажурирање", + "Update & Continue Editing": "Ажурирање & Продолжи Уредување", + "Update :resource": "Ажурирање :resource", + "Update :resource: :title": "Ажурирање :resource: :title", + "Update attached :resource: :title": "Ажурирање прилог :resource: :title", + "Uruguay": "Уругвај", + "Uzbekistan": "Узбекистан", + "Value": "Вредност", + "Vanuatu": "Vanuatu", + "Venezuela": "Венецуела", + "Viet Nam": "Vietnam", + "View": "Погледнете", + "Virgin Islands, British": "Британски Девствени Острови", + "Virgin Islands, U.S.": "АМЕРИКАНСКИ Девствени Острови", + "Wallis And Futuna": "Валис и Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Ние сме изгубени во вселената. Страница, која се обидува да ја видите не постои.", + "Welcome Back!": "Добредојде Назад!", + "Western Sahara": "Западна Сахара", + "Whoops": "Whoops", + "Whoops!": "Упс!", + "With Trashed": "Со Одбележана", + "Write": "Пишување", + "Year To Date": "Година До Денес", + "Yemen": "Yemeni", + "Yes": "Yes", + "You are receiving this email because we received a password reset request for your account.": "Ја добивате оваа e-mail порака затоа што добивме барање за ресетирање на лозинка за вашата сметка.", + "Zambia": "Замбија", + "Zimbabwe": "Зимбабве" +} diff --git a/locales/mk/packages/spark-paddle.json b/locales/mk/packages/spark-paddle.json new file mode 100644 index 00000000000..5fc7f4589ec --- /dev/null +++ b/locales/mk/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Услови за користење", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Упс! Нешто не беше во ред.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/mk/packages/spark-stripe.json b/locales/mk/packages/spark-stripe.json new file mode 100644 index 00000000000..a4a07ec878c --- /dev/null +++ b/locales/mk/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Авганистан", + "Albania": "Албанија", + "Algeria": "Алжир", + "American Samoa": "Американска Самоа", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorran", + "Angola": "Ангола", + "Anguilla": "Anguilla", + "Antarctica": "Антарктикот", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Аргентина", + "Armenia": "Ерменија", + "Aruba": "Aruba", + "Australia": "Австралија", + "Austria": "Австрија", + "Azerbaijan": "Азербејџан", + "Bahamas": "Бахамите", + "Bahrain": "Бахреин", + "Bangladesh": "Бангладеш", + "Barbados": "Barbados", + "Belarus": "Белорусија", + "Belgium": "Белгија", + "Belize": "Белизе", + "Benin": "Бенин", + "Bermuda": "Бермуди", + "Bhutan": "Бутан", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Боцвана", + "Bouvet Island": "Bouvet Island", + "Brazil": "Бразил", + "British Indian Ocean Territory": "Британска Територија Во Индискиот Океан", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Бугарија", + "Burkina Faso": "Burkina Faso", + "Burundi": "Бурунди", + "Cambodia": "Камбоџа", + "Cameroon": "Камерун", + "Canada": "Канада", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Кејп Верде", + "Card": "Картичка", + "Cayman Islands": "Cayman Острови", + "Central African Republic": "Централна Африканска Република", + "Chad": "Чад", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Чиле", + "China": "Кина", + "Christmas Island": "Божиќен Остров", + "City": "City", + "Cocos (Keeling) Islands": "Cocos (Keeling) Острови", + "Colombia": "Колумбија", + "Comoros": "Comoros", + "Confirm Payment": "Потврдете плаќање", + "Confirm your :amount payment": "Потврдете ја вашата уплата со износ :amount", + "Congo": "Конго", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Кук Острови", + "Costa Rica": "Коста Рика", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Хрватска", + "Cuba": "Куба", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Кипар", + "Czech Republic": "Чешка република", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Данска", + "Djibouti": "Џибути", + "Dominica": "Недела", + "Dominican Republic": "Доминиканска Република", + "Download Receipt": "Download Receipt", + "Ecuador": "Еквадор", + "Egypt": "Египет", + "El Salvador": "Салвадор", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Екваторијалниот Гвинеја", + "Eritrea": "Еритреја", + "Estonia": "Естонија", + "Ethiopia": "Етиопија", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Потребна е дополнителна потврда за процесирање на вашето плаќање. Продолжете на страницата за плаќање со кликнување на копчето подолу.", + "Falkland Islands (Malvinas)": "Falkland Острови (Malvinas)", + "Faroe Islands": "Faroe Острови", + "Fiji": "Фиџи", + "Finland": "Финска", + "France": "Франција", + "French Guiana": "Француска Гвајана", + "French Polynesia": "Француска Полинезија", + "French Southern Territories": "Француски Јужни Територии", + "Gabon": "Габон", + "Gambia": "Гамбија", + "Georgia": "Грузија", + "Germany": "Германија", + "Ghana": "Гана", + "Gibraltar": "Гибралтар", + "Greece": "Грција", + "Greenland": "Гренланд", + "Grenada": "Гренада", + "Guadeloupe": "Guadeloupe", + "Guam": "Гвам", + "Guatemala": "Гватемала", + "Guernsey": "Џернси", + "Guinea": "Гвинеја", + "Guinea-Bissau": "Гвинеја-Bissau", + "Guyana": "Гвајана", + "Haiti": "Хаити", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Хондурас", + "Hong Kong": "Хонг Конг", + "Hungary": "Унгарија", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Исланд", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Индија", + "Indonesia": "Индонезија", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Ирак", + "Ireland": "Ирска", + "Isle of Man": "Isle of Man", + "Israel": "Израел", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Италија", + "Jamaica": "Јамајка", + "Japan": "Јапонија", + "Jersey": "Џерси", + "Jordan": "Јордан", + "Kazakhstan": "Казахстан", + "Kenya": "Кенија", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Северна Кореја", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Кувајт", + "Kyrgyzstan": "Киргистан", + "Lao People's Democratic Republic": "Лаос", + "Latvia": "Летонија", + "Lebanon": "Либан", + "Lesotho": "Лесото", + "Liberia": "Либерија", + "Libyan Arab Jamahiriya": "Либија", + "Liechtenstein": "Лихтенштајн", + "Lithuania": "Литванија", + "Luxembourg": "Луксембург", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Мадагаскар", + "Malawi": "Малави", + "Malaysia": "Малезија", + "Maldives": "Малдиви", + "Mali": "Мали", + "Malta": "Малта", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Маршалски Острови", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Маурициус", + "Mayotte": "Mayotte", + "Mexico": "Мексико", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Монако", + "Mongolia": "Монголија", + "Montenegro": "Црна гора", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Мароко", + "Mozambique": "Мозамбик", + "Myanmar": "Мјанмар", + "Namibia": "Намибија", + "Nauru": "Nauru", + "Nepal": "Непал", + "Netherlands": "Холандија", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Нова Каледонија", + "New Zealand": "Нов Зеланд", + "Nicaragua": "Никарагва", + "Niger": "Нигер", + "Nigeria": "Нигерија", + "Niue": "Niue", + "Norfolk Island": "Норфолк Остров", + "Northern Mariana Islands": "Северни Маријански Острови", + "Norway": "Норвешка", + "Oman": "Оман", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Пакистан", + "Palau": "Палау", + "Palestinian Territory, Occupied": "Палестинските Територии", + "Panama": "Панама", + "Papua New Guinea": "Папуа Нова Гвинеја", + "Paraguay": "Парагвај", + "Payment Information": "Payment Information", + "Peru": "Перу", + "Philippines": "Филипини", + "Pitcairn": "Pitcairn Острови", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Полска", + "Portugal": "Португалија", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Романија", + "Russian Federation": "Руската Федерација", + "Rwanda": "Руанда", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Св. Елена", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Св. Луција", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Самоа", + "San Marino": "Сан Марино", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Саудиска Арабија", + "Save": "Зачувај", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Србија", + "Seychelles": "Сејшели", + "Sierra Leone": "Сиера Леоне", + "Signed in as": "Signed in as", + "Singapore": "Сингапур", + "Slovakia": "Словачка", + "Slovenia": "Словенија", + "Solomon Islands": "Соломонски Острови", + "Somalia": "Сомалија", + "South Africa": "Јужна Африка", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Шпанија", + "Sri Lanka": "Шри Ланка", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Судан", + "Suriname": "Суринам", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Шведска", + "Switzerland": "Швајцарија", + "Syrian Arab Republic": "Сирија", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Таџикистан", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Услови за користење", + "Thailand": "Тајланд", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Тимор-Leste", + "Togo": "Того", + "Tokelau": "Tokelau", + "Tonga": "Доаѓаат", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Тунис", + "Turkey": "Турција", + "Turkmenistan": "Туркменистан", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Уганда", + "Ukraine": "Украина", + "United Arab Emirates": "Обединети Арапски Емирати", + "United Kingdom": "Обединето Кралство", + "United States": "Сад", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Ажурирање", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Уругвај", + "Uzbekistan": "Узбекистан", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Британски Девствени Острови", + "Virgin Islands, U.S.": "АМЕРИКАНСКИ Девствени Острови", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Западна Сахара", + "Whoops! Something went wrong.": "Упс! Нешто не беше во ред.", + "Yearly": "Yearly", + "Yemen": "Yemeni", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Замбија", + "Zimbabwe": "Зимбабве", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/mn/mn.json b/locales/mn/mn.json index eb059209a6e..84239f09742 100644 --- a/locales/mn/mn.json +++ b/locales/mn/mn.json @@ -1,710 +1,48 @@ { - "30 Days": "30 хоног", - "60 Days": "60 хоног", - "90 Days": "90 хоног", - ":amount Total": ":amount нийт", - ":days day trial": ":days day trial", - ":resource Details": ":resource дэлгэрэнгүй", - ":resource Details: :title": ":resource дэлгэрэнгүй: :title", "A fresh verification link has been sent to your email address.": "Шинэ Баталгаажуулах холбоос таны и-мэйл хаяг руу илгээсэн байна.", - "A new verification link has been sent to the email address you provided during registration.": "Шинэ шалгах холбоос бүртгэлийн явцад та өгсөн и-мэйл хаяг руу илгээсэн байна.", - "Accept Invitation": "Урилгыг Хүлээн Ав", - "Action": "Үйл ажиллагааны", - "Action Happened At": "Болсон Үйл Явдал", - "Action Initiated By": "Анхлан Санаачилж", - "Action Name": "Нэр", - "Action Status": "Байдал", - "Action Target": "Зорилтот", - "Actions": "Үйл ажиллагаа", - "Add": "Захиа", - "Add a new team member to your team, allowing them to collaborate with you.": "Таны багийн шинэ гишүүн нэмнэ, тэднийг зөвшөөрөх та нартай хамтран ажиллах.", - "Add additional security to your account using two factor authentication.": "Хоер хүчин зүйл нэвтрэлт танилтад ашиглан таны дансанд нэмэлт аюулгүй байдлыг нэмнэ.", - "Add row": "Эгнээнд нэмнэ", - "Add Team Member": "Багийн Гишүүн Нэмнэ", - "Add VAT Number": "Add VAT Number", - "Added.": "Нэмсэн.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Администратор", - "Administrator users can perform any action.": "Администратор хэрэглэгчид ямар ч үйлдэл хийж чадна.", - "Afghanistan": "Афганистан", - "Aland Islands": "Аслендийн Арлууд", - "Albania": "Албани", - "Algeria": "Алжир", - "All of the people that are part of this team.": "Энэ багийн бүрэлдэхүүнд байгаа бүх хүмүүс байна.", - "All resources loaded.": "Бүх нөөц ачаалал ихтэй.", - "All rights reserved.": "Бүх эрх хуулиар хамгаалагдсан.", - "Already registered?": "Аль хэдийн бүртгэгдсэн?", - "American Samoa": "АНУ-Ын Самоа", - "An error occured while uploading the file.": "Файлыг татаж байхдаа алдаа гарсан.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorran", - "Angola": "Ангол", - "Anguilla": "Шаналангила", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Энэ хуудас ачаалагдсан хойш өөр нэг хэрэглэгч нь энэ нөөцийг шинэчилсэн байна. Хуудсыг сэргээж дахин оролдоно уу.", - "Antarctica": "Антарктикийн хагас бөмбөрцөг", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Антигуа ба Барбуда", - "API Token": "АПИ-токен", - "API Token Permissions": "Ази зөвшөөрөл", - "API Tokens": "АПИ Токенс", - "API tokens allow third-party services to authenticate with our application on your behalf.": "АПИ Токенс гуравдагч этгээдийн үйлчилгээг таны өмнөөс манай өргөдөл нэвтрүүлэх боломжийг олгоно.", - "April": "Дөрөвдүгээр сар", - "Are you sure you want to delete the selected resources?": "Та сонгосон нөөцөө устгахад итгэлтэй байна уу?", - "Are you sure you want to delete this file?": "Та энэ файлыг устгах гэдэгт итгэлтэй байна?", - "Are you sure you want to delete this resource?": "Та энэ нөөцийг устгах гэдэгт итгэлтэй байна?", - "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 detach the selected resources?": "Та сонгосон нөөцүүдээ салгахдаа итгэлтэй байна уу?", - "Are you sure you want to detach this resource?": "Та энэ нөөцийг салгах гэдэгт итгэлтэй байна?", - "Are you sure you want to force delete the selected resources?": "Та сонгосон нөөцийг устгах хүчээр хүсч байна?", - "Are you sure you want to force delete this resource?": "Та энэ нөөцийг устгах хүчээр хүсч байна?", - "Are you sure you want to restore the selected resources?": "Хэрэв та сонгосон нөөцөө нөхөн сэргээхийг хүсч байна уу?", - "Are you sure you want to restore this resource?": "Хэрэв та энэ нөөцийг нөхөн сэргээх гэдэгт итгэлтэй байна?", - "Are you sure you want to run this action?": "Хэрэв та энэ үйл ажиллагааг ажиллуулахыг хүсэж байгаа гэдэгт итгэлтэй байна?", - "Are you sure you would like to delete this API token?": "Энэхүү токеныг устгахдаа итгэлтэй байна уу?", - "Are you sure you would like to leave this team?": "Та энэ багийг орхиж хүсч байна гэдэгт итгэлтэй байна?", - "Are you sure you would like to remove this person from the team?": "Та багийн энэ хүнийг устгах хүсэж байгаа гэдэгт итгэлтэй байна?", - "Argentina": "Аргентин", - "Armenia": "Армен", - "Aruba": "Араба", - "Attach": "Хавсралт", - "Attach & Attach Another": "Бусад Хавсралт", - "Attach :resource": ":resource-д хавсаргах", - "August": "Наймдугаар", - "Australia": "Австрали", - "Austria": "Австри", - "Azerbaijan": "Азербайжан", - "Bahamas": "Багамын", - "Bahrain": "Бахрейн", - "Bangladesh": "Бангладеш", - "Barbados": "Барбадос", "Before proceeding, please check your email for a verification link.": "Байцаан шийтгэх өмнө, шалгах холбоос нь таны и-мэйл шалгах уу.", - "Belarus": "Беларусь улс", - "Belgium": "Бельги", - "Belize": "Белиз", - "Benin": "Бен", - "Bermuda": "Бермуд", - "Bhutan": "Бутан", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Боливи", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Айслеройт хөзөр", - "Bosnia And Herzegovina": "Зарлагааны бичиглэл нь үгээр байх албагүй.", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Ботсвана", - "Bouvet Island": "Бүүвэн Арал", - "Brazil": "Бразил", - "British Indian Ocean Territory": "Монгол Энэтхэгийн Далайн Газар Нутаг", - "Browser Sessions": "Хөтчийн Хуралдаан", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Болгар", - "Burkina Faso": "Буркина Фасо", - "Burundi": "Буриуд", - "Cambodia": "Камбож улс", - "Cameroon": "Камер", - "Canada": "Канад", - "Cancel": "Болих", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Кейптаун", - "Card": "Карт", - "Cayman Islands": "Кайманы Арлууд", - "Central African Republic": "Төв Африкийн Бүгд Найрамдах Улс", - "Chad": "Чад", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Өөрчлөлт", - "Chile": "Чили улс", - "China": "Хятад", - "Choose": "Сонгох", - "Choose :field": "Сонгох :field", - "Choose :resource": ":resource сонгох", - "Choose an option": "Сонголтыг сонгоно уу", - "Choose date": "Огноо сонгох", - "Choose File": "Файл Сонгох", - "Choose Type": "Төрөл Сонгох", - "Christmas Island": "Христийн Мэндэлсний Баярын Арал", - "City": "City", "click here to request another": "өөр хүсэлт бол энд дарна уу", - "Click to choose": "Сонгох дарна уу", - "Close": "Хаах", - "Cocos (Keeling) Islands": "Кокос (Кийлинг) Арлууд", - "Code": "Код", - "Colombia": "Колумб", - "Comoros": "Хөгжим", - "Confirm": "Баталгаажуул", - "Confirm Password": "Нууц Үгээ Баталгаажуул", - "Confirm Payment": "Төлбөр Батлах", - "Confirm your :amount payment": "Таны баталгаажуулах :amount төлбөр", - "Congo": "Конго", - "Congo, Democratic Republic": "Ардчилсан Бүгд Найрамдах Конго Улс", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Тогтмол", - "Cook Islands": "Күүк Арлууд", - "Costa Rica": "Коста-Рика", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "олж чадахгүй байна.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Бий болгох", - "Create & Add Another": "Бий Болгох & Өөр Нэмэх", - "Create :resource": "Бий болгох :resource", - "Create a new team to collaborate with others on projects.": "Төсөл дээр бусадтай хамтран ажиллах шинэ баг бий болгох.", - "Create Account": "Бүртгэл Үүсгэх", - "Create API Token": "Токеныг үүсгэх", - "Create New Team": "Шинэ Баг Бий Болгох", - "Create Team": "Баг Үүсгэх", - "Created.": "Бий.", - "Croatia": "Хорват", - "Cuba": "Куба", - "Curaçao": "Каракао", - "Current Password": "Одоогийн Нууц Үг", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Захиалгаар гүйцэтгэх", - "Cyprus": "Кипр", - "Czech Republic": "Чех", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Самбар", - "December": "Арванхоердугаар сар", - "Decrease": "Багасах", - "Delete": "Устгах", - "Delete Account": "Данс Устгах", - "Delete API Token": "Апо тэмдгийг устгах", - "Delete File": "Файлыг Устгах", - "Delete Resource": "Нөөцийг Устгах", - "Delete Selected": "Сонгосон Устгах", - "Delete Team": "Баг Устгах", - "Denmark": "Дани", - "Detach": "Салгах", - "Detach Resource": "Салгах Эх Үүсвэрүүд", - "Detach Selected": "Салгах Сонгосон", - "Details": "Дэлгэрэнгүй", - "Disable": "Идэвхгүй болгох", - "Djibouti": "Дөрөв", - "Do you really want to leave? You have unsaved changes.": "Та үнэхээр орхихыг хүсэж байна уу? Та аврагдаагүй хүмүүс өөрчлөлт байна.", - "Dominica": "Ням гараг", - "Dominican Republic": "Доминиканы Бүгд Найрамдах Улс", - "Done.": "Үйлдэв.", - "Download": "Татаж авах", - "Download Receipt": "Download Receipt", "E-Mail Address": "И-Мэйл Хаяг", - "Ecuador": "Эквадор", - "Edit": "Засах", - "Edit :resource": "Засах :resource", - "Edit Attached": "Засварлах Хавсаргасан", - "Editor": "Редактор", - "Editor users have the ability to read, create, and update.": "Редакторлох хэрэглэгчид унших, үүсгэх, шинэчлэх чадвартай байдаг.", - "Egypt": "Египет", - "El Salvador": "Сальвадор", - "Email": "И-мэйл хаяг", - "Email Address": "И-Мэйл Хаяг", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "И-Мэйл Хаяг Нууц Үг Нь Дахин Эхлүүлэх Холбоос", - "Enable": "Идэвхжүүлэх нь", - "Ensure your account is using a long, random password to stay secure.": "Таны бүртгэл нь урт ашиглаж байгаа эсэхийг шалгаад, аюулгүй байхын тулд санамсаргүй нууц үг.", - "Equatorial Guinea": "Гвиней Улс", - "Eritrea": "Эритрей", - "Estonia": "Эстони", - "Ethiopia": "Этиоп", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Нэмэлт баталгаа таны төлбөрийг боловсруулах шаардлагатай байна. Доорх төлбөрийн мэдээллийг бөглөх таны төлбөрийг баталгаажуулна уу.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Нэмэлт баталгаа таны төлбөрийг боловсруулах шаардлагатай байна. Доорх товчийг дарж төлбөрийн хуудас үргэлжлүүлэн уу.", - "Falkland Islands (Malvinas)": "Фолкландын Арлууд (Мальвинас)", - "Faroe Islands": "Алс Холын Арлууд", - "February": "Хоердугаар сар", - "Fiji": "Фижи", - "Finland": "Финлянд", - "For your security, please confirm your password to continue.": "Таны аюулгүй байдлыг хангах нь, үргэлжлүүлэх нууц үгээ баталгаажуулна уу.", "Forbidden": "Хориотой", - "Force Delete": "Хүчний Устгах", - "Force Delete Resource": "Хүчний Устгах Эх Үүсвэр", - "Force Delete Selected": "Хүчний Сонгосон Устгах", - "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.": "Нууц үгээ мартсан уу? Ямар ч асуудал. Зүгээр л АНУ-ын таны и-мэйл хаягийг мэдэгдээрэй, Бид та шинэ нэгийг нь сонгох боломжийг олгоно гэсэн нууц үг нь дахин эхлүүлэх холбоос И-мэйл болно.", - "France": "Франц", - "French Guiana": "Францын Лавана", - "French Polynesia": "Францын Полинез", - "French Southern Territories": "Францын Өмнөд Нутаг Дэвсгэр", - "Full name": "Бүтэн нэр", - "Gabon": "Үхрийн Нүд", - "Gambia": "Колумб", - "Georgia": "Гүрж", - "Germany": "Герман", - "Ghana": "Гана", - "Gibraltar": "Гибралтар", - "Go back": "Буцаад оч", - "Go Home": "Нүүр Хуудас", "Go to page :page": "Хуудас :page", - "Great! You have accepted the invitation to join the :team team.": "Их! Та нэгдэх урилгыг хүлээн авсан :team баг.", - "Greece": "Грек", - "Greenland": "Грийнлэнд", - "Grenada": "Гренада", - "Guadeloupe": "Гадуел", - "Guam": "Тоглоом", - "Guatemala": "Гватемал", - "Guernsey": "Германси", - "Guinea": "Гвинейн", - "Guinea-Bissau": "Банкны Тогтолцоо", - "Guyana": "Гаяана", - "Haiti": "Гайти", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Арал, Макдональдсын арлууд сонссон", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Сайн байна уу!", - "Hide Content": "Агуулгыг Нуух", - "Hold Up!": "Дээш Зохион Байгуулах!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Гондурас", - "Hong Kong": "Хонг Конгийн", - "Hungary": "Унгар", - "I agree to the :terms_of_service and :privacy_policy": "Би :terms _ _ _ _ _ _ _ үйлчилгээг санал нийлж :privacy _ _ _ _ _ _ _ ", - "Iceland": "Исланд", - "ID": "Иргэний үнэмлэх", - "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 logout 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 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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Хэрэв та асуудалтай дарж байгаа бол \":action текст\" товч, хуулбар, доорх хаяг оо\nтаны вэб браузер руу:", - "Increase": "Нэмэгдүүлэх", - "India": "Энэтхэг улс", - "Indonesia": "Индонез", "Invalid signature.": "Хүчин төгөлдөр бус гарын үсэг.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Иран улс", - "Iraq": "Ирак", - "Ireland": "Ирланд", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Хүний арал", - "Israel": "Израиль", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Итали", - "Jamaica": "Ямайка", - "January": "Нэгдүгээр", - "Japan": "Япон улс", - "Jersey": "Жерси", - "Jordan": "Жордан", - "July": "Оны долдугаар сар", - "June": "Зургадугаар сар", - "Kazakhstan": "Казахстан", - "Kenya": "Кени", - "Key": "Түлхүүр", - "Kiribati": "Сири", - "Korea": "Өмнөд Солонгос", - "Korea, Democratic People's Republic of": "Хойд Солонгос", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Косовогийн", - "Kuwait": "Кувейт", - "Kyrgyzstan": "Кыргызстан", - "Lao People's Democratic Republic": "Лаос", - "Last active": "Өнгөрсөн идэвхтэй", - "Last used": "Сүүлд ашигласан", - "Latvia": "Латви", - "Leave": "Орхи", - "Leave Team": "Баг Орхи", - "Lebanon": "Ливан", - "Lens": "Линз", - "Lesotho": "Лето", - "Liberia": "Либери", - "Libyan Arab Jamahiriya": "Либери", - "Liechtenstein": "Лихтенштейн", - "Lithuania": "Литва", - "Load :perPage More": "Ачаалал :per түүнээс дээш", - "Log in": "Нэвтрэх", "Log out": "Нэвтрэх", - "Log Out": "Нэвтрэх", - "Log Out Other Browser Sessions": "Бусад Хөтөч Хуралдааны Нэвтрэх", - "Login": "Нэвтрэх", - "Logout": "Гаралт", "Logout Other Browser Sessions": "Бусад Хөтчийн Уулзалт Гаралтын", - "Luxembourg": "Люксембург", - "Macao": "Макао", - "Macedonia": "Хойд Македон", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Мадагаскар", - "Malawi": "Илтгэлд", - "Malaysia": "Малайз", - "Maldives": "Эрэгтэй эмэгтэй хамт сурах", - "Mali": "Жижиг", - "Malta": "Мальта", - "Manage Account": "Дансаа Удирдах", - "Manage and log out your active sessions on other browsers and devices.": "Удирдах болон бусад хөтөч, төхөөрөмж дээр идэвхтэй хуралдаан гарч нэвтрэх.", "Manage and logout your active sessions on other browsers and devices.": "Удирдах болон бусад хөтөч, төхөөрөмж дээр идэвхтэй хуралдаан нэвтрэх.", - "Manage API Tokens": "АПИТ-ийн токенууд удирдах", - "Manage Role": "Үүрэг Удирдах", - "Manage Team": "Баг Удирдах", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Гуравдугаар сар", - "Marshall Islands": "Маршаллын Арлууд", - "Martinique": "Мартин", - "Mauritania": "Мавритани", - "Mauritius": "Мавритани", - "May": "Луу", - "Mayotte": "Камелот", - "Mexico": "Мексик", - "Micronesia, Federated States Of": "Микронез", - "Moldova": "Молдав", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Монако", - "Mongolia": "Монгол улс", - "Montenegro": "Монтенегро", - "Month To Date": "Сар Өдрийг Хүртэл", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Монтеррат", - "Morocco": "Морокко", - "Mozambique": "Мозамбик", - "Myanmar": "Мьянмар улс", - "Name": "Нэр", - "Namibia": "Намиби", - "Nauru": "Үхэр", - "Nepal": "Балба", - "Netherlands": "Нидерланд", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Хэзээ ч бүү", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Шинэ", - "New :resource": "Шинэ :resource", - "New Caledonia": "Шинэ Каледониа", - "New Password": "Шинэ Нууц Үг", - "New Zealand": "Шинэ Зеланд", - "Next": "Дараа нь", - "Nicaragua": "Никарагуа", - "Niger": "Нигер", - "Nigeria": "Нигери", - "Niue": "Сайхан", - "No": "Ямар ч", - "No :resource matched the given criteria.": "Тухайн шалгуурыг :resource харьцуулаагүй.", - "No additional information...": "Нэмэлт мэдээлэл байхгүй...", - "No Current Data": "Одоогийн Мэдээлэл Байхгүй", - "No Data": "Ямар Ч Мэдээлэл", - "no file selected": "ямар ч файл сонгосон", - "No Increase": "Ямар Ч Өсөлт", - "No Prior Data": "Өмнөх Мэдээлэл Байхгүй", - "No Results Found.": "Ямар Ч Үр Дүн Олсон.", - "Norfolk Island": "Норвек Арал", - "Northern Mariana Islands": "Умард Марианы Арлууд", - "Norway": "Гадуур хувцас", "Not Found": "Олдсонгүй", - "Nova User": "Нова Хэрэглэгч", - "November": "Арваннэгдүгээр", - "October": "Аравдугаар сар", - "of": "нь", "Oh no": "Өө үгүй", - "Oman": "Оман", - "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 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 Trashed": "Зөвхөн Угаасан", - "Original": "Жинхэнэ", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Хуудасны Хугацаа Дууссан", "Pagination Navigation": "Хуудаслалт Навигацийн", - "Pakistan": "Пакистан", - "Palau": "Палау", - "Palestinian Territory, Occupied": "Палестины Газар Нутаг", - "Panama": "Панама", - "Papua New Guinea": "Папуа Шинэ Гвиней", - "Paraguay": "Парагвай", - "Password": "Нууц үг", - "Pay :amount": "Төлөх :amount", - "Payment Cancelled": "Төлбөр Цуцлагдсан", - "Payment Confirmation": "Төлбөрийн Баталгаа", - "Payment Information": "Payment Information", - "Payment Successful": "Төлбөр Амжилттай", - "Pending Team Invitations": "Хүлээгдэж Буй Багийн Урилга", - "Per Page": "Нэг Хуудас", - "Permanently delete this team.": "Байнга энэ багийг устгах.", - "Permanently delete your account.": "Байнга таны данс устгах.", - "Permissions": "Зөвшөөрөл", - "Peru": "Перу", - "Philippines": "Филиппин", - "Photo": "Гэрэл зураг", - "Pitcairn": "Монголын Анхны Хөгжлийн Зах Үйл Ажиллагаагаа Нээв", "Please click the button below to verify your email address.": "Доорх таны и-мэйл хаяг шалгах товчин дээр дарна уу.", - "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 your password before continuing.": "Цааш үргэлжлүүлэхээсээ өмнө нууц үгээ баталгаажуулна уу.", - "Please copy your new API token. For your security, it won't be shown again.": "Одоо энэхүү токеныг хуулна уу. Таны аюулгүй байдлыг хангах нь, энэ нь дахин харуулагдах байх болно.", - "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 logout of your other browser sessions across all of your devices.": "Хэрэв та өөрийн төхөөрөмжийн бүх хүрээнд өөрийн бусад хөтөч хуралдааны гаралтын хүсэж батлахын тулд нууц үгээ оруулна уу.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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. The email address must be associated with an existing account.": "Та энэ багт нэмэхийг хүсэж хүний И-мэйл хаягийг өгнө үү. И-мэйл хаяг нь одоо байгаа дансанд холбоотой байх естой.", - "Please provide your name.": "Нэр өгнө үү.", - "Poland": "Польш", - "Portugal": "Португал", - "Press \/ to search": "Хэвлэлийн \/ хайх", - "Preview": "Орох ба энд бүртгүүлэх!", - "Previous": "Өмнөх", - "Privacy Policy": "Нууцлалын Бодлого", - "Profile": "Хувийн тохиргоо", - "Profile Information": "Хувийн Мэдээлэл", - "Puerto Rico": "Перу Рико", - "Qatar": "Катар", - "Quarter To Date": "Өнөөдрийг Хүртэл Улирал", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Сэргээх Код", "Regards": "Хамаараад", - "Regenerate Recovery Codes": "Нөхөн Сэргээх Код Нөхөн Сэргээх", - "Register": "Бүртгүүлэх", - "Reload": "Дуут хувилбар", - "Remember me": "Намайг сана", - "Remember Me": "Намайг Сана", - "Remove": "Устга", - "Remove Photo": "Зураг Ав", - "Remove Team Member": "Багийн Гишүүн Устгах", - "Resend Verification Email": "Дахин Илгээх Шалгах И-Мэйл Хаяг", - "Reset Filters": "Анхны Байдалд Нь Оруул", - "Reset Password": "Дахин Тохируулах Нууц Үг", - "Reset Password Notification": "Нууц Үгээ Мэдэгдэл", - "resource": "нөөцийн", - "Resources": "Эх үүсвэрүүд", - "resources": "эх үүсвэрүүд", - "Restore": "Сэргээх", - "Restore Resource": "Нөөцийг Нөхөн Сэргээх", - "Restore Selected": "Сонгосон Сэргээх", "results": "үр дүн", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Уулзалт", - "Role": "Үүрэг", - "Romania": "Румын", - "Run Action": "Ажиллуулна Арга Хэмжээ", - "Russian Federation": "ОХУ", - "Rwanda": "Руанда", - "Réunion": "Réunion", - "Saint Barthelemy": "Гэгээн Бартэлеми", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "С. Хелена", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "Гэгээн иж бүрдэл ба Невис", - "Saint Lucia": "С. Лукиа", - "Saint Martin": "Гэгээн Мартин", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "Гэгээн Пьер ба Мексон", - "Saint Vincent And Grenadines": "Гэгээн Винсент болон гранат", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Самоа", - "San Marino": "Сан Марино", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "Сао Томе, жор", - "Saudi Arabia": "Саудын Араб", - "Save": "Хадгалах", - "Saved.": "Аврагдсан.", - "Search": "Хайлт", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Шинэ Зураг Сонгоно Уу", - "Select Action": "Сонгох Арга Хэмжээ", - "Select All": "Бүх Сонгох", - "Select All Matching": "Бүх Тохирох Сонгоно Уу", - "Send Password Reset Link": "Нууц Үг Нь Дахин Эхлүүлэх Холбоос Илгээх", - "Senegal": "Сенегал", - "September": "Есдүгээр", - "Serbia": "Серби", "Server Error": "Сервер Алдаа", "Service Unavailable": "Боломжгүй", - "Seychelles": "Сейшелийн Арлууд", - "Show All Fields": "Бүх Талбаруудыг Харуулах", - "Show Content": "Харуулах Агуулга", - "Show Recovery Codes": "Харуулах Сэргээх Код", "Showing": "Харагдаж байгаа", - "Sierra Leone": "Сьерра Леон", - "Signed in as": "Signed in as", - "Singapore": "Сингапур", - "Sint Maarten (Dutch part)": "Гэмт Мартен", - "Slovakia": "Словак", - "Slovenia": "Словени", - "Solomon Islands": "Соломоны Арлууд", - "Somalia": "Сомали", - "Something went wrong.": "Хэрэв ямар нэг юм буруутвал.", - "Sorry! You are not authorized to perform this action.": "Уучлаарай! Та энэ үйлдлийг хийх эрхгүй.", - "Sorry, your session has expired.": "Уучлаарай, таны сесс хугацаа дууссан байна.", - "South Africa": "Өмнөд Африк", - "South Georgia And Sandwich Isl.": "Өмнөд Гүрж, Өмнөд Сэндвич Арлууд", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Өмнөд Судан", - "Spain": "Испани", - "Sri Lanka": "Шри-Ланка", - "Start Polling": "Эхэлсэн Санал Авах", - "State \/ County": "State \/ County", - "Stop Polling": "Санал Асуулга", - "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.": "Аюулгүй нууц үг менежер эдгээр сэргээх кодыг хадгална. Таны хоер хүчин зүйл нь нэвтрэлт танилтын төхөөрөмж алдсан бол тэд таны дансанд хандах сэргээхэд ашиглаж болно.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Судан", - "Suriname": "Мэдээж хэрэг", - "Svalbard And Jan Mayen": "Салвард болон эцсийн Мэйн", - "Swaziland": "Eswatini", - "Sweden": "Швед", - "Switch Teams": "Баг Солих", - "Switzerland": "Швейцарь улс", - "Syrian Arab Republic": "Сири", - "Taiwan": "Тайвань", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Тажикистаны", - "Tanzania": "Танзани", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Багийн Дэлгэрэнгүй", - "Team Invitation": "Багийн Урилга", - "Team Members": "Багийн Гишүүд", - "Team Name": "Багийн Нэр", - "Team Owner": "Багийн Эзэмшигч", - "Team Settings": "Багийн Тохиргоо", - "Terms of Service": "Үйлчилгээний нөхцөл", - "Thailand": "Тайланд", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute хүчин төгөлдөр үүрэг байх естой.", - "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 and 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 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 at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute нь байх естой наад зах нь 577 тэмдэгт, хамгийн багадаа нэг том тэмдэгт, нэг тоо, нэг онцгой тэмдэгт.", - "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.": ":attribute наад зах нь байх естой :length тэмдэгт.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource он бол бүтээгдсэн!", - "The :resource was deleted!": "2011 онд устгасан!", - "The :resource was restored!": ":resource он сэргээгдлээ!", - "The :resource was updated!": ":resource он шинэчлэгдсэн!", - "The action ran successfully!": "Арга хэмжээ амжилттай гүйж!", - "The file was deleted!": "Файл устгагдсан!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Засгийн газар эдгээр хаалганы цаана юу байгааг бидэнд үзүүлэхгүй байх болно", - "The HasOne relationship has already been filled.": "Тестостерон харилцаа аль хэдийн дүүрэн байна.", - "The payment was successful.": "Төлбөр амжилттай болсон.", - "The provided coupon code is invalid.": "The provided coupon code is 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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Нөөц нь шинэчлэгдсэн!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Багийн нэр, эзэмшигчийн мэдээлэл.", - "There are no available options for this resource.": "Энэ нөөц нь ямар ч Боломжтой сонголт байдаг.", - "There was a problem executing the action.": "Арга хэмжээ хэрэгжүүлэх асуудал байсан.", - "There was a problem submitting the form.": "Маягтыг гаргаж нэг асуудал байсан юм.", - "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.": "Энэ хүмүүс нь таны багт урьж байна, урилга и-мэйл илгээсэн байна. Тэд и-мэйл урилгыг хүлээн авч багт нэгдэж болно.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Энэ арга хэмжээ нь зөвшөөрөлгүй байна.", - "This device": "Энэ төхөөрөмж", - "This file field is read-only.": "Энэ файл талбар нь зөвхөн уншигдах болно.", - "This image": "Энэ зураг", - "This is a secure area of the application. Please confirm your password before continuing.": "Энэ програм нь аюулгүй газар юм. Цааш үргэлжлүүлэхээсээ өмнө нууц үгээ баталгаажуулна уу.", - "This password does not match our records.": "Энэ нь нууц үг нь бидний бүртгэлийг таарахгүй байна.", "This password reset link will expire in :count minutes.": "Энэ нь нууц үг нь дахин эхлүүлэх холбоос нь дуусна :count минут.", - "This payment was already successfully confirmed.": "Энэ нь төлбөр амжилттай аль хэдийн батлагдсан байна.", - "This payment was cancelled.": "Энэ төлбөр нь хүчингүй болсон байна.", - "This resource no longer exists": "Энэ нөөц байхаа больсон", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Энэ хэрэглэгч аль хэдийн багтаа харьяалагддаг.", - "This user has already been invited to the team.": "Энэ хэрэглэгч нь аль хэдийн багт урьж байна.", - "Timor-Leste": "Зүүн Тимор-Зүүн Тимор", "to": "тулд", - "Today": "Өнөөдөр", "Toggle navigation": "Холбоо барих", - "Togo": "Тогоо", - "Tokelau": "Токелау", - "Token Name": "Токен Нэр", - "Tonga": "Ир", "Too Many Attempts.": "Маш Олон Оролдлого.", "Too Many Requests": "Хэт Олон Хүсэлт", - "total": "нийт", - "Total:": "Total:", - "Trashed": "Угаасан", - "Trinidad And Tobago": "Тринидад ба Тобаго", - "Tunisia": "Тунис", - "Turkey": "Турк", - "Turkmenistan": "Туркменистан", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Турк, Кайкос арлууд", - "Tuvalu": "Төвөг", - "Two Factor Authentication": "Хоер Хүчин Зүйл Нэвтрэлт Танилт", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Хоер хүчин зүйл нэвтрэлт танилт одоо идэвхжсэн байна. Таны утасны жинхэнэ нэвтрүүлэгч програм ашиглан дараах асуулт кодыг унш.", - "Uganda": "Уганда", - "Ukraine": "Украйн", "Unauthorized": "Зөвшөөрөлгүй", - "United Arab Emirates": "Арабын Нэгдсэн Эмират Улс", - "United Kingdom": "Нэгдсэн Вант Улс", - "United States": "Америк", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "АНУ-ын тойруулах арлууд", - "Update": "Шинэчлэх", - "Update & Continue Editing": "Шинэчлэх & Засварлах Үргэлжлүүлэн", - "Update :resource": "Шинэчлэх :resource", - "Update :resource: :title": "Шинэчлэх :resource: :title", - "Update attached :resource: :title": "Шинэчлэгдсэн :resource: :title", - "Update Password": "Шинэчлэх Нууц Үг", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Өөрийн бүртгэлийн хувийн мэдээлэл, И-мэйл хаягаа шинэчлэх.", - "Uruguay": "Уругвай", - "Use a recovery code": "Нь сэргээх кодыг ашиглах", - "Use an authentication code": "Нь нэвтрэлт танилтын кодыг ашиглах", - "Uzbekistan": "Узбекстан", - "Value": "Утга", - "Vanuatu": "Вануату", - "VAT Number": "VAT Number", - "Venezuela": "Венесуэл", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "И-Мэйл Хаяг Шалгах", "Verify Your Email Address": "Таны И-Мэйл Хаяг Шалгах", - "Viet Nam": "Vietnam", - "View": "Харах", - "Virgin Islands, British": "Монгол Виржиний Арлууд", - "Virgin Islands, U.S.": "АНУ-ын Виржиний Арлууд", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Уоллис болон Фуна", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Бид энэ и-мэйл хаягаар бүртгэлтэй хэрэглэгч олж чадахгүй байсан.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Бид хэдэн цагийн турш дахин өөрийн нууц үг асуух байх болно.", - "We're lost in space. The page you were trying to view does not exist.": "Бид орон зайндаа орхигдсон. Та үзэхийн тулд хичээж байсан хуудас нь байхгүй байна.", - "Welcome Back!": "Эргэж Тавтай Морилно Уу!", - "Western Sahara": "Баруун Сахарын", - "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.": "Хоер хүчин зүйл нэвтрэлт танилт идэвхжсэн үед та нэвтрэлт танилтын үед аюулгүй, санамсаргүй шинж тэмдэг асуух болно. Та энэ токеныг гар утасны хэрэглээний онлайн өргөдөл гаргаж болно.", - "Whoops": "Өө", - "Whoops!": "Өө!", - "Whoops! Something went wrong.": "Өө! Хэрэв ямар нэг юм буруутвал.", - "With Trashed": "Угаасан Нь", - "Write": "Бичих", - "Year To Date": "Жилийн Огноо", - "Yearly": "Yearly", - "Yemen": "Йемен", - "Yes": "Тийм ээ", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Та нэвтэрч байна!", - "You are receiving this email because we received a password reset request for your account.": "Бид таны дансанд нь нууц үг нь дахин эхлүүлэх хүсэлт хүлээн авсан учраас та энэ и-мэйл хүлээн авч байна.", - "You have been invited to join the :team team!": "Та нэгдэхийг урьж байна :team баг!", - "You have enabled two factor authentication.": "Та хоер хүчин зүйл нэвтрэлт танилт идэвхжүүлсэн байна.", - "You have not enabled two factor authentication.": "Та хоер хүчин зүйл нэвтрэлт танилт идэвхжүүлсэн чадаагүй байна.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.": "Та бүтээсэн баг үлдээж байж болно.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Таны и-мэйл хаяг шалгаж байгаа бол.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Замби", - "Zimbabwe": "Зимбабве", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Таны и-мэйл хаяг шалгаж байгаа бол." } diff --git a/locales/mn/packages/cashier.json b/locales/mn/packages/cashier.json new file mode 100644 index 00000000000..2a30848f821 --- /dev/null +++ b/locales/mn/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Бүх эрх хуулиар хамгаалагдсан.", + "Card": "Карт", + "Confirm Payment": "Төлбөр Батлах", + "Confirm your :amount payment": "Таны баталгаажуулах :amount төлбөр", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Нэмэлт баталгаа таны төлбөрийг боловсруулах шаардлагатай байна. Доорх төлбөрийн мэдээллийг бөглөх таны төлбөрийг баталгаажуулна уу.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Нэмэлт баталгаа таны төлбөрийг боловсруулах шаардлагатай байна. Доорх товчийг дарж төлбөрийн хуудас үргэлжлүүлэн уу.", + "Full name": "Бүтэн нэр", + "Go back": "Буцаад оч", + "Jane Doe": "Jane Doe", + "Pay :amount": "Төлөх :amount", + "Payment Cancelled": "Төлбөр Цуцлагдсан", + "Payment Confirmation": "Төлбөрийн Баталгаа", + "Payment Successful": "Төлбөр Амжилттай", + "Please provide your name.": "Нэр өгнө үү.", + "The payment was successful.": "Төлбөр амжилттай болсон.", + "This payment was already successfully confirmed.": "Энэ нь төлбөр амжилттай аль хэдийн батлагдсан байна.", + "This payment was cancelled.": "Энэ төлбөр нь хүчингүй болсон байна." +} diff --git a/locales/mn/packages/fortify.json b/locales/mn/packages/fortify.json new file mode 100644 index 00000000000..da8295a2393 --- /dev/null +++ b/locales/mn/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 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 at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute нь байх естой наад зах нь 577 тэмдэгт, хамгийн багадаа нэг том тэмдэгт, нэг тоо, нэг онцгой тэмдэгт.", + "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.": ":attribute наад зах нь байх естой :length тэмдэгт.", + "The provided password does not match your current password.": "Заасан нууц үг таны одоогийн нууц үг таарахгүй байх.", + "The provided password was incorrect.": "Заасан нууц үг буруу байсан.", + "The provided two factor authentication code was invalid.": "Заасан хоер хүчин зүйл нэвтрэлт танилтын код нь хүчин төгөлдөр бус байсан." +} diff --git a/locales/mn/packages/jetstream.json b/locales/mn/packages/jetstream.json new file mode 100644 index 00000000000..961d4fb6977 --- /dev/null +++ b/locales/mn/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Шинэ шалгах холбоос бүртгэлийн явцад та өгсөн и-мэйл хаяг руу илгээсэн байна.", + "Accept Invitation": "Урилгыг Хүлээн Ав", + "Add": "Захиа", + "Add a new team member to your team, allowing them to collaborate with you.": "Таны багийн шинэ гишүүн нэмнэ, тэднийг зөвшөөрөх та нартай хамтран ажиллах.", + "Add additional security to your account using two factor authentication.": "Хоер хүчин зүйл нэвтрэлт танилтад ашиглан таны дансанд нэмэлт аюулгүй байдлыг нэмнэ.", + "Add Team Member": "Багийн Гишүүн Нэмнэ", + "Added.": "Нэмсэн.", + "Administrator": "Администратор", + "Administrator users can perform any action.": "Администратор хэрэглэгчид ямар ч үйлдэл хийж чадна.", + "All of the people that are part of this team.": "Энэ багийн бүрэлдэхүүнд байгаа бүх хүмүүс байна.", + "Already registered?": "Аль хэдийн бүртгэгдсэн?", + "API Token": "АПИ-токен", + "API Token Permissions": "Ази зөвшөөрөл", + "API Tokens": "АПИ Токенс", + "API tokens allow third-party services to authenticate with our application on your behalf.": "АПИ Токенс гуравдагч этгээдийн үйлчилгээг таны өмнөөс манай өргөдөл нэвтрүүлэх боломжийг олгоно.", + "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 delete this API token?": "Энэхүү токеныг устгахдаа итгэлтэй байна уу?", + "Are you sure you would like to leave this team?": "Та энэ багийг орхиж хүсч байна гэдэгт итгэлтэй байна?", + "Are you sure you would like to remove this person from the team?": "Та багийн энэ хүнийг устгах хүсэж байгаа гэдэгт итгэлтэй байна?", + "Browser Sessions": "Хөтчийн Хуралдаан", + "Cancel": "Болих", + "Close": "Хаах", + "Code": "Код", + "Confirm": "Баталгаажуул", + "Confirm Password": "Нууц Үгээ Баталгаажуул", + "Create": "Бий болгох", + "Create a new team to collaborate with others on projects.": "Төсөл дээр бусадтай хамтран ажиллах шинэ баг бий болгох.", + "Create Account": "Бүртгэл Үүсгэх", + "Create API Token": "Токеныг үүсгэх", + "Create New Team": "Шинэ Баг Бий Болгох", + "Create Team": "Баг Үүсгэх", + "Created.": "Бий.", + "Current Password": "Одоогийн Нууц Үг", + "Dashboard": "Самбар", + "Delete": "Устгах", + "Delete Account": "Данс Устгах", + "Delete API Token": "Апо тэмдгийг устгах", + "Delete Team": "Баг Устгах", + "Disable": "Идэвхгүй болгох", + "Done.": "Үйлдэв.", + "Editor": "Редактор", + "Editor users have the ability to read, create, and update.": "Редакторлох хэрэглэгчид унших, үүсгэх, шинэчлэх чадвартай байдаг.", + "Email": "И-мэйл хаяг", + "Email Password Reset Link": "И-Мэйл Хаяг Нууц Үг Нь Дахин Эхлүүлэх Холбоос", + "Enable": "Идэвхжүүлэх нь", + "Ensure your account is using a long, random password to stay secure.": "Таны бүртгэл нь урт ашиглаж байгаа эсэхийг шалгаад, аюулгүй байхын тулд санамсаргүй нууц үг.", + "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.": "Нууц үгээ мартсан уу? Ямар ч асуудал. Зүгээр л АНУ-ын таны и-мэйл хаягийг мэдэгдээрэй, Бид та шинэ нэгийг нь сонгох боломжийг олгоно гэсэн нууц үг нь дахин эхлүүлэх холбоос И-мэйл болно.", + "Great! You have accepted the invitation to join the :team team.": "Их! Та нэгдэх урилгыг хүлээн авсан :team баг.", + "I agree to the :terms_of_service and :privacy_policy": "Би :terms _ _ _ _ _ _ _ үйлчилгээг санал нийлж :privacy _ _ _ _ _ _ _ ", + "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 you already have an account, you may accept this invitation by clicking the button below:": "Хэрэв та аль хэдийн данс байгаа бол, Хэрэв та доорх товчийг дарж энэ урилгыг хүлээн авч болно:", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "Хэрэв та данс байхгүй бол, Хэрэв та доорх товчийг дарж нэгийг бий болгож болно. Данс үүсгэж дараа, Хэрэв та баг урилгыг хүлээн авах Энэ и-мэйл урилгыг хүлээн авах товчийг дарна болно:", + "Last active": "Өнгөрсөн идэвхтэй", + "Last used": "Сүүлд ашигласан", + "Leave": "Орхи", + "Leave Team": "Баг Орхи", + "Log in": "Нэвтрэх", + "Log Out": "Нэвтрэх", + "Log Out Other Browser Sessions": "Бусад Хөтөч Хуралдааны Нэвтрэх", + "Manage Account": "Дансаа Удирдах", + "Manage and log out your active sessions on other browsers and devices.": "Удирдах болон бусад хөтөч, төхөөрөмж дээр идэвхтэй хуралдаан гарч нэвтрэх.", + "Manage API Tokens": "АПИТ-ийн токенууд удирдах", + "Manage Role": "Үүрэг Удирдах", + "Manage Team": "Баг Удирдах", + "Name": "Нэр", + "New Password": "Шинэ Нууц Үг", + "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 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.": "Таны данс устгасан дараа, түүний нөөц, мэдээллийг бүх байнга устгагдах болно. Таны данс устгах өмнө, Хэрэв та хадгалахыг хүсэж байгаа ямар ч өгөгдөл, мэдээллийг татаж авна уу.", + "Password": "Нууц үг", + "Pending Team Invitations": "Хүлээгдэж Буй Багийн Урилга", + "Permanently delete this team.": "Байнга энэ багийг устгах.", + "Permanently delete your account.": "Байнга таны данс устгах.", + "Permissions": "Зөвшөөрөл", + "Photo": "Гэрэл зураг", + "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 copy your new API token. For your security, it won't be shown again.": "Одоо энэхүү токеныг хуулна уу. Таны аюулгүй байдлыг хангах нь, энэ нь дахин харуулагдах байх болно.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Хэрэв та өөрийн төхөөрөмжийн бүх хүрээнд өөрийн бусад хөтөч хуралдааны гарч нэвтрэн хүсэж батлахын тулд нууц үгээ оруулна уу.", + "Please provide the email address of the person you would like to add to this team.": "Та энэ багт нэмэхийг хүсэж хүний И-мэйл хаягийг өгнө үү.", + "Privacy Policy": "Нууцлалын Бодлого", + "Profile": "Хувийн тохиргоо", + "Profile Information": "Хувийн Мэдээлэл", + "Recovery Code": "Сэргээх Код", + "Regenerate Recovery Codes": "Нөхөн Сэргээх Код Нөхөн Сэргээх", + "Register": "Бүртгүүлэх", + "Remember me": "Намайг сана", + "Remove": "Устга", + "Remove Photo": "Зураг Ав", + "Remove Team Member": "Багийн Гишүүн Устгах", + "Resend Verification Email": "Дахин Илгээх Шалгах И-Мэйл Хаяг", + "Reset Password": "Дахин Тохируулах Нууц Үг", + "Role": "Үүрэг", + "Save": "Хадгалах", + "Saved.": "Аврагдсан.", + "Select A New Photo": "Шинэ Зураг Сонгоно Уу", + "Show Recovery Codes": "Харуулах Сэргээх Код", + "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.": "Аюулгүй нууц үг менежер эдгээр сэргээх кодыг хадгална. Таны хоер хүчин зүйл нь нэвтрэлт танилтын төхөөрөмж алдсан бол тэд таны дансанд хандах сэргээхэд ашиглаж болно.", + "Switch Teams": "Баг Солих", + "Team Details": "Багийн Дэлгэрэнгүй", + "Team Invitation": "Багийн Урилга", + "Team Members": "Багийн Гишүүд", + "Team Name": "Багийн Нэр", + "Team Owner": "Багийн Эзэмшигч", + "Team Settings": "Багийн Тохиргоо", + "Terms of Service": "Үйлчилгээний нөхцөл", + "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 a valid role.": ":attribute хүчин төгөлдөр үүрэг байх естой.", + "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 and 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 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 at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute нь байх естой наад зах нь 577 тэмдэгт, хамгийн багадаа нэг том тэмдэгт, нэг тоо, нэг онцгой тэмдэгт.", + "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.": ":attribute наад зах нь байх естой :length тэмдэгт.", + "The provided password does not match your current password.": "Заасан нууц үг таны одоогийн нууц үг таарахгүй байх.", + "The provided password was incorrect.": "Заасан нууц үг буруу байсан.", + "The provided two factor authentication code was invalid.": "Заасан хоер хүчин зүйл нэвтрэлт танилтын код нь хүчин төгөлдөр бус байсан.", + "The team's name and owner information.": "Багийн нэр, эзэмшигчийн мэдээлэл.", + "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.": "Энэ хүмүүс нь таны багт урьж байна, урилга и-мэйл илгээсэн байна. Тэд и-мэйл урилгыг хүлээн авч багт нэгдэж болно.", + "This device": "Энэ төхөөрөмж", + "This is a secure area of the application. Please confirm your password before continuing.": "Энэ програм нь аюулгүй газар юм. Цааш үргэлжлүүлэхээсээ өмнө нууц үгээ баталгаажуулна уу.", + "This password does not match our records.": "Энэ нь нууц үг нь бидний бүртгэлийг таарахгүй байна.", + "This user already belongs to the team.": "Энэ хэрэглэгч аль хэдийн багтаа харьяалагддаг.", + "This user has already been invited to the team.": "Энэ хэрэглэгч нь аль хэдийн багт урьж байна.", + "Token Name": "Токен Нэр", + "Two Factor Authentication": "Хоер Хүчин Зүйл Нэвтрэлт Танилт", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Хоер хүчин зүйл нэвтрэлт танилт одоо идэвхжсэн байна. Таны утасны жинхэнэ нэвтрүүлэгч програм ашиглан дараах асуулт кодыг унш.", + "Update Password": "Шинэчлэх Нууц Үг", + "Update your account's profile information and email address.": "Өөрийн бүртгэлийн хувийн мэдээлэл, И-мэйл хаягаа шинэчлэх.", + "Use a recovery code": "Нь сэргээх кодыг ашиглах", + "Use an authentication code": "Нь нэвтрэлт танилтын кодыг ашиглах", + "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.": "Хоер хүчин зүйл нэвтрэлт танилт идэвхжсэн үед та нэвтрэлт танилтын үед аюулгүй, санамсаргүй шинж тэмдэг асуух болно. Та энэ токеныг гар утасны хэрэглээний онлайн өргөдөл гаргаж болно.", + "Whoops! Something went wrong.": "Өө! Хэрэв ямар нэг юм буруутвал.", + "You have been invited to join the :team team!": "Та нэгдэхийг урьж байна :team баг!", + "You have enabled two factor authentication.": "Та хоер хүчин зүйл нэвтрэлт танилт идэвхжүүлсэн байна.", + "You have not enabled two factor authentication.": "Та хоер хүчин зүйл нэвтрэлт танилт идэвхжүүлсэн чадаагүй байна.", + "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.": "Та бүтээсэн баг үлдээж байж болно." +} diff --git a/locales/mn/packages/nova.json b/locales/mn/packages/nova.json new file mode 100644 index 00000000000..f725a841b71 --- /dev/null +++ b/locales/mn/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 хоног", + "60 Days": "60 хоног", + "90 Days": "90 хоног", + ":amount Total": ":amount нийт", + ":resource Details": ":resource дэлгэрэнгүй", + ":resource Details: :title": ":resource дэлгэрэнгүй: :title", + "Action": "Үйл ажиллагааны", + "Action Happened At": "Болсон Үйл Явдал", + "Action Initiated By": "Анхлан Санаачилж", + "Action Name": "Нэр", + "Action Status": "Байдал", + "Action Target": "Зорилтот", + "Actions": "Үйл ажиллагаа", + "Add row": "Эгнээнд нэмнэ", + "Afghanistan": "Афганистан", + "Aland Islands": "Аслендийн Арлууд", + "Albania": "Албани", + "Algeria": "Алжир", + "All resources loaded.": "Бүх нөөц ачаалал ихтэй.", + "American Samoa": "АНУ-Ын Самоа", + "An error occured while uploading the file.": "Файлыг татаж байхдаа алдаа гарсан.", + "Andorra": "Andorran", + "Angola": "Ангол", + "Anguilla": "Шаналангила", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Энэ хуудас ачаалагдсан хойш өөр нэг хэрэглэгч нь энэ нөөцийг шинэчилсэн байна. Хуудсыг сэргээж дахин оролдоно уу.", + "Antarctica": "Антарктикийн хагас бөмбөрцөг", + "Antigua And Barbuda": "Антигуа ба Барбуда", + "April": "Дөрөвдүгээр сар", + "Are you sure you want to delete the selected resources?": "Та сонгосон нөөцөө устгахад итгэлтэй байна уу?", + "Are you sure you want to delete this file?": "Та энэ файлыг устгах гэдэгт итгэлтэй байна?", + "Are you sure you want to delete this resource?": "Та энэ нөөцийг устгах гэдэгт итгэлтэй байна?", + "Are you sure you want to detach the selected resources?": "Та сонгосон нөөцүүдээ салгахдаа итгэлтэй байна уу?", + "Are you sure you want to detach this resource?": "Та энэ нөөцийг салгах гэдэгт итгэлтэй байна?", + "Are you sure you want to force delete the selected resources?": "Та сонгосон нөөцийг устгах хүчээр хүсч байна?", + "Are you sure you want to force delete this resource?": "Та энэ нөөцийг устгах хүчээр хүсч байна?", + "Are you sure you want to restore the selected resources?": "Хэрэв та сонгосон нөөцөө нөхөн сэргээхийг хүсч байна уу?", + "Are you sure you want to restore this resource?": "Хэрэв та энэ нөөцийг нөхөн сэргээх гэдэгт итгэлтэй байна?", + "Are you sure you want to run this action?": "Хэрэв та энэ үйл ажиллагааг ажиллуулахыг хүсэж байгаа гэдэгт итгэлтэй байна?", + "Argentina": "Аргентин", + "Armenia": "Армен", + "Aruba": "Араба", + "Attach": "Хавсралт", + "Attach & Attach Another": "Бусад Хавсралт", + "Attach :resource": ":resource-д хавсаргах", + "August": "Наймдугаар", + "Australia": "Австрали", + "Austria": "Австри", + "Azerbaijan": "Азербайжан", + "Bahamas": "Багамын", + "Bahrain": "Бахрейн", + "Bangladesh": "Бангладеш", + "Barbados": "Барбадос", + "Belarus": "Беларусь улс", + "Belgium": "Бельги", + "Belize": "Белиз", + "Benin": "Бен", + "Bermuda": "Бермуд", + "Bhutan": "Бутан", + "Bolivia": "Боливи", + "Bonaire, Sint Eustatius and Saba": "Айслеройт хөзөр", + "Bosnia And Herzegovina": "Зарлагааны бичиглэл нь үгээр байх албагүй.", + "Botswana": "Ботсвана", + "Bouvet Island": "Бүүвэн Арал", + "Brazil": "Бразил", + "British Indian Ocean Territory": "Монгол Энэтхэгийн Далайн Газар Нутаг", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Болгар", + "Burkina Faso": "Буркина Фасо", + "Burundi": "Буриуд", + "Cambodia": "Камбож улс", + "Cameroon": "Камер", + "Canada": "Канад", + "Cancel": "Болих", + "Cape Verde": "Кейптаун", + "Cayman Islands": "Кайманы Арлууд", + "Central African Republic": "Төв Африкийн Бүгд Найрамдах Улс", + "Chad": "Чад", + "Changes": "Өөрчлөлт", + "Chile": "Чили улс", + "China": "Хятад", + "Choose": "Сонгох", + "Choose :field": "Сонгох :field", + "Choose :resource": ":resource сонгох", + "Choose an option": "Сонголтыг сонгоно уу", + "Choose date": "Огноо сонгох", + "Choose File": "Файл Сонгох", + "Choose Type": "Төрөл Сонгох", + "Christmas Island": "Христийн Мэндэлсний Баярын Арал", + "Click to choose": "Сонгох дарна уу", + "Cocos (Keeling) Islands": "Кокос (Кийлинг) Арлууд", + "Colombia": "Колумб", + "Comoros": "Хөгжим", + "Confirm Password": "Нууц Үгээ Баталгаажуул", + "Congo": "Конго", + "Congo, Democratic Republic": "Ардчилсан Бүгд Найрамдах Конго Улс", + "Constant": "Тогтмол", + "Cook Islands": "Күүк Арлууд", + "Costa Rica": "Коста-Рика", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "олж чадахгүй байна.", + "Create": "Бий болгох", + "Create & Add Another": "Бий Болгох & Өөр Нэмэх", + "Create :resource": "Бий болгох :resource", + "Croatia": "Хорват", + "Cuba": "Куба", + "Curaçao": "Каракао", + "Customize": "Захиалгаар гүйцэтгэх", + "Cyprus": "Кипр", + "Czech Republic": "Чех", + "Dashboard": "Самбар", + "December": "Арванхоердугаар сар", + "Decrease": "Багасах", + "Delete": "Устгах", + "Delete File": "Файлыг Устгах", + "Delete Resource": "Нөөцийг Устгах", + "Delete Selected": "Сонгосон Устгах", + "Denmark": "Дани", + "Detach": "Салгах", + "Detach Resource": "Салгах Эх Үүсвэрүүд", + "Detach Selected": "Салгах Сонгосон", + "Details": "Дэлгэрэнгүй", + "Djibouti": "Дөрөв", + "Do you really want to leave? You have unsaved changes.": "Та үнэхээр орхихыг хүсэж байна уу? Та аврагдаагүй хүмүүс өөрчлөлт байна.", + "Dominica": "Ням гараг", + "Dominican Republic": "Доминиканы Бүгд Найрамдах Улс", + "Download": "Татаж авах", + "Ecuador": "Эквадор", + "Edit": "Засах", + "Edit :resource": "Засах :resource", + "Edit Attached": "Засварлах Хавсаргасан", + "Egypt": "Египет", + "El Salvador": "Сальвадор", + "Email Address": "И-Мэйл Хаяг", + "Equatorial Guinea": "Гвиней Улс", + "Eritrea": "Эритрей", + "Estonia": "Эстони", + "Ethiopia": "Этиоп", + "Falkland Islands (Malvinas)": "Фолкландын Арлууд (Мальвинас)", + "Faroe Islands": "Алс Холын Арлууд", + "February": "Хоердугаар сар", + "Fiji": "Фижи", + "Finland": "Финлянд", + "Force Delete": "Хүчний Устгах", + "Force Delete Resource": "Хүчний Устгах Эх Үүсвэр", + "Force Delete Selected": "Хүчний Сонгосон Устгах", + "Forgot Your Password?": "Нууц Үгээ Мартсан Уу?", + "Forgot your password?": "Нууц үгээ мартсан уу?", + "France": "Франц", + "French Guiana": "Францын Лавана", + "French Polynesia": "Францын Полинез", + "French Southern Territories": "Францын Өмнөд Нутаг Дэвсгэр", + "Gabon": "Үхрийн Нүд", + "Gambia": "Колумб", + "Georgia": "Гүрж", + "Germany": "Герман", + "Ghana": "Гана", + "Gibraltar": "Гибралтар", + "Go Home": "Нүүр Хуудас", + "Greece": "Грек", + "Greenland": "Грийнлэнд", + "Grenada": "Гренада", + "Guadeloupe": "Гадуел", + "Guam": "Тоглоом", + "Guatemala": "Гватемал", + "Guernsey": "Германси", + "Guinea": "Гвинейн", + "Guinea-Bissau": "Банкны Тогтолцоо", + "Guyana": "Гаяана", + "Haiti": "Гайти", + "Heard Island & Mcdonald Islands": "Арал, Макдональдсын арлууд сонссон", + "Hide Content": "Агуулгыг Нуух", + "Hold Up!": "Дээш Зохион Байгуулах!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Гондурас", + "Hong Kong": "Хонг Конгийн", + "Hungary": "Унгар", + "Iceland": "Исланд", + "ID": "Иргэний үнэмлэх", + "If you did not request a password reset, no further action is required.": "Хэрэв та нууц үгээ хүсэлт байгаа бол, ямар ч нэмэлт арга хэмжээ авах шаардлагатай байна.", + "Increase": "Нэмэгдүүлэх", + "India": "Энэтхэг улс", + "Indonesia": "Индонез", + "Iran, Islamic Republic Of": "Иран улс", + "Iraq": "Ирак", + "Ireland": "Ирланд", + "Isle Of Man": "Хүний арал", + "Israel": "Израиль", + "Italy": "Итали", + "Jamaica": "Ямайка", + "January": "Нэгдүгээр", + "Japan": "Япон улс", + "Jersey": "Жерси", + "Jordan": "Жордан", + "July": "Оны долдугаар сар", + "June": "Зургадугаар сар", + "Kazakhstan": "Казахстан", + "Kenya": "Кени", + "Key": "Түлхүүр", + "Kiribati": "Сири", + "Korea": "Өмнөд Солонгос", + "Korea, Democratic People's Republic of": "Хойд Солонгос", + "Kosovo": "Косовогийн", + "Kuwait": "Кувейт", + "Kyrgyzstan": "Кыргызстан", + "Lao People's Democratic Republic": "Лаос", + "Latvia": "Латви", + "Lebanon": "Ливан", + "Lens": "Линз", + "Lesotho": "Лето", + "Liberia": "Либери", + "Libyan Arab Jamahiriya": "Либери", + "Liechtenstein": "Лихтенштейн", + "Lithuania": "Литва", + "Load :perPage More": "Ачаалал :per түүнээс дээш", + "Login": "Нэвтрэх", + "Logout": "Гаралт", + "Luxembourg": "Люксембург", + "Macao": "Макао", + "Macedonia": "Хойд Македон", + "Madagascar": "Мадагаскар", + "Malawi": "Илтгэлд", + "Malaysia": "Малайз", + "Maldives": "Эрэгтэй эмэгтэй хамт сурах", + "Mali": "Жижиг", + "Malta": "Мальта", + "March": "Гуравдугаар сар", + "Marshall Islands": "Маршаллын Арлууд", + "Martinique": "Мартин", + "Mauritania": "Мавритани", + "Mauritius": "Мавритани", + "May": "Луу", + "Mayotte": "Камелот", + "Mexico": "Мексик", + "Micronesia, Federated States Of": "Микронез", + "Moldova": "Молдав", + "Monaco": "Монако", + "Mongolia": "Монгол улс", + "Montenegro": "Монтенегро", + "Month To Date": "Сар Өдрийг Хүртэл", + "Montserrat": "Монтеррат", + "Morocco": "Морокко", + "Mozambique": "Мозамбик", + "Myanmar": "Мьянмар улс", + "Namibia": "Намиби", + "Nauru": "Үхэр", + "Nepal": "Балба", + "Netherlands": "Нидерланд", + "New": "Шинэ", + "New :resource": "Шинэ :resource", + "New Caledonia": "Шинэ Каледониа", + "New Zealand": "Шинэ Зеланд", + "Next": "Дараа нь", + "Nicaragua": "Никарагуа", + "Niger": "Нигер", + "Nigeria": "Нигери", + "Niue": "Сайхан", + "No": "Ямар ч", + "No :resource matched the given criteria.": "Тухайн шалгуурыг :resource харьцуулаагүй.", + "No additional information...": "Нэмэлт мэдээлэл байхгүй...", + "No Current Data": "Одоогийн Мэдээлэл Байхгүй", + "No Data": "Ямар Ч Мэдээлэл", + "no file selected": "ямар ч файл сонгосон", + "No Increase": "Ямар Ч Өсөлт", + "No Prior Data": "Өмнөх Мэдээлэл Байхгүй", + "No Results Found.": "Ямар Ч Үр Дүн Олсон.", + "Norfolk Island": "Норвек Арал", + "Northern Mariana Islands": "Умард Марианы Арлууд", + "Norway": "Гадуур хувцас", + "Nova User": "Нова Хэрэглэгч", + "November": "Арваннэгдүгээр", + "October": "Аравдугаар сар", + "of": "нь", + "Oman": "Оман", + "Only Trashed": "Зөвхөн Угаасан", + "Original": "Жинхэнэ", + "Pakistan": "Пакистан", + "Palau": "Палау", + "Palestinian Territory, Occupied": "Палестины Газар Нутаг", + "Panama": "Панама", + "Papua New Guinea": "Папуа Шинэ Гвиней", + "Paraguay": "Парагвай", + "Password": "Нууц үг", + "Per Page": "Нэг Хуудас", + "Peru": "Перу", + "Philippines": "Филиппин", + "Pitcairn": "Монголын Анхны Хөгжлийн Зах Үйл Ажиллагаагаа Нээв", + "Poland": "Польш", + "Portugal": "Португал", + "Press \/ to search": "Хэвлэлийн \/ хайх", + "Preview": "Орох ба энд бүртгүүлэх!", + "Previous": "Өмнөх", + "Puerto Rico": "Перу Рико", + "Qatar": "Катар", + "Quarter To Date": "Өнөөдрийг Хүртэл Улирал", + "Reload": "Дуут хувилбар", + "Remember Me": "Намайг Сана", + "Reset Filters": "Анхны Байдалд Нь Оруул", + "Reset Password": "Дахин Тохируулах Нууц Үг", + "Reset Password Notification": "Нууц Үгээ Мэдэгдэл", + "resource": "нөөцийн", + "Resources": "Эх үүсвэрүүд", + "resources": "эх үүсвэрүүд", + "Restore": "Сэргээх", + "Restore Resource": "Нөөцийг Нөхөн Сэргээх", + "Restore Selected": "Сонгосон Сэргээх", + "Reunion": "Уулзалт", + "Romania": "Румын", + "Run Action": "Ажиллуулна Арга Хэмжээ", + "Russian Federation": "ОХУ", + "Rwanda": "Руанда", + "Saint Barthelemy": "Гэгээн Бартэлеми", + "Saint Helena": "С. Хелена", + "Saint Kitts And Nevis": "Гэгээн иж бүрдэл ба Невис", + "Saint Lucia": "С. Лукиа", + "Saint Martin": "Гэгээн Мартин", + "Saint Pierre And Miquelon": "Гэгээн Пьер ба Мексон", + "Saint Vincent And Grenadines": "Гэгээн Винсент болон гранат", + "Samoa": "Самоа", + "San Marino": "Сан Марино", + "Sao Tome And Principe": "Сао Томе, жор", + "Saudi Arabia": "Саудын Араб", + "Search": "Хайлт", + "Select Action": "Сонгох Арга Хэмжээ", + "Select All": "Бүх Сонгох", + "Select All Matching": "Бүх Тохирох Сонгоно Уу", + "Send Password Reset Link": "Нууц Үг Нь Дахин Эхлүүлэх Холбоос Илгээх", + "Senegal": "Сенегал", + "September": "Есдүгээр", + "Serbia": "Серби", + "Seychelles": "Сейшелийн Арлууд", + "Show All Fields": "Бүх Талбаруудыг Харуулах", + "Show Content": "Харуулах Агуулга", + "Sierra Leone": "Сьерра Леон", + "Singapore": "Сингапур", + "Sint Maarten (Dutch part)": "Гэмт Мартен", + "Slovakia": "Словак", + "Slovenia": "Словени", + "Solomon Islands": "Соломоны Арлууд", + "Somalia": "Сомали", + "Something went wrong.": "Хэрэв ямар нэг юм буруутвал.", + "Sorry! You are not authorized to perform this action.": "Уучлаарай! Та энэ үйлдлийг хийх эрхгүй.", + "Sorry, your session has expired.": "Уучлаарай, таны сесс хугацаа дууссан байна.", + "South Africa": "Өмнөд Африк", + "South Georgia And Sandwich Isl.": "Өмнөд Гүрж, Өмнөд Сэндвич Арлууд", + "South Sudan": "Өмнөд Судан", + "Spain": "Испани", + "Sri Lanka": "Шри-Ланка", + "Start Polling": "Эхэлсэн Санал Авах", + "Stop Polling": "Санал Асуулга", + "Sudan": "Судан", + "Suriname": "Мэдээж хэрэг", + "Svalbard And Jan Mayen": "Салвард болон эцсийн Мэйн", + "Swaziland": "Eswatini", + "Sweden": "Швед", + "Switzerland": "Швейцарь улс", + "Syrian Arab Republic": "Сири", + "Taiwan": "Тайвань", + "Tajikistan": "Тажикистаны", + "Tanzania": "Танзани", + "Thailand": "Тайланд", + "The :resource was created!": ":resource он бол бүтээгдсэн!", + "The :resource was deleted!": "2011 онд устгасан!", + "The :resource was restored!": ":resource он сэргээгдлээ!", + "The :resource was updated!": ":resource он шинэчлэгдсэн!", + "The action ran successfully!": "Арга хэмжээ амжилттай гүйж!", + "The file was deleted!": "Файл устгагдсан!", + "The government won't let us show you what's behind these doors": "Засгийн газар эдгээр хаалганы цаана юу байгааг бидэнд үзүүлэхгүй байх болно", + "The HasOne relationship has already been filled.": "Тестостерон харилцаа аль хэдийн дүүрэн байна.", + "The resource was updated!": "Нөөц нь шинэчлэгдсэн!", + "There are no available options for this resource.": "Энэ нөөц нь ямар ч Боломжтой сонголт байдаг.", + "There was a problem executing the action.": "Арга хэмжээ хэрэгжүүлэх асуудал байсан.", + "There was a problem submitting the form.": "Маягтыг гаргаж нэг асуудал байсан юм.", + "This file field is read-only.": "Энэ файл талбар нь зөвхөн уншигдах болно.", + "This image": "Энэ зураг", + "This resource no longer exists": "Энэ нөөц байхаа больсон", + "Timor-Leste": "Зүүн Тимор-Зүүн Тимор", + "Today": "Өнөөдөр", + "Togo": "Тогоо", + "Tokelau": "Токелау", + "Tonga": "Ир", + "total": "нийт", + "Trashed": "Угаасан", + "Trinidad And Tobago": "Тринидад ба Тобаго", + "Tunisia": "Тунис", + "Turkey": "Турк", + "Turkmenistan": "Туркменистан", + "Turks And Caicos Islands": "Турк, Кайкос арлууд", + "Tuvalu": "Төвөг", + "Uganda": "Уганда", + "Ukraine": "Украйн", + "United Arab Emirates": "Арабын Нэгдсэн Эмират Улс", + "United Kingdom": "Нэгдсэн Вант Улс", + "United States": "Америк", + "United States Outlying Islands": "АНУ-ын тойруулах арлууд", + "Update": "Шинэчлэх", + "Update & Continue Editing": "Шинэчлэх & Засварлах Үргэлжлүүлэн", + "Update :resource": "Шинэчлэх :resource", + "Update :resource: :title": "Шинэчлэх :resource: :title", + "Update attached :resource: :title": "Шинэчлэгдсэн :resource: :title", + "Uruguay": "Уругвай", + "Uzbekistan": "Узбекстан", + "Value": "Утга", + "Vanuatu": "Вануату", + "Venezuela": "Венесуэл", + "Viet Nam": "Vietnam", + "View": "Харах", + "Virgin Islands, British": "Монгол Виржиний Арлууд", + "Virgin Islands, U.S.": "АНУ-ын Виржиний Арлууд", + "Wallis And Futuna": "Уоллис болон Фуна", + "We're lost in space. The page you were trying to view does not exist.": "Бид орон зайндаа орхигдсон. Та үзэхийн тулд хичээж байсан хуудас нь байхгүй байна.", + "Welcome Back!": "Эргэж Тавтай Морилно Уу!", + "Western Sahara": "Баруун Сахарын", + "Whoops": "Өө", + "Whoops!": "Өө!", + "With Trashed": "Угаасан Нь", + "Write": "Бичих", + "Year To Date": "Жилийн Огноо", + "Yemen": "Йемен", + "Yes": "Тийм ээ", + "You are receiving this email because we received a password reset request for your account.": "Бид таны дансанд нь нууц үг нь дахин эхлүүлэх хүсэлт хүлээн авсан учраас та энэ и-мэйл хүлээн авч байна.", + "Zambia": "Замби", + "Zimbabwe": "Зимбабве" +} diff --git a/locales/mn/packages/spark-paddle.json b/locales/mn/packages/spark-paddle.json new file mode 100644 index 00000000000..9dd1d74f12a --- /dev/null +++ b/locales/mn/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Үйлчилгээний нөхцөл", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Өө! Хэрэв ямар нэг юм буруутвал.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/mn/packages/spark-stripe.json b/locales/mn/packages/spark-stripe.json new file mode 100644 index 00000000000..ad83242463c --- /dev/null +++ b/locales/mn/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Афганистан", + "Albania": "Албани", + "Algeria": "Алжир", + "American Samoa": "АНУ-Ын Самоа", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorran", + "Angola": "Ангол", + "Anguilla": "Шаналангила", + "Antarctica": "Антарктикийн хагас бөмбөрцөг", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Аргентин", + "Armenia": "Армен", + "Aruba": "Араба", + "Australia": "Австрали", + "Austria": "Австри", + "Azerbaijan": "Азербайжан", + "Bahamas": "Багамын", + "Bahrain": "Бахрейн", + "Bangladesh": "Бангладеш", + "Barbados": "Барбадос", + "Belarus": "Беларусь улс", + "Belgium": "Бельги", + "Belize": "Белиз", + "Benin": "Бен", + "Bermuda": "Бермуд", + "Bhutan": "Бутан", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Ботсвана", + "Bouvet Island": "Бүүвэн Арал", + "Brazil": "Бразил", + "British Indian Ocean Territory": "Монгол Энэтхэгийн Далайн Газар Нутаг", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Болгар", + "Burkina Faso": "Буркина Фасо", + "Burundi": "Буриуд", + "Cambodia": "Камбож улс", + "Cameroon": "Камер", + "Canada": "Канад", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Кейптаун", + "Card": "Карт", + "Cayman Islands": "Кайманы Арлууд", + "Central African Republic": "Төв Африкийн Бүгд Найрамдах Улс", + "Chad": "Чад", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Чили улс", + "China": "Хятад", + "Christmas Island": "Христийн Мэндэлсний Баярын Арал", + "City": "City", + "Cocos (Keeling) Islands": "Кокос (Кийлинг) Арлууд", + "Colombia": "Колумб", + "Comoros": "Хөгжим", + "Confirm Payment": "Төлбөр Батлах", + "Confirm your :amount payment": "Таны баталгаажуулах :amount төлбөр", + "Congo": "Конго", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Күүк Арлууд", + "Costa Rica": "Коста-Рика", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Хорват", + "Cuba": "Куба", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Кипр", + "Czech Republic": "Чех", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Дани", + "Djibouti": "Дөрөв", + "Dominica": "Ням гараг", + "Dominican Republic": "Доминиканы Бүгд Найрамдах Улс", + "Download Receipt": "Download Receipt", + "Ecuador": "Эквадор", + "Egypt": "Египет", + "El Salvador": "Сальвадор", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Гвиней Улс", + "Eritrea": "Эритрей", + "Estonia": "Эстони", + "Ethiopia": "Этиоп", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Нэмэлт баталгаа таны төлбөрийг боловсруулах шаардлагатай байна. Доорх товчийг дарж төлбөрийн хуудас үргэлжлүүлэн уу.", + "Falkland Islands (Malvinas)": "Фолкландын Арлууд (Мальвинас)", + "Faroe Islands": "Алс Холын Арлууд", + "Fiji": "Фижи", + "Finland": "Финлянд", + "France": "Франц", + "French Guiana": "Францын Лавана", + "French Polynesia": "Францын Полинез", + "French Southern Territories": "Францын Өмнөд Нутаг Дэвсгэр", + "Gabon": "Үхрийн Нүд", + "Gambia": "Колумб", + "Georgia": "Гүрж", + "Germany": "Герман", + "Ghana": "Гана", + "Gibraltar": "Гибралтар", + "Greece": "Грек", + "Greenland": "Грийнлэнд", + "Grenada": "Гренада", + "Guadeloupe": "Гадуел", + "Guam": "Тоглоом", + "Guatemala": "Гватемал", + "Guernsey": "Германси", + "Guinea": "Гвинейн", + "Guinea-Bissau": "Банкны Тогтолцоо", + "Guyana": "Гаяана", + "Haiti": "Гайти", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Гондурас", + "Hong Kong": "Хонг Конгийн", + "Hungary": "Унгар", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Исланд", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Энэтхэг улс", + "Indonesia": "Индонез", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Ирак", + "Ireland": "Ирланд", + "Isle of Man": "Isle of Man", + "Israel": "Израиль", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Итали", + "Jamaica": "Ямайка", + "Japan": "Япон улс", + "Jersey": "Жерси", + "Jordan": "Жордан", + "Kazakhstan": "Казахстан", + "Kenya": "Кени", + "Kiribati": "Сири", + "Korea, Democratic People's Republic of": "Хойд Солонгос", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Кувейт", + "Kyrgyzstan": "Кыргызстан", + "Lao People's Democratic Republic": "Лаос", + "Latvia": "Латви", + "Lebanon": "Ливан", + "Lesotho": "Лето", + "Liberia": "Либери", + "Libyan Arab Jamahiriya": "Либери", + "Liechtenstein": "Лихтенштейн", + "Lithuania": "Литва", + "Luxembourg": "Люксембург", + "Macao": "Макао", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Мадагаскар", + "Malawi": "Илтгэлд", + "Malaysia": "Малайз", + "Maldives": "Эрэгтэй эмэгтэй хамт сурах", + "Mali": "Жижиг", + "Malta": "Мальта", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Маршаллын Арлууд", + "Martinique": "Мартин", + "Mauritania": "Мавритани", + "Mauritius": "Мавритани", + "Mayotte": "Камелот", + "Mexico": "Мексик", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Монако", + "Mongolia": "Монгол улс", + "Montenegro": "Монтенегро", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Монтеррат", + "Morocco": "Морокко", + "Mozambique": "Мозамбик", + "Myanmar": "Мьянмар улс", + "Namibia": "Намиби", + "Nauru": "Үхэр", + "Nepal": "Балба", + "Netherlands": "Нидерланд", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Шинэ Каледониа", + "New Zealand": "Шинэ Зеланд", + "Nicaragua": "Никарагуа", + "Niger": "Нигер", + "Nigeria": "Нигери", + "Niue": "Сайхан", + "Norfolk Island": "Норвек Арал", + "Northern Mariana Islands": "Умард Марианы Арлууд", + "Norway": "Гадуур хувцас", + "Oman": "Оман", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Пакистан", + "Palau": "Палау", + "Palestinian Territory, Occupied": "Палестины Газар Нутаг", + "Panama": "Панама", + "Papua New Guinea": "Папуа Шинэ Гвиней", + "Paraguay": "Парагвай", + "Payment Information": "Payment Information", + "Peru": "Перу", + "Philippines": "Филиппин", + "Pitcairn": "Монголын Анхны Хөгжлийн Зах Үйл Ажиллагаагаа Нээв", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Польш", + "Portugal": "Португал", + "Puerto Rico": "Перу Рико", + "Qatar": "Катар", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Румын", + "Russian Federation": "ОХУ", + "Rwanda": "Руанда", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "С. Хелена", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "С. Лукиа", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Самоа", + "San Marino": "Сан Марино", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Саудын Араб", + "Save": "Хадгалах", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Сенегал", + "Serbia": "Серби", + "Seychelles": "Сейшелийн Арлууд", + "Sierra Leone": "Сьерра Леон", + "Signed in as": "Signed in as", + "Singapore": "Сингапур", + "Slovakia": "Словак", + "Slovenia": "Словени", + "Solomon Islands": "Соломоны Арлууд", + "Somalia": "Сомали", + "South Africa": "Өмнөд Африк", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Испани", + "Sri Lanka": "Шри-Ланка", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Судан", + "Suriname": "Мэдээж хэрэг", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Швед", + "Switzerland": "Швейцарь улс", + "Syrian Arab Republic": "Сири", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Тажикистаны", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Үйлчилгээний нөхцөл", + "Thailand": "Тайланд", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Зүүн Тимор-Зүүн Тимор", + "Togo": "Тогоо", + "Tokelau": "Токелау", + "Tonga": "Ир", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Тунис", + "Turkey": "Турк", + "Turkmenistan": "Туркменистан", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Төвөг", + "Uganda": "Уганда", + "Ukraine": "Украйн", + "United Arab Emirates": "Арабын Нэгдсэн Эмират Улс", + "United Kingdom": "Нэгдсэн Вант Улс", + "United States": "Америк", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Шинэчлэх", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Уругвай", + "Uzbekistan": "Узбекстан", + "Vanuatu": "Вануату", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Монгол Виржиний Арлууд", + "Virgin Islands, U.S.": "АНУ-ын Виржиний Арлууд", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Баруун Сахарын", + "Whoops! Something went wrong.": "Өө! Хэрэв ямар нэг юм буруутвал.", + "Yearly": "Yearly", + "Yemen": "Йемен", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Замби", + "Zimbabwe": "Зимбабве", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/mr/mr.json b/locales/mr/mr.json index e047c74f01d..aac314512e6 100644 --- a/locales/mr/mr.json +++ b/locales/mr/mr.json @@ -1,710 +1,48 @@ { - "30 Days": "30 दिवस", - "60 Days": "60 दिवस", - "90 Days": "90 दिवस", - ":amount Total": ":amount एकूण", - ":days day trial": ":days day trial", - ":resource Details": ":resource तपशील", - ":resource Details: :title": ":resource तपशील: :title", "A fresh verification link has been sent to your email address.": "आपल्या ईमेल पत्त्यावर एक नवीन सत्यापन लिंक पाठविला गेला आहे.", - "A new verification link has been sent to the email address you provided during registration.": "नवीन सत्यापन दुवा तुम्ही नोंदणी दरम्यान प्रदान ईमेल पत्त्यावर पाठविण्यात आले आहे.", - "Accept Invitation": "आमंत्रण स्वीकारा", - "Action": "कृती", - "Action Happened At": "येथे घडले", - "Action Initiated By": "आरंभ", - "Action Name": "नाव", - "Action Status": "स्थिती", - "Action Target": "लक्ष्य", - "Actions": "क्रिया", - "Add": "जोडा", - "Add a new team member to your team, allowing them to collaborate with you.": "आपल्या संघ एक नवीन टीम सदस्य जोडा, त्यांना आपण सहयोग करण्यास परवानगी.", - "Add additional security to your account using two factor authentication.": "दोन घटक प्रमाणीकरण वापरून आपल्या खात्यात अतिरिक्त सुरक्षा जोडा.", - "Add row": "Add सलग", - "Add Team Member": "टीम सदस्य जोडा", - "Add VAT Number": "Add VAT Number", - "Added.": "आवड दर्शविली", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "प्रशासक", - "Administrator users can perform any action.": "प्रशासक वापरकर्त्यांना कोणत्याही क्रिया करू शकता.", - "Afghanistan": "जीवनशैली", - "Aland Islands": "ऑलंड द्वीपसमूह", - "Albania": "आल्बेनिया", - "Algeria": "सामान्य", - "All of the people that are part of this team.": "हा संघ भाग आहेत की लोक सर्व.", - "All resources loaded.": "सर्व संसाधने लोड झाले.", - "All rights reserved.": "सर्व हक्क राखीव.", - "Already registered?": "नोंदणी केलेली आहे?", - "American Samoa": "अमेरिकन सामोआ", - "An error occured while uploading the file.": "फाइल अपलोड करताना एक त्रुटी आली.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorran", - "Angola": "अंगोला", - "Anguilla": "अँग्विला", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "या पेज दाखल असल्याने अन्य वापरकर्ता सुधारित केले आहे पृष्ठ रीफ्रेश करा आणि पुन्हा प्रयत्न करा.", - "Antarctica": "अंटार्क्टिका", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "अँटिगा आणि बार्बुडा", - "API Token": "API टोकन", - "API Token Permissions": "एपीआय टोकन परवानगी", - "API Tokens": "API टोकन", - "API tokens allow third-party services to authenticate with our application on your behalf.": "एपीआय टोकन तृतीय पक्ष सेवा आपल्या वतीने आमच्या अर्ज प्रमाणीकृत करण्यासाठी परवानगी देते.", - "April": "आशा", - "Are you sure you want to delete the selected resources?": "आपण निवडलेल्या संसाधने हटवू इच्छिता याची खात्री आहे?", - "Are you sure you want to delete this file?": "तुम्हाला नक्की या फाइल नष्ट करायचे?", - "Are you sure you want to delete this resource?": "तुम्हाला नक्की हे स्त्रोत नष्ट करायचे?", - "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 detach the selected resources?": "आपण निवडलेल्या संसाधने विलग करू इच्छिता याची खात्री आहे?", - "Are you sure you want to detach this resource?": "आपण या संसाधन विलग करू इच्छिता याची खात्री आहे?", - "Are you sure you want to force delete the selected resources?": "तुम्हाला नक्की निवडले संसाधने हटवू सक्ती करू इच्छित आहेत?", - "Are you sure you want to force delete this resource?": "तुम्हाला नक्की हे स्त्रोत हटवा सक्ती करू इच्छिता?", - "Are you sure you want to restore the selected resources?": "आपण निवडलेल्या संसाधने पुनर्संचयित करण्यासाठी इच्छित खात्री आहे?", - "Are you sure you want to restore this resource?": "आपण या संसाधन पुनर्संचयित करण्यासाठी इच्छित खात्री आहे?", - "Are you sure you want to run this action?": "आपण ही क्रिया चालवू इच्छित खात्री आहे का?", - "Are you sure you would like to delete this API token?": "आपण या एपीआय टोकन हटवू इच्छिता याची खात्री आहे का?", - "Are you sure you would like to leave this team?": "आपण खात्री आहे की आपण हा संघ सोडू इच्छिता?", - "Are you sure you would like to remove this person from the team?": "आपण संघ या व्यक्ती काढून इच्छित खात्री आहे?", - "Argentina": "अर्जेंटीना", - "Armenia": "अर्मेनिया", - "Aruba": "अरूबा", - "Attach": "संलग्न", - "Attach & Attach Another": "संलग्न करा & दुसरा", - "Attach :resource": "संलग्न करा :resource", - "August": "ऑगस्ट", - "Australia": "भारत", - "Austria": "जर्मनी", - "Azerbaijan": "अझरबैजान", - "Bahamas": "बहामाज", - "Bahrain": "बहरैन", - "Bangladesh": "बांगलादेश", - "Barbados": "बार्बाडोस", "Before proceeding, please check your email for a verification link.": "पुढे जाण्यापूर्वी, कृपया सत्यापन ईमेलसाठी आपले ईमेल तपासा.", - "Belarus": "बेलारूस", - "Belgium": "बेल्जियम", - "Belize": "बेलिझ", - "Benin": "बेनिन", - "Bermuda": "बरमूडा", - "Bhutan": "भूतान", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "बोलिव्हिया", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, सिंट Eustatius आणि Sábado", - "Bosnia And Herzegovina": "बोस्निया आणि हर्झगोविना", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "बोत्सवाना", - "Bouvet Island": "बोवेट बेट", - "Brazil": "खेळ", - "British Indian Ocean Territory": "ब्रिटिश भारतीय महासागर प्रदेश", - "Browser Sessions": "ब्राउझर सत्र", - "Brunei Darussalam": "Brunei", - "Bulgaria": "अज्ञात", - "Burkina Faso": "बर्किना फासो", - "Burundi": "बन्दरा", - "Cambodia": "कंबोडिया", - "Cameroon": "कामेरून", - "Canada": "कॅनडा", - "Cancel": "रद्द करा", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "केप व्हर्दे", - "Card": "कार्ड", - "Cayman Islands": "केमन द्वीपसमूह", - "Central African Republic": "मध्य आफ्रिकेचे प्रजासत्ताक", - "Chad": "चाड", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "बदल", - "Chile": "चिली", - "China": "याच काळात चीन", - "Choose": "निवडा", - "Choose :field": ":field निवडा", - "Choose :resource": "निवडा :resource", - "Choose an option": "एक पर्याय निवडा", - "Choose date": "दिनांक निवडा", - "Choose File": "फाइल निवडा", - "Choose Type": "प्रकार निवडा", - "Christmas Island": "ख्रिसमस बेट", - "City": "City", "click here to request another": "आणखी विनंती करण्यासाठी येथे क्लिक करा", - "Click to choose": "निवडण्यासाठी क्लिक करा", - "Close": "बंद करा", - "Cocos (Keeling) Islands": "कोकोस द्वीपसमूह", - "Code": "कोड", - "Colombia": "कोलंबिया", - "Comoros": "कोमोरोस", - "Confirm": "खात्री", - "Confirm Password": "पासवर्डची पुष्टी करा", - "Confirm Payment": "भरणा निश्चित करा", - "Confirm your :amount payment": "आपली खात्री आहे :amount भरणा", - "Congo": "काँगो", - "Congo, Democratic Republic": "काँगो, लोकशाही प्रजासत्ताक", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "सतत", - "Cook Islands": "कूक द्वीपसमूह", - "Costa Rica": "कोस्टा रिका", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "आढळू शकत नाही.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "बनवा", - "Create & Add Another": "तयार करा & आणखी जोडा", - "Create :resource": ":resource तयार करा", - "Create a new team to collaborate with others on projects.": "प्रकल्पांवर इतर सहयोग करण्यासाठी एक नवीन संघ तयार करा.", - "Create Account": "खाते तयार करा", - "Create API Token": "एपीआय टोकन तयार करा", - "Create New Team": "नविन संघ बनवा", - "Create Team": "टीम तयार करणे", - "Created.": "तयार केले.", - "Croatia": "स्लोवाकिया", - "Cuba": "क्युबा", - "Curaçao": "कुरकओ", - "Current Password": "वर्तमान गुप्तशब्द", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "सानुकूल करा", - "Cyprus": "सायप्रस", - "Czech Republic": "रूमानीया", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "संबंध", - "December": "डिसेंबर", - "Decrease": "कमी", - "Delete": "हटवा", - "Delete Account": "खाते हटवा", - "Delete API Token": "हटवा API टोकन", - "Delete File": "फाइल हटवा", - "Delete Resource": "स्त्रोत हटवा", - "Delete Selected": "निवडलेले डिलीट करा", - "Delete Team": "संघ हटवा", - "Denmark": "डेन्मार्क", - "Detach": "अलग करा", - "Detach Resource": "संसाधन अलग करा", - "Detach Selected": "अलग करा निवडलेले", - "Details": "तपशील", - "Disable": "अकार्यान्वीत", - "Djibouti": "जिबूती", - "Do you really want to leave? You have unsaved changes.": "तुम्हाला नक्की निघायचं आहे का? तुम्ही असंचयीत बदलाव समाविष्टीत आहे.", - "Dominica": "थंड", - "Dominican Republic": "डॉमिनिक गणराज्य", - "Done.": "पूर्ण झाले.", - "Download": "अपुर्णांक", - "Download Receipt": "Download Receipt", "E-Mail Address": "ई-मेल पत्ता", - "Ecuador": "इक्वाडोर", - "Edit": "संपादन", - "Edit :resource": "संपादित करा :resource", - "Edit Attached": "संलग्न संपादन", - "Editor": "मॉनीटर", - "Editor users have the ability to read, create, and update.": "संपादकीय वापरकर्ते वाचा तयार करा, आणि सुधारणा करण्याची क्षमता आहे.", - "Egypt": "इजिप्त", - "El Salvador": "रक्षणकर्ता", - "Email": "नाव", - "Email Address": "ईमेल पत्ता", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "ईमेल पासवर्ड रिसेट दुवा", - "Enable": "कार्यान्वीत", - "Ensure your account is using a long, random password to stay secure.": "आपले खाते एक लांब वापरत आहे याची खात्री करा, यादृच्छिक पासवर्ड सुरक्षित राहण्यासाठी.", - "Equatorial Guinea": "इक्वेटोरीयल गिनी", - "Eritrea": "इरिट्रिया", - "Estonia": "इस्टोनिया", - "Ethiopia": "इथिओपिया", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "अतिरिक्त पुष्टी आपल्या देयक प्रक्रिया करणे आवश्यक आहे. खालील आपल्या देयक तपशील भरून आपल्या देयक पुष्टी करा.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "अतिरिक्त पुष्टी आपल्या देयक प्रक्रिया करणे आवश्यक आहे. खालील बटणावर क्लिक करून देयक पृष्ठावर सुरू ठेवा.", - "Falkland Islands (Malvinas)": "फॉकलंड बेटे)", - "Faroe Islands": "फेरो द्वीपसमूह", - "February": "फेब्रुवारी", - "Fiji": "फिजी", - "Finland": "फिनलंड", - "For your security, please confirm your password to continue.": "आपल्या सुरक्षिततेसाठी, चालू ठेवण्यासाठी आपला पासवर्ड पुष्टी करा.", "Forbidden": "निषिद्ध", - "Force Delete": "फोर्स हटवा", - "Force Delete Resource": "फोर्स हटवा संसाधन", - "Force Delete Selected": "फोर्स निवडलेले डिलीट करा", - "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.": "आपली संकेताक्षरे विसरलात? काही हरकत नाही. फक्त आम्हाला आपला ईमेल पत्ता कळवा आणि आम्ही आपल्याला एक नवीन निवडा करण्याची परवानगी देईल की आपण एक पासवर्ड रीसेट दुवा ईमेल जाईल.", - "France": "एस", - "French Guiana": "फ्रेंच गयाना", - "French Polynesia": "फ्रेंच पॉलिनेशिया", - "French Southern Territories": "फ्रेंच दक्षिण प्रदेश", - "Full name": "फॉन्ट प्रतिकृत करत आहे ... ", - "Gabon": "गबॉन", - "Gambia": "गॅम्बिया", - "Georgia": "जॉर्जिया", - "Germany": "हंगेरी", - "Ghana": "घाना", - "Gibraltar": "जिब्राल्टर", - "Go back": "मागे जा", - "Go Home": "घरी जा", "Go to page :page": "पृष्ठावर जा :page", - "Great! You have accepted the invitation to join the :team team.": "ग्रेट! आपण सामील आमंत्रण स्वीकारले आहे :team संघ.", - "Greece": "धार्मिक", - "Greenland": "ग्रीनलँड", - "Grenada": "ग्रेनाडा, विंडवर्ड आयलॅन्ड", - "Guadeloupe": "ग्वादेलोप", - "Guam": "गुआम", - "Guatemala": "ग्वाटेमाला", - "Guernsey": "ग्वेरन्से", - "Guinea": "गिनी", - "Guinea-Bissau": "गिनी-बिसाउ", - "Guyana": "गयाना", - "Haiti": "हैती", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "हर्ड बेट व मॅकडोनाल्ड बेटे", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "हॅलो!", - "Hide Content": "सामग्री लपवा", - "Hold Up!": "उंच धरा!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "होंडरस", - "Hong Kong": "उच्च सागरी संघ वर हाँगकाँग", - "Hungary": "चेक प्रजासत्ताक, हंगेरी", - "I agree to the :terms_of_service and :privacy_policy": "मी सहमत :terms_of_service आणि :privacy_policy", - "Iceland": "आइसलँड", - "ID": "ID", - "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 logout 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 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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "आपण :actionText यावर क्लिक करू शकत नसल्यास, खाली आपल्या URL च्या अॅड्रेस बारमध्ये URL कॉपी आणि पेस्ट करा: [:displayableActionUrl] (:actionURL)", - "Increase": "वाढवा", - "India": "तर", - "Indonesia": "एचडी", "Invalid signature.": "अवैध स्वाक्षरी.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "ईराण", - "Iraq": "ईराक", - "Ireland": "आयर्लंड", - "Isle of Man": "Isle of Man", - "Isle Of Man": "आईल ऑफ मान", - "Israel": "इजिप्त", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "स्लोवाकिया", - "Jamaica": "जमैका", - "January": "जानेवारी", - "Japan": "जपान", - "Jersey": "जर्सी", - "Jordan": "जॉर्डन", - "July": "हवामान", - "June": "जून", - "Kazakhstan": "कझाकस्तान", - "Kenya": "ऑस्ट्रेलिया", - "Key": "कि", - "Kiribati": "किरिबाटी", - "Korea": "दक्षिण कोरिया", - "Korea, Democratic People's Republic of": "उत्तर कोरिया", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "कोसोव्हो", - "Kuwait": "कुवैत", - "Kyrgyzstan": "किरगिझस्तान", - "Lao People's Democratic Republic": "लाओस", - "Last active": "सक्रिय अंतिम", - "Last used": "अंतिम वापरलेले", - "Latvia": "लात्व्हिया", - "Leave": "सोडून द्या", - "Leave Team": "Leave संघ", - "Lebanon": "लेबनॉन", - "Lens": "लेन्स", - "Lesotho": "लेसोथो", - "Liberia": "लायबेरिया", - "Libyan Arab Jamahiriya": "लीबिया", - "Liechtenstein": "लिश्टनस्टाइन", - "Lithuania": "लिथुआनिया", - "Load :perPage More": "लोड :perPage अधिक", - "Log in": "मध्ये लॉग इन करा", "Log out": "लॉग आउट", - "Log Out": "लॉग आउट", - "Log Out Other Browser Sessions": "इतर ब्राउझर सत्र लॉग आउट करा", - "Login": "लॉग इन", - "Logout": "निर्गमन", "Logout Other Browser Sessions": "Logout इतर ब्राउझर सत्र", - "Luxembourg": "लक्झेंबर्ग", - "Macao": "मकाओ", - "Macedonia": "उत्तर मॅसिडोनिया", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "मादागास्कर", - "Malawi": "भारत", - "Malaysia": "मलेशिया", - "Maldives": "मालदीव", - "Mali": "लहान", - "Malta": "माल्टा", - "Manage Account": "खाते व्यवस्थापित करा", - "Manage and log out your active sessions on other browsers and devices.": "व्यवस्थापित करा आणि इतर ब्राउझर आणि डिव्हाइस वर आपल्या सक्रिय सत्र लॉग आउट.", "Manage and logout your active sessions on other browsers and devices.": "व्यवस्थापित करा आणि इतर ब्राउझर आणि डिव्हाइसेसवर आपल्या सक्रिय सत्र लॉगआऊट करा.", - "Manage API Tokens": "व्यवस्थापित API टोकन", - "Manage Role": "भूमिका व्यवस्थापित", - "Manage Team": "टीम व्यवस्थापित करा", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "मार्च", - "Marshall Islands": "मार्शल बेटे", - "Martinique": "मार्टिनिक", - "Mauritania": "आर्थिक", - "Mauritius": "मॉरिशस", - "May": "मे", - "Mayotte": "मायोत", - "Mexico": "मेक्सिको", - "Micronesia, Federated States Of": "मायक्रोनेशिया", - "Moldova": "मोल्दोव्हा", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "मोनॅको", - "Mongolia": "मंगोलिया", - "Montenegro": "मॉंटनेग्रो", - "Month To Date": "तारीख महिना", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "मॉन्टसेरात", - "Morocco": "मॉरटानिया", - "Mozambique": "मोझांबिक", - "Myanmar": "म्यानमार", - "Name": "नाव", - "Namibia": "मोरक्को", - "Nauru": "नौरू", - "Nepal": "नेपाळ", - "Netherlands": "स्लोवीनिया", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "काही हरकत नाही", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "टीप", - "New :resource": "नवीन :resource", - "New Caledonia": "न्यू कॅलिडोनिया", - "New Password": "नवीन परवलीचा शब्द", - "New Zealand": "दक्षिण आफ्रिका", - "Next": "पुढचे", - "Nicaragua": "निकारागुआ", - "Niger": "नामीबिया", - "Nigeria": "नायजर", - "Niue": "नीयू", - "No": "नाही", - "No :resource matched the given criteria.": "कोणत्याही :resource दिलेल्या निकष जुळली.", - "No additional information...": "कोणतीही आधिक माहिती...", - "No Current Data": "कोणताही सध्याचा डाटा", - "No Data": "माहिती उपलब्ध नाही", - "no file selected": "फाइल निवडली नाही", - "No Increase": "वाढ नाही", - "No Prior Data": "अगोदर डेटा नाही", - "No Results Found.": "परिणाम आढळले नाही.", - "Norfolk Island": "नॉरफोक बेट", - "Northern Mariana Islands": "उत्तर मेरियाना द्वीपसमूह", - "Norway": "नॉर्वे", "Not Found": "आढळले नाही", - "Nova User": "नवीन वापरकर्ता", - "November": "नोव्हेंबर", - "October": "ऑक्टोबर", - "of": "चा", "Oh no": "अरे नाही", - "Oman": "ओमान", - "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 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 Trashed": "फक्त Trashed", - "Original": "मुळ", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "पृष्ठ कालबाह्य झाले", "Pagination Navigation": "अंक Navigation", - "Pakistan": "पाकिस्तान", - "Palau": "पलाउ", - "Palestinian Territory, Occupied": "पॅलेस्टिनी प्रदेश", - "Panama": "पनामा", - "Papua New Guinea": "पापुआ न्यू गिनी", - "Paraguay": "पराग्वे", - "Password": "पासवर्ड", - "Pay :amount": "द्या :amount", - "Payment Cancelled": "भरणा रद्द", - "Payment Confirmation": "भरणा पुष्टीकरण", - "Payment Information": "Payment Information", - "Payment Successful": "यशस्वी भरणा", - "Pending Team Invitations": "संघ आमंत्रणे प्रलंबित", - "Per Page": "प्रति पृष्ठ", - "Permanently delete this team.": "कायमस्वरूपी हा संघ हटवा.", - "Permanently delete your account.": "कायमस्वरूपी आपले खाते हटवा.", - "Permissions": "परवानगी", - "Peru": "पेरू", - "Philippines": "फिलीपिन्स", - "Photo": "श्रींचे फोटो", - "Pitcairn": "पिटकेर्न द्वीपसमूह", "Please click the button below to verify your email address.": "कृपया आपला ईमेल पत्ता पडताळण्यासाठी खालील बटणावर क्लिक करा.", - "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 your password before continuing.": "कृपया आपला संकेतशब्द चालू करण्यापूर्वी पुष्टी करा.", - "Please copy your new API token. For your security, it won't be shown again.": "आपल्या नवीन टोकन कॉपी करा. आपल्या सुरक्षिततेसाठी, तो पुन्हा दर्शविले जाणार नाही.", - "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 logout of your other browser sessions across all of your devices.": "कृपया तुम्हाला नक्की खात्री करायचे आहे की आपण सर्व डिव्हाइसमधून आपल्या इतर ब्राउझर सत्रे लॉग आउट करू इच्छितो.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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. The email address must be associated with an existing account.": "आपण या संघात जोडू इच्छित व्यक्तीच्या ई-मेल पत्ता प्रदान करा. इमेल पत्ता अस्तित्वातील खात्याशी संबद्ध केला पाहिजे.", - "Please provide your name.": "कृपया आपले नाव प्रदान करा.", - "Poland": "पोलंड", - "Portugal": "पोर्तुगाल", - "Press \/ to search": "दाबणे \/ शोधा", - "Preview": "पूर्वदृश्य", - "Previous": "मागचा", - "Privacy Policy": "आमच्या तज्ज्ञ पॅनेल", - "Profile": "सर्व", - "Profile Information": "प्रोफाइल माहिती", - "Puerto Rico": "पोर्टो रीको", - "Qatar": "कतार", - "Quarter To Date": "तारीख चतुर्थांश", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "पुनर्प्राप्ती कोड", "Regards": "विनम्र", - "Regenerate Recovery Codes": "पुनर्प्राप्ती कोड निर्माण", - "Register": "नोंदणी करा", - "Reload": "पुनःदाखल करा", - "Remember me": "नोंदी राष्ट्रीय स्वयंसेवक संघाचे", - "Remember Me": "मला लक्षात ठेवा", - "Remove": "काढूण टाका", - "Remove Photo": "छायाचित्र काढून टाका", - "Remove Team Member": "टीम सदस्य काढा", - "Resend Verification Email": "सत्यापन ईमेल पुन्हा पाठवा", - "Reset Filters": "फिल्टर रीसेट करा", - "Reset Password": "संकेतशब्द रीसेट करा", - "Reset Password Notification": "संकेतशब्द रीसेट अधिसूचना", - "resource": "स्त्रोत", - "Resources": "चीनी भागधारकांना अवलंबून होते संसाधने", - "resources": "चीनी भागधारकांना अवलंबून होते संसाधने", - "Restore": "पुन्हस्थापन", - "Restore Resource": "साधन पुनर्संचयित करा", - "Restore Selected": "निवडलेले पुनर्संचयित करा", "results": "परिणाम", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "संमेलन", - "Role": "भुमिका", - "Romania": "चीन", - "Run Action": "चालवा क्रिया", - "Russian Federation": "रशियन फेडरेशन", - "Rwanda": "रवांडा", - "Réunion": "Réunion", - "Saint Barthelemy": "सेंट बार्थेलेमी", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "सेंट.", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "सेंट.", - "Saint Lucia": "सेंट.", - "Saint Martin": "सेंट मार्टिन", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "सेंट पियरे आणि मिकेलॉन", - "Saint Vincent And Grenadines": "सेंट.", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "सामोआ", - "San Marino": "सान मारिनो", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "साओ टोमे आणि प्रिन्सिप", - "Saudi Arabia": "सौदी अरेबिया", - "Save": "संचयन", - "Saved.": "सत्यापित खाते", - "Search": "वैराग्य", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "नवीन फोटो निवडा", - "Select Action": "कृती नीवडा", - "Select All": "सर्व निवडा", - "Select All Matching": "सर्व जुळवणीजोगी निवडा", - "Send Password Reset Link": "संकेतशब्द रीसेट लिंक पाठवा", - "Senegal": "सेनेगाल", - "September": "सप्टेंबर", - "Serbia": "सर्बिया", "Server Error": "सर्व्हर त्रुटी", "Service Unavailable": "सेवा उपलब्ध नाही", - "Seychelles": "सेशेल्स", - "Show All Fields": "सर्व फील्ड दर्शवा", - "Show Content": "सामग्री दर्शवा", - "Show Recovery Codes": "पुनर्प्राप्ती कोड दर्शवा", "Showing": "दर्शवित आहे", - "Sierra Leone": "सियेरा लिओन", - "Signed in as": "Signed in as", - "Singapore": "सिंगापूर", - "Sint Maarten (Dutch part)": "सिंट मार्टेन", - "Slovakia": "स्लोवाकिया", - "Slovenia": "स्लोवीनिया", - "Solomon Islands": "सोलोमन बेटे", - "Somalia": "सोमालिया", - "Something went wrong.": "हो ... काहीतरी चुकले.", - "Sorry! You are not authorized to perform this action.": "क्षमस्व! तुम्ही ही क्रिया करण्यासाठी अधिकृत नाही.", - "Sorry, your session has expired.": "माफ करा, तुमच्या सत्र संपली आहे.", - "South Africa": "दक्षिण आफ्रिका", - "South Georgia And Sandwich Isl.": "दक्षिण जॉर्जिया आणि दक्षिण सँडविच बेटे", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "दक्षिण सुदान", - "Spain": "स्पेन", - "Sri Lanka": "श्रीलंका", - "Start Polling": "प्रारंभ मतदान", - "State \/ County": "State \/ County", - "Stop Polling": "मतदान थांबवा", - "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.": "एक सुरक्षित पासवर्ड व्यवस्थापक या पुनर्प्राप्ती कोड साठवा. आपल्या दोन घटक प्रमाणीकरण साधन गमावले असेल तर ते आपल्या खात्यात प्रवेश पुनर्प्राप्त करण्यासाठी वापरले जाऊ शकते.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "सूदान", - "Suriname": "सुरिनाम", - "Svalbard And Jan Mayen": "स्वालबार्ड आणि यान मायेन", - "Swaziland": "Eswatini", - "Sweden": "स्वीडन", - "Switch Teams": "संघ बदलवा", - "Switzerland": "स्विर्त्झलँड", - "Syrian Arab Republic": "सीरिया", - "Taiwan": "एचडी", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "ताजिकिस्तान", - "Tanzania": "टांझानिया", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "कार्यसंघ तपशील", - "Team Invitation": "संघ आमंत्रण", - "Team Members": "टीम सदस्य", - "Team Name": "टीम नाव", - "Team Owner": "कार्यसंघ मालक", - "Team Settings": "कार्यसंघ सेटिंग्ज", - "Terms of Service": "घर", - "Thailand": "मलेशिया", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute वैध भूमिका असणे आवश्यक आहे.", - "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 and 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 uppercase character and one number.": "The :attribute किमान असणे आवश्यक आहे :length वर्ण आणि contain at least one uppercase character आणि एक संख्या.", - "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 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.": "द :attribute किमान :length वर्ण असणे आवश्यक आहे.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "द :resource तयार करण्यात आला!", - "The :resource was deleted!": "अगोदर निर्देश केलेल्या बाबीसंबंधी बोलताना :resource हटविले गेले!", - "The :resource was restored!": ":resource पुनर्संचयित केले गेले!", - "The :resource was updated!": "अगोदर निर्देश केलेल्या बाबीसंबंधी बोलताना :resource अद्यतनित केले!", - "The action ran successfully!": "ती क्रिया यशस्वीरित्या धावत गेला!", - "The file was deleted!": "फाइल हटवली गेली!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "आता या दारे मागे आहे काय सरकार आम्हाला आपण दाखवा करणार नाही", - "The HasOne relationship has already been filled.": "पैसा संबंध आधीच भरले गेले आहे.", - "The payment was successful.": "पैसे यशस्वी होते.", - "The provided coupon code is invalid.": "The provided coupon code is 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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "संसाधन अद्यतनित केले होते!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "संघाचे नाव आणि मालक माहिती.", - "There are no available options for this resource.": "या संसाधन साठी उपलब्ध पर्याय आहेत.", - "There was a problem executing the action.": "कारवाई चालवून एक समस्या आली.", - "There was a problem submitting the form.": "फॉर्म सादर एक समस्या होती.", - "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.": "या लोकांना आपल्या संघ आमंत्रित केले आहे आणि आमंत्रण ईमेल पाठविण्यात आले आहे. ते ईमेल आमंत्रण स्वीकारून संघ सहभागी होऊ शकता.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "ही क्रिया अनधिकृत आहे.", - "This device": "हे डिव्हाइस", - "This file field is read-only.": "ही फाईल फिल्डस केवळ-वाचनीय आहे.", - "This image": "ही प्रतिमा", - "This is a secure area of the application. Please confirm your password before continuing.": "हा अनुप्रयोग एक सुरक्षित क्षेत्र आहे. कृपया आपला संकेतशब्द चालू करण्यापूर्वी पुष्टी करा.", - "This password does not match our records.": "हा संकेतशब्द आमच्या अभिलेख जुळत नाही.", "This password reset link will expire in :count minutes.": "हा संकेतशब्द रीसेट लिंक कालबाह्य होईल: मोजण्यासाठी मिनिटे :count", - "This payment was already successfully confirmed.": "हे देयक आधीच यशस्वीरित्या निश्चिती होते.", - "This payment was cancelled.": "हे देयक रद्द करण्यात आला.", - "This resource no longer exists": "हा स्त्रोत यापुढे अस्तित्वात", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "ही वापरकर्ता आधीच संघ आहेत.", - "This user has already been invited to the team.": "या वापरकर्त्यासाठी आधीच संघ आमंत्रित केले गेले आहे.", - "Timor-Leste": "तिमोर-लेस्ट", "to": "प्रति", - "Today": "आज", "Toggle navigation": "नेव्हिगेशन बदला", - "Togo": "टोगो", - "Tokelau": "तोकेलाउ", - "Token Name": "टोकन नाव", - "Tonga": "ये", "Too Many Attempts.": "बरेच प्रयत्न.", "Too Many Requests": "बर्याच विनंत्या", - "total": "वर्षात एकूण", - "Total:": "Total:", - "Trashed": "कचर्‍यात टाकला", - "Trinidad And Tobago": "त्रिनिदाद आणि टोबॅगो", - "Tunisia": "ट्युनिशिया", - "Turkey": "तुर्की", - "Turkmenistan": "तुर्कमेनिस्तान", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "टर्क्स आणि कैकास द्वीपसमूह", - "Tuvalu": "तुवालू", - "Two Factor Authentication": "दोन घटक प्रमाणीकरण", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "दोन घटक प्रमाणीकरण आता सक्षम केले आहे. आपल्या फोनच्या अस्सल वापर करून खालील क्यूआर कोड स्कॅन.", - "Uganda": "युगांडा", - "Ukraine": "युक्रेन", "Unauthorized": "अनधिकृत", - "United Arab Emirates": "आपण देखील आवडेल", - "United Kingdom": "आपण देखील आवडेल", - "United States": "आपण देखील आवडेल", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "च्या.", - "Update": "अद्ययावत करा", - "Update & Continue Editing": "अद्यतनित करा & संपादन सुरू ठेवा", - "Update :resource": "अद्यतन :resource", - "Update :resource: :title": "अद्यतन :resource: :title", - "Update attached :resource: :title": "अद्यतन संलग्न :resource: :title", - "Update Password": "अद्यतन पासवर्ड", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "आपल्या खात्याच्या प्रोफाइल माहिती आणि ईमेल पत्ता अपडेट करा.", - "Uruguay": "उरुग्वे", - "Use a recovery code": "एक पुनर्प्राप्ती कोड वापरा", - "Use an authentication code": "अधिप्रमाणन कोड वापरा", - "Uzbekistan": "उझबेकिस्तान", - "Value": "मुल्य", - "Vanuatu": "वानुआटु", - "VAT Number": "VAT Number", - "Venezuela": "व्हेनेझ्युएला", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "ईमेल पत्ता सत्यापित करा", "Verify Your Email Address": "आपला ईमेल पत्ता सत्यापित करा", - "Viet Nam": "Vietnam", - "View": "दृश्य", - "Virgin Islands, British": "ब्रिटिश व्हर्जिन द्वीपसमूह", - "Virgin Islands, U.S.": "व्हर्जिन द्वीपसमूह", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "वालिस व फुतुना", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "आम्ही हा ईमेल पत्त्यासह नोंदणीकृत वापरकर्ता शोधण्यात अक्षम आहोत.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "आम्ही काही तास पुन्हा आपला संकेतशब्द विचारणार नाही.", - "We're lost in space. The page you were trying to view does not exist.": "आम्ही जागेत गमावले आहोत. आपण पाहू करण्याचा प्रयत्न करत होते पृष्ठ अस्तित्वात नाही.", - "Welcome Back!": "पुन्हा आपले स्वागत आहे!", - "Western Sahara": "पश्चिम सहारा", - "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.": "दोन घटक प्रमाणीकरण सक्षम केले जाते, तेव्हा, आपण सुरक्षित करण्यासाठी सूचित केले जाईल, प्रमाणीकरण दरम्यान यादृच्छिक टोकन. आपण आपल्या फोन गुगल अस्सल अनुप्रयोग पासून या टोकन पुनर्प्राप्त करू शकता.", - "Whoops": "अरेरे", - "Whoops!": "अरेरे!", - "Whoops! Something went wrong.": "अरेरे! हो ... काहीतरी चुकले.", - "With Trashed": "सह Trashed", - "Write": "लिहा", - "Year To Date": "तारीख वर्ष", - "Yearly": "Yearly", - "Yemen": "येमेनी", - "Yes": "होय", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "तुम्ही लॉग इन झाला आहात!", - "You are receiving this email because we received a password reset request for your account.": "आपल्याला हे ईमेल प्राप्त झाले कारण आम्हाला आपल्या खात्यासाठी संकेतशब्द रीसेट विनंती मिळाली.", - "You have been invited to join the :team team!": "आपण :team संघ सहभागी होण्यासाठी आमंत्रित केले आहे!", - "You have enabled two factor authentication.": "तुम्हाला दोन घटक प्रमाणीकरण कार्यान्वीत केले आहेत.", - "You have not enabled two factor authentication.": "तुम्हाला दोन घटक प्रमाणीकरण कार्यान्वीत केले जात नाही.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.": "आपण तयार केलेली एक संघ सोडू शकत नाही.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "आपला ई-मेल पत्ता सत्यापित केली जात नाही.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "झांबिया", - "Zimbabwe": "झिंबाब्वे", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "आपला ई-मेल पत्ता सत्यापित केली जात नाही." } diff --git a/locales/mr/packages/cashier.json b/locales/mr/packages/cashier.json new file mode 100644 index 00000000000..a511f207906 --- /dev/null +++ b/locales/mr/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "सर्व हक्क राखीव.", + "Card": "कार्ड", + "Confirm Payment": "भरणा निश्चित करा", + "Confirm your :amount payment": "आपली खात्री आहे :amount भरणा", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "अतिरिक्त पुष्टी आपल्या देयक प्रक्रिया करणे आवश्यक आहे. खालील आपल्या देयक तपशील भरून आपल्या देयक पुष्टी करा.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "अतिरिक्त पुष्टी आपल्या देयक प्रक्रिया करणे आवश्यक आहे. खालील बटणावर क्लिक करून देयक पृष्ठावर सुरू ठेवा.", + "Full name": "फॉन्ट प्रतिकृत करत आहे ... ", + "Go back": "मागे जा", + "Jane Doe": "Jane Doe", + "Pay :amount": "द्या :amount", + "Payment Cancelled": "भरणा रद्द", + "Payment Confirmation": "भरणा पुष्टीकरण", + "Payment Successful": "यशस्वी भरणा", + "Please provide your name.": "कृपया आपले नाव प्रदान करा.", + "The payment was successful.": "पैसे यशस्वी होते.", + "This payment was already successfully confirmed.": "हे देयक आधीच यशस्वीरित्या निश्चिती होते.", + "This payment was cancelled.": "हे देयक रद्द करण्यात आला." +} diff --git a/locales/mr/packages/fortify.json b/locales/mr/packages/fortify.json new file mode 100644 index 00000000000..074d79d007d --- /dev/null +++ b/locales/mr/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 uppercase character and one number.": "The :attribute किमान असणे आवश्यक आहे :length वर्ण आणि contain at least one uppercase character आणि एक संख्या.", + "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 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.": "द :attribute किमान :length वर्ण असणे आवश्यक आहे.", + "The provided password does not match your current password.": "प्रदान केलेला पासवर्ड तुमच्या वर्तमान गुप्तशब्द जुळत नाही.", + "The provided password was incorrect.": "प्रदान केलेला पासवर्ड चुकीचा होता.", + "The provided two factor authentication code was invalid.": "प्रदान दोन घटक प्रमाणीकरण कोड अवैध होता." +} diff --git a/locales/mr/packages/jetstream.json b/locales/mr/packages/jetstream.json new file mode 100644 index 00000000000..da7d1c6d478 --- /dev/null +++ b/locales/mr/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "नवीन सत्यापन दुवा तुम्ही नोंदणी दरम्यान प्रदान ईमेल पत्त्यावर पाठविण्यात आले आहे.", + "Accept Invitation": "आमंत्रण स्वीकारा", + "Add": "जोडा", + "Add a new team member to your team, allowing them to collaborate with you.": "आपल्या संघ एक नवीन टीम सदस्य जोडा, त्यांना आपण सहयोग करण्यास परवानगी.", + "Add additional security to your account using two factor authentication.": "दोन घटक प्रमाणीकरण वापरून आपल्या खात्यात अतिरिक्त सुरक्षा जोडा.", + "Add Team Member": "टीम सदस्य जोडा", + "Added.": "आवड दर्शविली", + "Administrator": "प्रशासक", + "Administrator users can perform any action.": "प्रशासक वापरकर्त्यांना कोणत्याही क्रिया करू शकता.", + "All of the people that are part of this team.": "हा संघ भाग आहेत की लोक सर्व.", + "Already registered?": "नोंदणी केलेली आहे?", + "API Token": "API टोकन", + "API Token Permissions": "एपीआय टोकन परवानगी", + "API Tokens": "API टोकन", + "API tokens allow third-party services to authenticate with our application on your behalf.": "एपीआय टोकन तृतीय पक्ष सेवा आपल्या वतीने आमच्या अर्ज प्रमाणीकृत करण्यासाठी परवानगी देते.", + "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 delete this API token?": "आपण या एपीआय टोकन हटवू इच्छिता याची खात्री आहे का?", + "Are you sure you would like to leave this team?": "आपण खात्री आहे की आपण हा संघ सोडू इच्छिता?", + "Are you sure you would like to remove this person from the team?": "आपण संघ या व्यक्ती काढून इच्छित खात्री आहे?", + "Browser Sessions": "ब्राउझर सत्र", + "Cancel": "रद्द करा", + "Close": "बंद करा", + "Code": "कोड", + "Confirm": "खात्री", + "Confirm Password": "पासवर्डची पुष्टी करा", + "Create": "बनवा", + "Create a new team to collaborate with others on projects.": "प्रकल्पांवर इतर सहयोग करण्यासाठी एक नवीन संघ तयार करा.", + "Create Account": "खाते तयार करा", + "Create API Token": "एपीआय टोकन तयार करा", + "Create New Team": "नविन संघ बनवा", + "Create Team": "टीम तयार करणे", + "Created.": "तयार केले.", + "Current Password": "वर्तमान गुप्तशब्द", + "Dashboard": "संबंध", + "Delete": "हटवा", + "Delete Account": "खाते हटवा", + "Delete API Token": "हटवा API टोकन", + "Delete Team": "संघ हटवा", + "Disable": "अकार्यान्वीत", + "Done.": "पूर्ण झाले.", + "Editor": "मॉनीटर", + "Editor users have the ability to read, create, and update.": "संपादकीय वापरकर्ते वाचा तयार करा, आणि सुधारणा करण्याची क्षमता आहे.", + "Email": "नाव", + "Email Password Reset Link": "ईमेल पासवर्ड रिसेट दुवा", + "Enable": "कार्यान्वीत", + "Ensure your account is using a long, random password to stay secure.": "आपले खाते एक लांब वापरत आहे याची खात्री करा, यादृच्छिक पासवर्ड सुरक्षित राहण्यासाठी.", + "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.": "आपली संकेताक्षरे विसरलात? काही हरकत नाही. फक्त आम्हाला आपला ईमेल पत्ता कळवा आणि आम्ही आपल्याला एक नवीन निवडा करण्याची परवानगी देईल की आपण एक पासवर्ड रीसेट दुवा ईमेल जाईल.", + "Great! You have accepted the invitation to join the :team team.": "ग्रेट! आपण सामील आमंत्रण स्वीकारले आहे :team संघ.", + "I agree to the :terms_of_service and :privacy_policy": "मी सहमत :terms_of_service आणि :privacy_policy", + "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 you already have an account, you may accept this invitation by clicking the button below:": "आपण आधीच खाते असेल तर, आपण खालील बटणावर क्लिक करून हे आमंत्रण स्वीकारू शकते:", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "आपणाकडे खाते नसल्यास, आपण खालील बटणावर क्लिक करून एक तयार करू शकता. खाते तयार केल्यानंतर, आपण संघ आमंत्रण स्वीकारणे या ईमेलमधील आमंत्रण स्वीकार बटण क्लिक करू शकता:", + "Last active": "सक्रिय अंतिम", + "Last used": "अंतिम वापरलेले", + "Leave": "सोडून द्या", + "Leave Team": "Leave संघ", + "Log in": "मध्ये लॉग इन करा", + "Log Out": "लॉग आउट", + "Log Out Other Browser Sessions": "इतर ब्राउझर सत्र लॉग आउट करा", + "Manage Account": "खाते व्यवस्थापित करा", + "Manage and log out your active sessions on other browsers and devices.": "व्यवस्थापित करा आणि इतर ब्राउझर आणि डिव्हाइस वर आपल्या सक्रिय सत्र लॉग आउट.", + "Manage API Tokens": "व्यवस्थापित API टोकन", + "Manage Role": "भूमिका व्यवस्थापित", + "Manage Team": "टीम व्यवस्थापित करा", + "Name": "नाव", + "New Password": "नवीन परवलीचा शब्द", + "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 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.": "आपले खाते हटविली जाते एकदा, त्याच्या संसाधने आणि डेटा सर्व कायमचे हटविली जाईल. आपले खाते नष्ट करण्यापूर्वी, आपण ठेवू शकता इच्छित असलेला कोणताही डेटा किंवा माहिती डाउनलोड करा.", + "Password": "पासवर्ड", + "Pending Team Invitations": "संघ आमंत्रणे प्रलंबित", + "Permanently delete this team.": "कायमस्वरूपी हा संघ हटवा.", + "Permanently delete your account.": "कायमस्वरूपी आपले खाते हटवा.", + "Permissions": "परवानगी", + "Photo": "श्रींचे फोटो", + "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 copy your new API token. For your security, it won't be shown again.": "आपल्या नवीन टोकन कॉपी करा. आपल्या सुरक्षिततेसाठी, तो पुन्हा दर्शविले जाणार नाही.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "कृपया आपण साधनांच्या सर्व ओलांडून आपल्या इतर ब्राउझर सत्रे लॉग आउट करू इच्छितो याची पुष्टी करण्यासाठी आपला संकेतशब्द प्रविष्ट करा.", + "Please provide the email address of the person you would like to add to this team.": "आपण या संघात जोडू इच्छित व्यक्तीच्या ई-मेल पत्ता प्रदान करा.", + "Privacy Policy": "आमच्या तज्ज्ञ पॅनेल", + "Profile": "सर्व", + "Profile Information": "प्रोफाइल माहिती", + "Recovery Code": "पुनर्प्राप्ती कोड", + "Regenerate Recovery Codes": "पुनर्प्राप्ती कोड निर्माण", + "Register": "नोंदणी करा", + "Remember me": "नोंदी राष्ट्रीय स्वयंसेवक संघाचे", + "Remove": "काढूण टाका", + "Remove Photo": "छायाचित्र काढून टाका", + "Remove Team Member": "टीम सदस्य काढा", + "Resend Verification Email": "सत्यापन ईमेल पुन्हा पाठवा", + "Reset Password": "संकेतशब्द रीसेट करा", + "Role": "भुमिका", + "Save": "संचयन", + "Saved.": "सत्यापित खाते", + "Select A New Photo": "नवीन फोटो निवडा", + "Show Recovery Codes": "पुनर्प्राप्ती कोड दर्शवा", + "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.": "एक सुरक्षित पासवर्ड व्यवस्थापक या पुनर्प्राप्ती कोड साठवा. आपल्या दोन घटक प्रमाणीकरण साधन गमावले असेल तर ते आपल्या खात्यात प्रवेश पुनर्प्राप्त करण्यासाठी वापरले जाऊ शकते.", + "Switch Teams": "संघ बदलवा", + "Team Details": "कार्यसंघ तपशील", + "Team Invitation": "संघ आमंत्रण", + "Team Members": "टीम सदस्य", + "Team Name": "टीम नाव", + "Team Owner": "कार्यसंघ मालक", + "Team Settings": "कार्यसंघ सेटिंग्ज", + "Terms of Service": "घर", + "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 a valid role.": ":attribute वैध भूमिका असणे आवश्यक आहे.", + "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 and 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 uppercase character and one number.": "The :attribute किमान असणे आवश्यक आहे :length वर्ण आणि contain at least one uppercase character आणि एक संख्या.", + "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 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.": "द :attribute किमान :length वर्ण असणे आवश्यक आहे.", + "The provided password does not match your current password.": "प्रदान केलेला पासवर्ड तुमच्या वर्तमान गुप्तशब्द जुळत नाही.", + "The provided password was incorrect.": "प्रदान केलेला पासवर्ड चुकीचा होता.", + "The provided two factor authentication code was invalid.": "प्रदान दोन घटक प्रमाणीकरण कोड अवैध होता.", + "The team's name and owner information.": "संघाचे नाव आणि मालक माहिती.", + "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.": "या लोकांना आपल्या संघ आमंत्रित केले आहे आणि आमंत्रण ईमेल पाठविण्यात आले आहे. ते ईमेल आमंत्रण स्वीकारून संघ सहभागी होऊ शकता.", + "This device": "हे डिव्हाइस", + "This is a secure area of the application. Please confirm your password before continuing.": "हा अनुप्रयोग एक सुरक्षित क्षेत्र आहे. कृपया आपला संकेतशब्द चालू करण्यापूर्वी पुष्टी करा.", + "This password does not match our records.": "हा संकेतशब्द आमच्या अभिलेख जुळत नाही.", + "This user already belongs to the team.": "ही वापरकर्ता आधीच संघ आहेत.", + "This user has already been invited to the team.": "या वापरकर्त्यासाठी आधीच संघ आमंत्रित केले गेले आहे.", + "Token Name": "टोकन नाव", + "Two Factor Authentication": "दोन घटक प्रमाणीकरण", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "दोन घटक प्रमाणीकरण आता सक्षम केले आहे. आपल्या फोनच्या अस्सल वापर करून खालील क्यूआर कोड स्कॅन.", + "Update Password": "अद्यतन पासवर्ड", + "Update your account's profile information and email address.": "आपल्या खात्याच्या प्रोफाइल माहिती आणि ईमेल पत्ता अपडेट करा.", + "Use a recovery code": "एक पुनर्प्राप्ती कोड वापरा", + "Use an authentication code": "अधिप्रमाणन कोड वापरा", + "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.": "दोन घटक प्रमाणीकरण सक्षम केले जाते, तेव्हा, आपण सुरक्षित करण्यासाठी सूचित केले जाईल, प्रमाणीकरण दरम्यान यादृच्छिक टोकन. आपण आपल्या फोन गुगल अस्सल अनुप्रयोग पासून या टोकन पुनर्प्राप्त करू शकता.", + "Whoops! Something went wrong.": "अरेरे! हो ... काहीतरी चुकले.", + "You have been invited to join the :team team!": "आपण :team संघ सहभागी होण्यासाठी आमंत्रित केले आहे!", + "You have enabled two factor authentication.": "तुम्हाला दोन घटक प्रमाणीकरण कार्यान्वीत केले आहेत.", + "You have not enabled two factor authentication.": "तुम्हाला दोन घटक प्रमाणीकरण कार्यान्वीत केले जात नाही.", + "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.": "आपण तयार केलेली एक संघ सोडू शकत नाही." +} diff --git a/locales/mr/packages/nova.json b/locales/mr/packages/nova.json new file mode 100644 index 00000000000..e185374d104 --- /dev/null +++ b/locales/mr/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 दिवस", + "60 Days": "60 दिवस", + "90 Days": "90 दिवस", + ":amount Total": ":amount एकूण", + ":resource Details": ":resource तपशील", + ":resource Details: :title": ":resource तपशील: :title", + "Action": "कृती", + "Action Happened At": "येथे घडले", + "Action Initiated By": "आरंभ", + "Action Name": "नाव", + "Action Status": "स्थिती", + "Action Target": "लक्ष्य", + "Actions": "क्रिया", + "Add row": "Add सलग", + "Afghanistan": "जीवनशैली", + "Aland Islands": "ऑलंड द्वीपसमूह", + "Albania": "आल्बेनिया", + "Algeria": "सामान्य", + "All resources loaded.": "सर्व संसाधने लोड झाले.", + "American Samoa": "अमेरिकन सामोआ", + "An error occured while uploading the file.": "फाइल अपलोड करताना एक त्रुटी आली.", + "Andorra": "Andorran", + "Angola": "अंगोला", + "Anguilla": "अँग्विला", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "या पेज दाखल असल्याने अन्य वापरकर्ता सुधारित केले आहे पृष्ठ रीफ्रेश करा आणि पुन्हा प्रयत्न करा.", + "Antarctica": "अंटार्क्टिका", + "Antigua And Barbuda": "अँटिगा आणि बार्बुडा", + "April": "आशा", + "Are you sure you want to delete the selected resources?": "आपण निवडलेल्या संसाधने हटवू इच्छिता याची खात्री आहे?", + "Are you sure you want to delete this file?": "तुम्हाला नक्की या फाइल नष्ट करायचे?", + "Are you sure you want to delete this resource?": "तुम्हाला नक्की हे स्त्रोत नष्ट करायचे?", + "Are you sure you want to detach the selected resources?": "आपण निवडलेल्या संसाधने विलग करू इच्छिता याची खात्री आहे?", + "Are you sure you want to detach this resource?": "आपण या संसाधन विलग करू इच्छिता याची खात्री आहे?", + "Are you sure you want to force delete the selected resources?": "तुम्हाला नक्की निवडले संसाधने हटवू सक्ती करू इच्छित आहेत?", + "Are you sure you want to force delete this resource?": "तुम्हाला नक्की हे स्त्रोत हटवा सक्ती करू इच्छिता?", + "Are you sure you want to restore the selected resources?": "आपण निवडलेल्या संसाधने पुनर्संचयित करण्यासाठी इच्छित खात्री आहे?", + "Are you sure you want to restore this resource?": "आपण या संसाधन पुनर्संचयित करण्यासाठी इच्छित खात्री आहे?", + "Are you sure you want to run this action?": "आपण ही क्रिया चालवू इच्छित खात्री आहे का?", + "Argentina": "अर्जेंटीना", + "Armenia": "अर्मेनिया", + "Aruba": "अरूबा", + "Attach": "संलग्न", + "Attach & Attach Another": "संलग्न करा & दुसरा", + "Attach :resource": "संलग्न करा :resource", + "August": "ऑगस्ट", + "Australia": "भारत", + "Austria": "जर्मनी", + "Azerbaijan": "अझरबैजान", + "Bahamas": "बहामाज", + "Bahrain": "बहरैन", + "Bangladesh": "बांगलादेश", + "Barbados": "बार्बाडोस", + "Belarus": "बेलारूस", + "Belgium": "बेल्जियम", + "Belize": "बेलिझ", + "Benin": "बेनिन", + "Bermuda": "बरमूडा", + "Bhutan": "भूतान", + "Bolivia": "बोलिव्हिया", + "Bonaire, Sint Eustatius and Saba": "Bonaire, सिंट Eustatius आणि Sábado", + "Bosnia And Herzegovina": "बोस्निया आणि हर्झगोविना", + "Botswana": "बोत्सवाना", + "Bouvet Island": "बोवेट बेट", + "Brazil": "खेळ", + "British Indian Ocean Territory": "ब्रिटिश भारतीय महासागर प्रदेश", + "Brunei Darussalam": "Brunei", + "Bulgaria": "अज्ञात", + "Burkina Faso": "बर्किना फासो", + "Burundi": "बन्दरा", + "Cambodia": "कंबोडिया", + "Cameroon": "कामेरून", + "Canada": "कॅनडा", + "Cancel": "रद्द करा", + "Cape Verde": "केप व्हर्दे", + "Cayman Islands": "केमन द्वीपसमूह", + "Central African Republic": "मध्य आफ्रिकेचे प्रजासत्ताक", + "Chad": "चाड", + "Changes": "बदल", + "Chile": "चिली", + "China": "याच काळात चीन", + "Choose": "निवडा", + "Choose :field": ":field निवडा", + "Choose :resource": "निवडा :resource", + "Choose an option": "एक पर्याय निवडा", + "Choose date": "दिनांक निवडा", + "Choose File": "फाइल निवडा", + "Choose Type": "प्रकार निवडा", + "Christmas Island": "ख्रिसमस बेट", + "Click to choose": "निवडण्यासाठी क्लिक करा", + "Cocos (Keeling) Islands": "कोकोस द्वीपसमूह", + "Colombia": "कोलंबिया", + "Comoros": "कोमोरोस", + "Confirm Password": "पासवर्डची पुष्टी करा", + "Congo": "काँगो", + "Congo, Democratic Republic": "काँगो, लोकशाही प्रजासत्ताक", + "Constant": "सतत", + "Cook Islands": "कूक द्वीपसमूह", + "Costa Rica": "कोस्टा रिका", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "आढळू शकत नाही.", + "Create": "बनवा", + "Create & Add Another": "तयार करा & आणखी जोडा", + "Create :resource": ":resource तयार करा", + "Croatia": "स्लोवाकिया", + "Cuba": "क्युबा", + "Curaçao": "कुरकओ", + "Customize": "सानुकूल करा", + "Cyprus": "सायप्रस", + "Czech Republic": "रूमानीया", + "Dashboard": "संबंध", + "December": "डिसेंबर", + "Decrease": "कमी", + "Delete": "हटवा", + "Delete File": "फाइल हटवा", + "Delete Resource": "स्त्रोत हटवा", + "Delete Selected": "निवडलेले डिलीट करा", + "Denmark": "डेन्मार्क", + "Detach": "अलग करा", + "Detach Resource": "संसाधन अलग करा", + "Detach Selected": "अलग करा निवडलेले", + "Details": "तपशील", + "Djibouti": "जिबूती", + "Do you really want to leave? You have unsaved changes.": "तुम्हाला नक्की निघायचं आहे का? तुम्ही असंचयीत बदलाव समाविष्टीत आहे.", + "Dominica": "थंड", + "Dominican Republic": "डॉमिनिक गणराज्य", + "Download": "अपुर्णांक", + "Ecuador": "इक्वाडोर", + "Edit": "संपादन", + "Edit :resource": "संपादित करा :resource", + "Edit Attached": "संलग्न संपादन", + "Egypt": "इजिप्त", + "El Salvador": "रक्षणकर्ता", + "Email Address": "ईमेल पत्ता", + "Equatorial Guinea": "इक्वेटोरीयल गिनी", + "Eritrea": "इरिट्रिया", + "Estonia": "इस्टोनिया", + "Ethiopia": "इथिओपिया", + "Falkland Islands (Malvinas)": "फॉकलंड बेटे)", + "Faroe Islands": "फेरो द्वीपसमूह", + "February": "फेब्रुवारी", + "Fiji": "फिजी", + "Finland": "फिनलंड", + "Force Delete": "फोर्स हटवा", + "Force Delete Resource": "फोर्स हटवा संसाधन", + "Force Delete Selected": "फोर्स निवडलेले डिलीट करा", + "Forgot Your Password?": "आपला पासवर्ड विसरलात?", + "Forgot your password?": "आपली संकेताक्षरे विसरलात?", + "France": "एस", + "French Guiana": "फ्रेंच गयाना", + "French Polynesia": "फ्रेंच पॉलिनेशिया", + "French Southern Territories": "फ्रेंच दक्षिण प्रदेश", + "Gabon": "गबॉन", + "Gambia": "गॅम्बिया", + "Georgia": "जॉर्जिया", + "Germany": "हंगेरी", + "Ghana": "घाना", + "Gibraltar": "जिब्राल्टर", + "Go Home": "घरी जा", + "Greece": "धार्मिक", + "Greenland": "ग्रीनलँड", + "Grenada": "ग्रेनाडा, विंडवर्ड आयलॅन्ड", + "Guadeloupe": "ग्वादेलोप", + "Guam": "गुआम", + "Guatemala": "ग्वाटेमाला", + "Guernsey": "ग्वेरन्से", + "Guinea": "गिनी", + "Guinea-Bissau": "गिनी-बिसाउ", + "Guyana": "गयाना", + "Haiti": "हैती", + "Heard Island & Mcdonald Islands": "हर्ड बेट व मॅकडोनाल्ड बेटे", + "Hide Content": "सामग्री लपवा", + "Hold Up!": "उंच धरा!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "होंडरस", + "Hong Kong": "उच्च सागरी संघ वर हाँगकाँग", + "Hungary": "चेक प्रजासत्ताक, हंगेरी", + "Iceland": "आइसलँड", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "आपण संकेतशब्द रीसेटची विनंती केली नसल्यास, कोणतीही क्रिया आवश्यक नाही.", + "Increase": "वाढवा", + "India": "तर", + "Indonesia": "एचडी", + "Iran, Islamic Republic Of": "ईराण", + "Iraq": "ईराक", + "Ireland": "आयर्लंड", + "Isle Of Man": "आईल ऑफ मान", + "Israel": "इजिप्त", + "Italy": "स्लोवाकिया", + "Jamaica": "जमैका", + "January": "जानेवारी", + "Japan": "जपान", + "Jersey": "जर्सी", + "Jordan": "जॉर्डन", + "July": "हवामान", + "June": "जून", + "Kazakhstan": "कझाकस्तान", + "Kenya": "ऑस्ट्रेलिया", + "Key": "कि", + "Kiribati": "किरिबाटी", + "Korea": "दक्षिण कोरिया", + "Korea, Democratic People's Republic of": "उत्तर कोरिया", + "Kosovo": "कोसोव्हो", + "Kuwait": "कुवैत", + "Kyrgyzstan": "किरगिझस्तान", + "Lao People's Democratic Republic": "लाओस", + "Latvia": "लात्व्हिया", + "Lebanon": "लेबनॉन", + "Lens": "लेन्स", + "Lesotho": "लेसोथो", + "Liberia": "लायबेरिया", + "Libyan Arab Jamahiriya": "लीबिया", + "Liechtenstein": "लिश्टनस्टाइन", + "Lithuania": "लिथुआनिया", + "Load :perPage More": "लोड :perPage अधिक", + "Login": "लॉग इन", + "Logout": "निर्गमन", + "Luxembourg": "लक्झेंबर्ग", + "Macao": "मकाओ", + "Macedonia": "उत्तर मॅसिडोनिया", + "Madagascar": "मादागास्कर", + "Malawi": "भारत", + "Malaysia": "मलेशिया", + "Maldives": "मालदीव", + "Mali": "लहान", + "Malta": "माल्टा", + "March": "मार्च", + "Marshall Islands": "मार्शल बेटे", + "Martinique": "मार्टिनिक", + "Mauritania": "आर्थिक", + "Mauritius": "मॉरिशस", + "May": "मे", + "Mayotte": "मायोत", + "Mexico": "मेक्सिको", + "Micronesia, Federated States Of": "मायक्रोनेशिया", + "Moldova": "मोल्दोव्हा", + "Monaco": "मोनॅको", + "Mongolia": "मंगोलिया", + "Montenegro": "मॉंटनेग्रो", + "Month To Date": "तारीख महिना", + "Montserrat": "मॉन्टसेरात", + "Morocco": "मॉरटानिया", + "Mozambique": "मोझांबिक", + "Myanmar": "म्यानमार", + "Namibia": "मोरक्को", + "Nauru": "नौरू", + "Nepal": "नेपाळ", + "Netherlands": "स्लोवीनिया", + "New": "टीप", + "New :resource": "नवीन :resource", + "New Caledonia": "न्यू कॅलिडोनिया", + "New Zealand": "दक्षिण आफ्रिका", + "Next": "पुढचे", + "Nicaragua": "निकारागुआ", + "Niger": "नामीबिया", + "Nigeria": "नायजर", + "Niue": "नीयू", + "No": "नाही", + "No :resource matched the given criteria.": "कोणत्याही :resource दिलेल्या निकष जुळली.", + "No additional information...": "कोणतीही आधिक माहिती...", + "No Current Data": "कोणताही सध्याचा डाटा", + "No Data": "माहिती उपलब्ध नाही", + "no file selected": "फाइल निवडली नाही", + "No Increase": "वाढ नाही", + "No Prior Data": "अगोदर डेटा नाही", + "No Results Found.": "परिणाम आढळले नाही.", + "Norfolk Island": "नॉरफोक बेट", + "Northern Mariana Islands": "उत्तर मेरियाना द्वीपसमूह", + "Norway": "नॉर्वे", + "Nova User": "नवीन वापरकर्ता", + "November": "नोव्हेंबर", + "October": "ऑक्टोबर", + "of": "चा", + "Oman": "ओमान", + "Only Trashed": "फक्त Trashed", + "Original": "मुळ", + "Pakistan": "पाकिस्तान", + "Palau": "पलाउ", + "Palestinian Territory, Occupied": "पॅलेस्टिनी प्रदेश", + "Panama": "पनामा", + "Papua New Guinea": "पापुआ न्यू गिनी", + "Paraguay": "पराग्वे", + "Password": "पासवर्ड", + "Per Page": "प्रति पृष्ठ", + "Peru": "पेरू", + "Philippines": "फिलीपिन्स", + "Pitcairn": "पिटकेर्न द्वीपसमूह", + "Poland": "पोलंड", + "Portugal": "पोर्तुगाल", + "Press \/ to search": "दाबणे \/ शोधा", + "Preview": "पूर्वदृश्य", + "Previous": "मागचा", + "Puerto Rico": "पोर्टो रीको", + "Qatar": "कतार", + "Quarter To Date": "तारीख चतुर्थांश", + "Reload": "पुनःदाखल करा", + "Remember Me": "मला लक्षात ठेवा", + "Reset Filters": "फिल्टर रीसेट करा", + "Reset Password": "संकेतशब्द रीसेट करा", + "Reset Password Notification": "संकेतशब्द रीसेट अधिसूचना", + "resource": "स्त्रोत", + "Resources": "चीनी भागधारकांना अवलंबून होते संसाधने", + "resources": "चीनी भागधारकांना अवलंबून होते संसाधने", + "Restore": "पुन्हस्थापन", + "Restore Resource": "साधन पुनर्संचयित करा", + "Restore Selected": "निवडलेले पुनर्संचयित करा", + "Reunion": "संमेलन", + "Romania": "चीन", + "Run Action": "चालवा क्रिया", + "Russian Federation": "रशियन फेडरेशन", + "Rwanda": "रवांडा", + "Saint Barthelemy": "सेंट बार्थेलेमी", + "Saint Helena": "सेंट.", + "Saint Kitts And Nevis": "सेंट.", + "Saint Lucia": "सेंट.", + "Saint Martin": "सेंट मार्टिन", + "Saint Pierre And Miquelon": "सेंट पियरे आणि मिकेलॉन", + "Saint Vincent And Grenadines": "सेंट.", + "Samoa": "सामोआ", + "San Marino": "सान मारिनो", + "Sao Tome And Principe": "साओ टोमे आणि प्रिन्सिप", + "Saudi Arabia": "सौदी अरेबिया", + "Search": "वैराग्य", + "Select Action": "कृती नीवडा", + "Select All": "सर्व निवडा", + "Select All Matching": "सर्व जुळवणीजोगी निवडा", + "Send Password Reset Link": "संकेतशब्द रीसेट लिंक पाठवा", + "Senegal": "सेनेगाल", + "September": "सप्टेंबर", + "Serbia": "सर्बिया", + "Seychelles": "सेशेल्स", + "Show All Fields": "सर्व फील्ड दर्शवा", + "Show Content": "सामग्री दर्शवा", + "Sierra Leone": "सियेरा लिओन", + "Singapore": "सिंगापूर", + "Sint Maarten (Dutch part)": "सिंट मार्टेन", + "Slovakia": "स्लोवाकिया", + "Slovenia": "स्लोवीनिया", + "Solomon Islands": "सोलोमन बेटे", + "Somalia": "सोमालिया", + "Something went wrong.": "हो ... काहीतरी चुकले.", + "Sorry! You are not authorized to perform this action.": "क्षमस्व! तुम्ही ही क्रिया करण्यासाठी अधिकृत नाही.", + "Sorry, your session has expired.": "माफ करा, तुमच्या सत्र संपली आहे.", + "South Africa": "दक्षिण आफ्रिका", + "South Georgia And Sandwich Isl.": "दक्षिण जॉर्जिया आणि दक्षिण सँडविच बेटे", + "South Sudan": "दक्षिण सुदान", + "Spain": "स्पेन", + "Sri Lanka": "श्रीलंका", + "Start Polling": "प्रारंभ मतदान", + "Stop Polling": "मतदान थांबवा", + "Sudan": "सूदान", + "Suriname": "सुरिनाम", + "Svalbard And Jan Mayen": "स्वालबार्ड आणि यान मायेन", + "Swaziland": "Eswatini", + "Sweden": "स्वीडन", + "Switzerland": "स्विर्त्झलँड", + "Syrian Arab Republic": "सीरिया", + "Taiwan": "एचडी", + "Tajikistan": "ताजिकिस्तान", + "Tanzania": "टांझानिया", + "Thailand": "मलेशिया", + "The :resource was created!": "द :resource तयार करण्यात आला!", + "The :resource was deleted!": "अगोदर निर्देश केलेल्या बाबीसंबंधी बोलताना :resource हटविले गेले!", + "The :resource was restored!": ":resource पुनर्संचयित केले गेले!", + "The :resource was updated!": "अगोदर निर्देश केलेल्या बाबीसंबंधी बोलताना :resource अद्यतनित केले!", + "The action ran successfully!": "ती क्रिया यशस्वीरित्या धावत गेला!", + "The file was deleted!": "फाइल हटवली गेली!", + "The government won't let us show you what's behind these doors": "आता या दारे मागे आहे काय सरकार आम्हाला आपण दाखवा करणार नाही", + "The HasOne relationship has already been filled.": "पैसा संबंध आधीच भरले गेले आहे.", + "The resource was updated!": "संसाधन अद्यतनित केले होते!", + "There are no available options for this resource.": "या संसाधन साठी उपलब्ध पर्याय आहेत.", + "There was a problem executing the action.": "कारवाई चालवून एक समस्या आली.", + "There was a problem submitting the form.": "फॉर्म सादर एक समस्या होती.", + "This file field is read-only.": "ही फाईल फिल्डस केवळ-वाचनीय आहे.", + "This image": "ही प्रतिमा", + "This resource no longer exists": "हा स्त्रोत यापुढे अस्तित्वात", + "Timor-Leste": "तिमोर-लेस्ट", + "Today": "आज", + "Togo": "टोगो", + "Tokelau": "तोकेलाउ", + "Tonga": "ये", + "total": "वर्षात एकूण", + "Trashed": "कचर्‍यात टाकला", + "Trinidad And Tobago": "त्रिनिदाद आणि टोबॅगो", + "Tunisia": "ट्युनिशिया", + "Turkey": "तुर्की", + "Turkmenistan": "तुर्कमेनिस्तान", + "Turks And Caicos Islands": "टर्क्स आणि कैकास द्वीपसमूह", + "Tuvalu": "तुवालू", + "Uganda": "युगांडा", + "Ukraine": "युक्रेन", + "United Arab Emirates": "आपण देखील आवडेल", + "United Kingdom": "आपण देखील आवडेल", + "United States": "आपण देखील आवडेल", + "United States Outlying Islands": "च्या.", + "Update": "अद्ययावत करा", + "Update & Continue Editing": "अद्यतनित करा & संपादन सुरू ठेवा", + "Update :resource": "अद्यतन :resource", + "Update :resource: :title": "अद्यतन :resource: :title", + "Update attached :resource: :title": "अद्यतन संलग्न :resource: :title", + "Uruguay": "उरुग्वे", + "Uzbekistan": "उझबेकिस्तान", + "Value": "मुल्य", + "Vanuatu": "वानुआटु", + "Venezuela": "व्हेनेझ्युएला", + "Viet Nam": "Vietnam", + "View": "दृश्य", + "Virgin Islands, British": "ब्रिटिश व्हर्जिन द्वीपसमूह", + "Virgin Islands, U.S.": "व्हर्जिन द्वीपसमूह", + "Wallis And Futuna": "वालिस व फुतुना", + "We're lost in space. The page you were trying to view does not exist.": "आम्ही जागेत गमावले आहोत. आपण पाहू करण्याचा प्रयत्न करत होते पृष्ठ अस्तित्वात नाही.", + "Welcome Back!": "पुन्हा आपले स्वागत आहे!", + "Western Sahara": "पश्चिम सहारा", + "Whoops": "अरेरे", + "Whoops!": "अरेरे!", + "With Trashed": "सह Trashed", + "Write": "लिहा", + "Year To Date": "तारीख वर्ष", + "Yemen": "येमेनी", + "Yes": "होय", + "You are receiving this email because we received a password reset request for your account.": "आपल्याला हे ईमेल प्राप्त झाले कारण आम्हाला आपल्या खात्यासाठी संकेतशब्द रीसेट विनंती मिळाली.", + "Zambia": "झांबिया", + "Zimbabwe": "झिंबाब्वे" +} diff --git a/locales/mr/packages/spark-paddle.json b/locales/mr/packages/spark-paddle.json new file mode 100644 index 00000000000..b40a7738bf0 --- /dev/null +++ b/locales/mr/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "घर", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "अरेरे! हो ... काहीतरी चुकले.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/mr/packages/spark-stripe.json b/locales/mr/packages/spark-stripe.json new file mode 100644 index 00000000000..a5524e369c2 --- /dev/null +++ b/locales/mr/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "जीवनशैली", + "Albania": "आल्बेनिया", + "Algeria": "सामान्य", + "American Samoa": "अमेरिकन सामोआ", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorran", + "Angola": "अंगोला", + "Anguilla": "अँग्विला", + "Antarctica": "अंटार्क्टिका", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "अर्जेंटीना", + "Armenia": "अर्मेनिया", + "Aruba": "अरूबा", + "Australia": "भारत", + "Austria": "जर्मनी", + "Azerbaijan": "अझरबैजान", + "Bahamas": "बहामाज", + "Bahrain": "बहरैन", + "Bangladesh": "बांगलादेश", + "Barbados": "बार्बाडोस", + "Belarus": "बेलारूस", + "Belgium": "बेल्जियम", + "Belize": "बेलिझ", + "Benin": "बेनिन", + "Bermuda": "बरमूडा", + "Bhutan": "भूतान", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "बोत्सवाना", + "Bouvet Island": "बोवेट बेट", + "Brazil": "खेळ", + "British Indian Ocean Territory": "ब्रिटिश भारतीय महासागर प्रदेश", + "Brunei Darussalam": "Brunei", + "Bulgaria": "अज्ञात", + "Burkina Faso": "बर्किना फासो", + "Burundi": "बन्दरा", + "Cambodia": "कंबोडिया", + "Cameroon": "कामेरून", + "Canada": "कॅनडा", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "केप व्हर्दे", + "Card": "कार्ड", + "Cayman Islands": "केमन द्वीपसमूह", + "Central African Republic": "मध्य आफ्रिकेचे प्रजासत्ताक", + "Chad": "चाड", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "चिली", + "China": "याच काळात चीन", + "Christmas Island": "ख्रिसमस बेट", + "City": "City", + "Cocos (Keeling) Islands": "कोकोस द्वीपसमूह", + "Colombia": "कोलंबिया", + "Comoros": "कोमोरोस", + "Confirm Payment": "भरणा निश्चित करा", + "Confirm your :amount payment": "आपली खात्री आहे :amount भरणा", + "Congo": "काँगो", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "कूक द्वीपसमूह", + "Costa Rica": "कोस्टा रिका", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "स्लोवाकिया", + "Cuba": "क्युबा", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "सायप्रस", + "Czech Republic": "रूमानीया", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "डेन्मार्क", + "Djibouti": "जिबूती", + "Dominica": "थंड", + "Dominican Republic": "डॉमिनिक गणराज्य", + "Download Receipt": "Download Receipt", + "Ecuador": "इक्वाडोर", + "Egypt": "इजिप्त", + "El Salvador": "रक्षणकर्ता", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "इक्वेटोरीयल गिनी", + "Eritrea": "इरिट्रिया", + "Estonia": "इस्टोनिया", + "Ethiopia": "इथिओपिया", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "अतिरिक्त पुष्टी आपल्या देयक प्रक्रिया करणे आवश्यक आहे. खालील बटणावर क्लिक करून देयक पृष्ठावर सुरू ठेवा.", + "Falkland Islands (Malvinas)": "फॉकलंड बेटे)", + "Faroe Islands": "फेरो द्वीपसमूह", + "Fiji": "फिजी", + "Finland": "फिनलंड", + "France": "एस", + "French Guiana": "फ्रेंच गयाना", + "French Polynesia": "फ्रेंच पॉलिनेशिया", + "French Southern Territories": "फ्रेंच दक्षिण प्रदेश", + "Gabon": "गबॉन", + "Gambia": "गॅम्बिया", + "Georgia": "जॉर्जिया", + "Germany": "हंगेरी", + "Ghana": "घाना", + "Gibraltar": "जिब्राल्टर", + "Greece": "धार्मिक", + "Greenland": "ग्रीनलँड", + "Grenada": "ग्रेनाडा, विंडवर्ड आयलॅन्ड", + "Guadeloupe": "ग्वादेलोप", + "Guam": "गुआम", + "Guatemala": "ग्वाटेमाला", + "Guernsey": "ग्वेरन्से", + "Guinea": "गिनी", + "Guinea-Bissau": "गिनी-बिसाउ", + "Guyana": "गयाना", + "Haiti": "हैती", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "होंडरस", + "Hong Kong": "उच्च सागरी संघ वर हाँगकाँग", + "Hungary": "चेक प्रजासत्ताक, हंगेरी", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "आइसलँड", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "तर", + "Indonesia": "एचडी", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "ईराक", + "Ireland": "आयर्लंड", + "Isle of Man": "Isle of Man", + "Israel": "इजिप्त", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "स्लोवाकिया", + "Jamaica": "जमैका", + "Japan": "जपान", + "Jersey": "जर्सी", + "Jordan": "जॉर्डन", + "Kazakhstan": "कझाकस्तान", + "Kenya": "ऑस्ट्रेलिया", + "Kiribati": "किरिबाटी", + "Korea, Democratic People's Republic of": "उत्तर कोरिया", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "कुवैत", + "Kyrgyzstan": "किरगिझस्तान", + "Lao People's Democratic Republic": "लाओस", + "Latvia": "लात्व्हिया", + "Lebanon": "लेबनॉन", + "Lesotho": "लेसोथो", + "Liberia": "लायबेरिया", + "Libyan Arab Jamahiriya": "लीबिया", + "Liechtenstein": "लिश्टनस्टाइन", + "Lithuania": "लिथुआनिया", + "Luxembourg": "लक्झेंबर्ग", + "Macao": "मकाओ", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "मादागास्कर", + "Malawi": "भारत", + "Malaysia": "मलेशिया", + "Maldives": "मालदीव", + "Mali": "लहान", + "Malta": "माल्टा", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "मार्शल बेटे", + "Martinique": "मार्टिनिक", + "Mauritania": "आर्थिक", + "Mauritius": "मॉरिशस", + "Mayotte": "मायोत", + "Mexico": "मेक्सिको", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "मोनॅको", + "Mongolia": "मंगोलिया", + "Montenegro": "मॉंटनेग्रो", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "मॉन्टसेरात", + "Morocco": "मॉरटानिया", + "Mozambique": "मोझांबिक", + "Myanmar": "म्यानमार", + "Namibia": "मोरक्को", + "Nauru": "नौरू", + "Nepal": "नेपाळ", + "Netherlands": "स्लोवीनिया", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "न्यू कॅलिडोनिया", + "New Zealand": "दक्षिण आफ्रिका", + "Nicaragua": "निकारागुआ", + "Niger": "नामीबिया", + "Nigeria": "नायजर", + "Niue": "नीयू", + "Norfolk Island": "नॉरफोक बेट", + "Northern Mariana Islands": "उत्तर मेरियाना द्वीपसमूह", + "Norway": "नॉर्वे", + "Oman": "ओमान", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "पाकिस्तान", + "Palau": "पलाउ", + "Palestinian Territory, Occupied": "पॅलेस्टिनी प्रदेश", + "Panama": "पनामा", + "Papua New Guinea": "पापुआ न्यू गिनी", + "Paraguay": "पराग्वे", + "Payment Information": "Payment Information", + "Peru": "पेरू", + "Philippines": "फिलीपिन्स", + "Pitcairn": "पिटकेर्न द्वीपसमूह", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "पोलंड", + "Portugal": "पोर्तुगाल", + "Puerto Rico": "पोर्टो रीको", + "Qatar": "कतार", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "चीन", + "Russian Federation": "रशियन फेडरेशन", + "Rwanda": "रवांडा", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "सेंट.", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "सेंट.", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "सामोआ", + "San Marino": "सान मारिनो", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "सौदी अरेबिया", + "Save": "संचयन", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "सेनेगाल", + "Serbia": "सर्बिया", + "Seychelles": "सेशेल्स", + "Sierra Leone": "सियेरा लिओन", + "Signed in as": "Signed in as", + "Singapore": "सिंगापूर", + "Slovakia": "स्लोवाकिया", + "Slovenia": "स्लोवीनिया", + "Solomon Islands": "सोलोमन बेटे", + "Somalia": "सोमालिया", + "South Africa": "दक्षिण आफ्रिका", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "स्पेन", + "Sri Lanka": "श्रीलंका", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "सूदान", + "Suriname": "सुरिनाम", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "स्वीडन", + "Switzerland": "स्विर्त्झलँड", + "Syrian Arab Republic": "सीरिया", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "ताजिकिस्तान", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "घर", + "Thailand": "मलेशिया", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "तिमोर-लेस्ट", + "Togo": "टोगो", + "Tokelau": "तोकेलाउ", + "Tonga": "ये", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "ट्युनिशिया", + "Turkey": "तुर्की", + "Turkmenistan": "तुर्कमेनिस्तान", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "तुवालू", + "Uganda": "युगांडा", + "Ukraine": "युक्रेन", + "United Arab Emirates": "आपण देखील आवडेल", + "United Kingdom": "आपण देखील आवडेल", + "United States": "आपण देखील आवडेल", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "अद्ययावत करा", + "Update Payment Information": "Update Payment Information", + "Uruguay": "उरुग्वे", + "Uzbekistan": "उझबेकिस्तान", + "Vanuatu": "वानुआटु", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "ब्रिटिश व्हर्जिन द्वीपसमूह", + "Virgin Islands, U.S.": "व्हर्जिन द्वीपसमूह", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "पश्चिम सहारा", + "Whoops! Something went wrong.": "अरेरे! हो ... काहीतरी चुकले.", + "Yearly": "Yearly", + "Yemen": "येमेनी", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "झांबिया", + "Zimbabwe": "झिंबाब्वे", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/ms/ms.json b/locales/ms/ms.json index 4dab578e676..7f69009b68e 100644 --- a/locales/ms/ms.json +++ b/locales/ms/ms.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Hari", - "60 Days": "60 Hari", - "90 Days": "90 Hari", - ":amount Total": ":amount Jumlah", - ":days day trial": ":days day trial", - ":resource Details": ":resource Butiran", - ":resource Details: :title": ":resource butir-Butir: :title", "A fresh verification link has been sent to your email address.": "Pautan pengesahan baru telah dihantar ke alamat e-mel anda.", - "A new verification link has been sent to the email address you provided during registration.": "Baru pengesahan link telah dihantar ke alamat e-mel yang anda berikan pada pendaftaran.", - "Accept Invitation": "Menerima Undangan", - "Action": "Tindakan", - "Action Happened At": "Yang Terjadi Pada", - "Action Initiated By": "Dimulakan Dengan", - "Action Name": "Nama", - "Action Status": "Status", - "Action Target": "Sasaran", - "Actions": "Tindakan", - "Add": "Menambah", - "Add a new team member to your team, allowing them to collaborate with you.": "Menambah pasukan baru ahli pasukan anda, memungkinkan mereka untuk bekerjasama dengan anda.", - "Add additional security to your account using two factor authentication.": "Menambah keamanan tambahan untuk anda akaun menggunakan dua faktor pengesahan.", - "Add row": "Masukkan baris", - "Add Team Member": "Tambah Ahli Pasukan", - "Add VAT Number": "Add VAT Number", - "Added.": "Ditambah.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administrator", - "Administrator users can perform any action.": "Administrator pengguna boleh melakukan apa-apa tindakan.", - "Afghanistan": "Afghanistan", - "Aland Islands": "Åland Pulau-Pulau", - "Albania": "Albania", - "Algeria": "Algeria", - "All of the people that are part of this team.": "Semua orang-orang yang merupakan bagian dari pasukan ini.", - "All resources loaded.": "Semua sumber dimuatkan.", - "All rights reserved.": "Hak cipta terpelihara.", - "Already registered?": "Sudah didaftarkan?", - "American Samoa": "Amerika Samoa", - "An error occured while uploading the file.": "Ralat yang berlaku semasa-upload file.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Pengguna lain telah dikemaskini sumber ini sejak halaman ini adalah dimuat. Sila menyegarkan halaman dan cuba lagi.", - "Antarctica": "Antartika", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua dan Barbuda", - "API Token": "Token API", - "API Token Permissions": "API Tanda Kebenaran", - "API Tokens": "API Token", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API token membenarkan pihak ketiga perkhidmatan untuk mengesahkan dengan permohonan kami di pihak anda.", - "April": "April", - "Are you sure you want to delete the selected resources?": "Adakah anda pasti anda mahu untuk pilih sumber?", - "Are you sure you want to delete this file?": "Adakah anda pasti anda mahu untuk bersihkan fail ini?", - "Are you sure you want to delete this resource?": "Adakah anda pasti anda mahu untuk menghilangkan sumber ini?", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Adakah anda pasti anda mahu untuk memadamkan pasukan ini? Sekali pasukan itu dihapuskan, semua sumber dan data akan dipadam selamanya.", - "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.": "Adakah anda pasti anda mahu untuk menghilangkan anda akaun? Setelah akaun anda yang dihapuskan, semua sumber dan data akan dipadam selamanya. Sila masukkan password untuk mengkonfirmasi anda ingin memadamkan akaun anda.", - "Are you sure you want to detach the selected resources?": "Adakah anda pasti anda mahu tanggalkan dipilih sumber?", - "Are you sure you want to detach this resource?": "Adakah anda pasti anda mahu tanggalkan sumber ini?", - "Are you sure you want to force delete the selected resources?": "Adakah anda pasti anda mahu untuk memaksa pilih sumber?", - "Are you sure you want to force delete this resource?": "Adakah anda pasti anda mahu untuk memaksa menghilangkan sumber ini?", - "Are you sure you want to restore the selected resources?": "Adakah anda pasti anda mahu untuk memulihkan yang dipilih sumber?", - "Are you sure you want to restore this resource?": "Adakah anda pasti anda mahu untuk memulihkan sumber ini?", - "Are you sure you want to run this action?": "Adakah anda pasti anda mahu untuk menjalankan tindakan ini?", - "Are you sure you would like to delete this API token?": "Apakah anda yakin anda ingin memadamkan API ini tanda?", - "Are you sure you would like to leave this team?": "Apakah anda yakin anda ingin meninggalkan pasukan ini?", - "Are you sure you would like to remove this person from the team?": "Apakah anda yakin anda ingin mengeluarkan orang ini dari tim?", - "Argentina": "Argentina", - "Armenia": "Armenia", - "Aruba": "Aruba", - "Attach": "Melampirkan", - "Attach & Attach Another": "Melampirkan & Melampirkan Lain", - "Attach :resource": "Melampirkan :resource", - "August": "Ogos", - "Australia": "Australia", - "Austria": "Austria", - "Azerbaijan": "Armenia", - "Bahamas": "Bahamas", - "Bahrain": "Bahrain", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Sebelum teruskan, sila semak e-mel anda untuk mendapatkan pautan pengesahan.", - "Belarus": "Belarus", - "Belgium": "Belgia", - "Belize": "Belize", - "Benin": "Kanada", - "Bermuda": "Bermuda", - "Bhutan": "Bhutan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Hanya Eustatius dan Sábado", - "Bosnia And Herzegovina": "Bosnia dan Herzegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvet Pulau", - "Brazil": "Brazil", - "British Indian Ocean Territory": "British Lautan India Wilayah", - "Browser Sessions": "Pelayar Sesi", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgaria", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Kamboja", - "Cameroon": "Kamerun", - "Canada": "Kanada", - "Cancel": "Membatalkan", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Cape Verde", - "Card": "Kad", - "Cayman Islands": "Kepulauan Cayman", - "Central African Republic": "Republik Afrika Tengah", - "Chad": "Chad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Perubahan", - "Chile": "Chile", - "China": "China", - "Choose": "Pilih", - "Choose :field": "Memilih :field", - "Choose :resource": "Memilih :resource", - "Choose an option": "Pilih satu pilihan", - "Choose date": "Memilih tarikh", - "Choose File": "Memilih File", - "Choose Type": "Memilih Jenis", - "Christmas Island": "Pulau Krismas", - "City": "City", "click here to request another": "klik di sini untuk minta yang lain", - "Click to choose": "Klik untuk memilih", - "Close": "Dekat", - "Cocos (Keeling) Islands": "Coco (Keeling) ", - "Code": "Kod", - "Colombia": "Colombia", - "Comoros": "Komoro", - "Confirm": "Mengesahkan", - "Confirm Password": "Sahkan Kata Laluan", - "Confirm Payment": "Mengesahkan Pembayaran", - "Confirm your :amount payment": "Mengesahkan anda :amount pembayaran", - "Congo": "Congo", - "Congo, Democratic Republic": "Congo, Republik Demokratik", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Berterusan", - "Cook Islands": "Kepulauan Cook", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "tidak dapat menemukan.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Mewujudkan", - "Create & Add Another": "Buat & Tambah Lagi", - "Create :resource": "Membuat :resource", - "Create a new team to collaborate with others on projects.": "Membuat yang baru pasukan untuk bekerjasama dengan orang lain di projek.", - "Create Account": "Buat Akaun", - "Create API Token": "Membuat API Token", - "Create New Team": "Membuat Pasukan Baru", - "Create Team": "Membuat Pasukan", - "Created.": "Dicipta.", - "Croatia": "Croatia", - "Cuba": "Kuba", - "Curaçao": "Padat", - "Current Password": "Semasa Kata Laluan", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Menyesuaikan", - "Cyprus": "Cyprus", - "Czech Republic": "Czechia", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Pemuka", - "December": "Disember", - "Decrease": "Penurunan", - "Delete": "Padamkan", - "Delete Account": "Padam Akaun", - "Delete API Token": "Padamkan API Token", - "Delete File": "Bersihkan File", - "Delete Resource": "Menghilangkan Sumber", - "Delete Selected": "Hapuskan", - "Delete Team": "Bersihkan Pasukan", - "Denmark": "Denmark", - "Detach": "Tanggalkan", - "Detach Resource": "Tanggalkan Sumber", - "Detach Selected": "Tanggalkan Dipilih", - "Details": "Butiran", - "Disable": "Lumpuhkan", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Apakah anda benar-benar ingin pergi? Anda belum berubah.", - "Dominica": "Ahad", - "Dominican Republic": "Republik Dominika", - "Done.": "Yang dilakukan.", - "Download": "Turun", - "Download Receipt": "Download Receipt", "E-Mail Address": "Alamat emel", - "Ecuador": "Ecuador", - "Edit": "Mengedit", - "Edit :resource": "Mengedit :resource", - "Edit Attached": "Mengedit Melekat", - "Editor": "Editor", - "Editor users have the ability to read, create, and update.": "Editor pengguna mempunyai keupayaan untuk membaca, membuat, dan kini.", - "Egypt": "Mesir", - "El Salvador": "Salvador", - "Email": "E-mel", - "Email Address": "Alamat E-Mel", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "E-Mel Kata Laluan Semula Link", - "Enable": "Membolehkan", - "Ensure your account is using a long, random password to stay secure.": "Memastikan akaun anda menggunakan yang lama, rawak kata laluan untuk yang selamat.", - "Equatorial Guinea": "Khatulistiwa Guinea", - "Eritrea": "Eritrea", - "Estonia": "Estonia", - "Ethiopia": "Ethiopia", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Tambahan pengesahan diperlukan untuk proses pembayaran anda. Sila sahkan pembayaran anda dengan mengisi butir-butir pembayaran anda di bawah.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Tambahan pengesahan diperlukan untuk proses pembayaran anda. Silakan lanjutkan untuk pembayaran halaman dengan mengklik tombol di bawah.", - "Falkland Islands (Malvinas)": "Falkland Pulau (Malvinas)", - "Faroe Islands": "Faroe Pulau-Pulau", - "February": "Februari", - "Fiji": "Fiji", - "Finland": "Finland", - "For your security, please confirm your password to continue.": "Untuk keselamatan anda, sila sahkan anda kata laluan untuk terus.", "Forbidden": "Dilarang", - "Force Delete": "Memaksa Padam", - "Force Delete Resource": "Hapuskan Sumber Daya", - "Force Delete Selected": "Memaksa Hapuskan", - "Forgot Your Password?": "Lupa kata laluan anda?", - "Forgot your password?": "Lupa password anda?", - "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.": "Lupa password anda? Tidak ada masalah. Hanya beritahu kami alamat email anda dan kami akan email anda kata laluan semula link yang akan membenarkan anda untuk memilih satu yang baru.", - "France": "Perancis", - "French Guiana": "Guatemala", - "French Polynesia": "Polynesia Perancis", - "French Southern Territories": "Wilayah Selatan Perancis", - "Full name": "Nama penuh", - "Gabon": "Uranium", - "Gambia": "Gambit", - "Georgia": "Georgia", - "Germany": "Jerman", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Pergi kembali", - "Go Home": "Kembali ke Laman Utama", "Go to page :page": "Pergi ke halaman :page", - "Great! You have accepted the invitation to join the :team team.": "Hebat! Anda telah menerima undangan untuk menyertai :team pasukan.", - "Greece": "Greece", - "Greenland": "Greenland", - "Grenada": "Grenada", - "Guadeloupe": "United kingdom", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Belarus, Ukraine", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Dengar Pulau dan McDonald pulau-Pulau", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Helo!", - "Hide Content": "Menyembunyikan Kandungan", - "Hold Up!": "Pegang Up!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Hungary", - "I agree to the :terms_of_service and :privacy_policy": "Saya bersetuju untuk :terms_of_service dan :privacy_policy", - "Iceland": "Iceland", - "ID": "ID", - "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.": "Jika perlu, anda mungkin keluar dari semua dari anda yang lain pelayar sesi-sesi di semua perangkat anda. Beberapa anda baru-baru ini sesi di bawah ini, namun, ini senarai mungkin tidak lengkap. Jika anda merasa akaun anda telah dikompromikan, anda harus juga update anda kata laluan.", "If necessary, you may logout 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.": "Jika perlu, anda mungkin keluar dari semua dari anda yang lain pelayar sesi-sesi di semua perangkat anda. Beberapa anda baru-baru ini sesi di bawah ini, namun, ini senarai mungkin tidak lengkap. Jika anda merasa akaun anda telah dikompromikan, anda harus juga update anda kata laluan.", - "If you already have an account, you may accept this invitation by clicking the button below:": "Jika kau sudah mempunyai akaun, kau mungkin menerima undangan ini dengan mengklik tombol di bawah:", "If you did not create an account, no further action is required.": "Jika anda tidak membuat akaun, tiada tindakan lanjut diperlukan.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Jika anda tidak mengharapkan untuk menerima undangan untuk tim ini, anda mungkin membuang e-mel ini.", "If you did not receive the email": "Sekiranya anda tidak menerima e-mel tersebut", - "If you did not request a password reset, no further action is required.": "Jika anda tidak meminta tetapan semula kata laluan, tiada tindakan lanjut diperlukan.", - "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:": "Jika anda tidak mempunyai akaun, anda boleh membuat satu dengan mengklik tombol di bawah. Selepas membuat akaun, anda mungkin klik jemputan penerimaan butang di e-mel ini untuk menerima pasukan jemputan:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Sekiranya anda menghadapi masalah klik butang \":actionText\", salin dan tampal URL di bawah\nke pelayar web anda:", - "Increase": "Meningkatkan", - "India": "India", - "Indonesia": "Indonesia", "Invalid signature.": "Tandatangan tidak sah.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Iraq", - "Ireland": "Ireland", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Isle of Man", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Itali", - "Jamaica": "Jamaica", - "January": "Januari", - "Japan": "Jepun", - "Jersey": "Jersey", - "Jordan": "Jordan", - "July": "Julai", - "June": "Jun", - "Kazakhstan": "Kazakhstan", - "Kenya": "Kenya", - "Key": "Kunci", - "Kiribati": "Kiribati", - "Korea": "Korea Selatan", - "Korea, Democratic People's Republic of": "Korea Utara", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuwait", - "Kyrgyzstan": "Kyrgyzstan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Terakhir aktif", - "Last used": "Terakhir digunakan", - "Latvia": "Latvia", - "Leave": "Meninggalkan", - "Leave Team": "Meninggalkan Pasukan", - "Lebanon": "Lebanon", - "Lens": "Kanta", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libya", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Lithuania", - "Load :perPage More": "Beban Lebih :perPage", - "Log in": "Dalam Log", "Log out": "Log out", - "Log Out": "Log Out", - "Log Out Other Browser Sessions": "Log Out Lain Pelayar Sesi", - "Login": "Log masuk", - "Logout": "Log keluar", "Logout Other Browser Sessions": "Keluar Lain Pelayar Sesi", - "Luxembourg": "Luxembourg", - "Macao": "Macao", - "Macedonia": "Utara Macedonia", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagascar", - "Malawi": "Botswana", - "Malaysia": "Malaysia", - "Maldives": "Maldives", - "Mali": "Kecil", - "Malta": "Malta", - "Manage Account": "Mengurus Akaun", - "Manage and log out your active sessions on other browsers and devices.": "Mengurus dan anda log out sesi aktif pada pelayar lain dan alat-alat.", "Manage and logout your active sessions on other browsers and devices.": "Menguruskan dan keluar aktif anda sesi pada pelayar lain dan alat-alat.", - "Manage API Tokens": "Mengurus API Token", - "Manage Role": "Mengurus Peranan", - "Manage Team": "Mengurus Pasukan", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Mac", - "Marshall Islands": "Marshall Pulau-Pulau", - "Martinique": "Martinique", - "Mauritania": "Kapal mauretania", - "Mauritius": "Mauritius", - "May": "Mungkin", - "Mayotte": "Mayotte", - "Mexico": "Mexico", - "Micronesia, Federated States Of": "Mikronesia", - "Moldova": "Moldova", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monaco", - "Mongolia": "Mongolia", - "Montenegro": "Montenegro", - "Month To Date": "Bulan Untuk Tarikh", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Morocco", - "Mozambique": "Mozambique", - "Myanmar": "Myanmar", - "Name": "Nama", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Belanda", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Takpa", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Baru", - "New :resource": "Baru :resource", - "New Caledonia": "New Caledonia", - "New Password": "Kata Laluan Baru", - "New Zealand": "New Zealand", - "Next": "Seterusnya", - "Nicaragua": "Nicaragua", - "Niger": "Portugal", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "Tiada", - "No :resource matched the given criteria.": "Tidak :resource cocok dengan kriteria yang diberikan.", - "No additional information...": "Ada informasi tambahan...", - "No Current Data": "Tidak Ada Data Semasa", - "No Data": "Tidak Ada Data", - "no file selected": "tidak ada file yang dipilih", - "No Increase": "Ada Peningkatan", - "No Prior Data": "No Sebelum Data", - "No Results Found.": "Tiada Hasil Ditemukan.", - "Norfolk Island": "Pulau Norfolk", - "Northern Mariana Islands": "Mariana Utara Pulau-Pulau", - "Norway": "Norway", "Not Found": "Tidak Ditemui", - "Nova User": "Nova Pengguna", - "November": "November", - "October": "Oktober", - "of": "dari", "Oh no": "Oh tidak", - "Oman": "Oman", - "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.": "Sekali pasukan itu dihapuskan, semua sumber dan data akan dipadam selamanya. Sebelum memotong pasukan ini, sila turun apa-apa data atau maklumat mengenai ini pasukan yang anda ingin menyimpan.", - "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.": "Setelah akaun anda yang dihapuskan, semua sumber dan data akan dipadam selamanya. Sebelum memotong akaun anda, sila turun apa-apa data atau maklumat yang anda ingin menyimpan.", - "Only Trashed": "Hanya Dibuang", - "Original": "Asal", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Halaman Tamat Tempoh", "Pagination Navigation": "Muka Surat Navigasi", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Tepi Barat", - "Panama": "Panama", - "Papua New Guinea": "Papua New Guinea", - "Paraguay": "Paraguay", - "Password": "Kata laluan", - "Pay :amount": "Membayar :amount", - "Payment Cancelled": "Pembayaran Dibatalkan", - "Payment Confirmation": "Pembayaran Pengesahan", - "Payment Information": "Payment Information", - "Payment Successful": "Pembayaran Berjaya", - "Pending Team Invitations": "Belum Selesai Pasukan Jemputan", - "Per Page": "Setiap Halaman", - "Permanently delete this team.": "Memadamkan pasukan ini.", - "Permanently delete your account.": "Memadamkan akaun anda.", - "Permissions": "Kebenaran", - "Peru": "Peru", - "Philippines": "Filipina", - "Photo": "Foto", - "Pitcairn": "Pitcairn Pulau-Pulau", "Please click the button below to verify your email address.": "Sila klik butang di bawah untuk mengesahkan alamat e-mel anda.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Sila sahkan akses ke account anda dengan memasuki salah satu kecemasan anda pemulihan kod.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Sila sahkan akses ke account anda dengan memasukkan kod pengesahan disediakan oleh anda pengesah permohonan.", "Please confirm your password before continuing.": "Sila sahkan kata laluan anda sebelum melanjutkan.", - "Please copy your new API token. For your security, it won't be shown again.": "Tolong di copy baru anda token API. Untuk keselamatan anda, ia tidak akan menunjukkan lagi.", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Sila masukkan password untuk mengkonfirmasi anda ingin keluar dari pelayar lain sesi-sesi di semua perangkat anda.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Sila masukkan password untuk mengkonfirmasi anda ingin keluar dari anda yang lain pelayar sesi-sesi di semua perangkat anda.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "Please provide the email address of the person you would like to add to this team.": "Tolong memberikan alamat e-mel orang yang anda ingin menambahkan pasukan ini.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Tolong memberikan alamat e-mel orang yang anda ingin menambahkan pasukan ini. Alamat e-mel yang harus dikaitkan dengan account yang ada.", - "Please provide your name.": "Tolong memberikan nama anda.", - "Poland": "Poland", - "Portugal": "Portugal", - "Press \/ to search": "Tekan \/ untuk mencari", - "Preview": "Preview", - "Previous": "Sebelumnya", - "Privacy Policy": "Dasar Privasi", - "Profile": "Profil", - "Profile Information": "Maklumat Profil", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Suku Untuk Tarikh", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Pemulihan Kod", "Regards": "Salam", - "Regenerate Recovery Codes": "Tumbuh Semula Kod Pemulihan", - "Register": "Daftar", - "Reload": "Reload", - "Remember me": "Ingat saya", - "Remember Me": "Ingat Saya", - "Remove": "Keluarkan", - "Remove Photo": "Keluarkan Foto", - "Remove Team Member": "Keluarkan Ahli Pasukan", - "Resend Verification Email": "Hantar Semula Pengesahan E-Mel", - "Reset Filters": "Reset Penapis", - "Reset Password": "Tetap Semula Kata Laluan", - "Reset Password Notification": "Tetap Semula Pemberitahuan Kata Laluan", - "resource": "sumber", - "Resources": "Sumber-sumber", - "resources": "sumber-sumber", - "Restore": "Memulihkan", - "Restore Resource": "Memulihkan Sumber", - "Restore Selected": "Memulihkan Dipilih", "results": "keputusan", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Mesyuarat", - "Role": "Peranan", - "Romania": "Romania", - "Run Action": "Lari Tindakan", - "Russian Federation": "Rusia", - "Rwanda": "Rwanda", - "Réunion": "Réunion", - "Saint Barthelemy": "St. Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "St. Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "St Kitts dan Nevis", - "Saint Lucia": "St Lucia", - "Saint Martin": "St Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "St. Pierre dan Miquelon", - "Saint Vincent And Grenadines": "St Vincent dan Grenadines", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "São Tomé dan Príncipe", - "Saudi Arabia": "Arab Saudi", - "Save": "Simpan", - "Saved.": "Disimpan.", - "Search": "Carian", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Pilih Satu Foto Baru", - "Select Action": "Pilih Tindakan", - "Select All": "Memilih Semua", - "Select All Matching": "Memilih Semua Yang Hampir Sama", - "Send Password Reset Link": "Hantar Pautan Tetap Semula Kata Laluan", - "Senegal": "Senegal", - "September": "September", - "Serbia": "Serbia", "Server Error": "Pelayan Ralat", "Service Unavailable": "Perkhidmatan tidak tersedia", - "Seychelles": "Mozambique", - "Show All Fields": "Tunjukkan Semua Bidang", - "Show Content": "Menunjukkan Kandungan", - "Show Recovery Codes": "Menunjukkan Pemulihan Kod", "Showing": "Menunjukkan", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapura", - "Sint Maarten (Dutch part)": "Hanya App", - "Slovakia": "Slovakia", - "Slovenia": "Slovenia", - "Solomon Islands": "Pulau Solomon", - "Somalia": "Somalia", - "Something went wrong.": "Ada sesuatu yang tidak beres.", - "Sorry! You are not authorized to perform this action.": "Maaf! Anda tidak dibenarkan untuk melakukan aksi ini.", - "Sorry, your session has expired.": "Maaf, sesi anda telah tamat.", - "South Africa": "Afrika Selatan", - "South Georgia And Sandwich Isl.": "Georgia selatan dan Sandwich Selatan pulau-Pulau", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Sudan Selatan", - "Spain": "Sepanyol", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Mula Mengundi", - "State \/ County": "State \/ County", - "Stop Polling": "Berhenti Mengundi", - "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.": "Kedai ini pemulihan kod dalam kata laluan selamat pengurus. Mereka boleh digunakan untuk mendapatkan akses ke account anda jika anda dua faktor pengesahan peranti hilang.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "United kingdom", - "Svalbard And Jan Mayen": "Svalbard dan Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Sweden", - "Switch Teams": "Beralih Pasukan", - "Switzerland": "Switzerland", - "Syrian Arab Republic": "Syria", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tajikistan", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Pasukan Butiran", - "Team Invitation": "Pasukan Jemputan", - "Team Members": "Ahli Pasukan", - "Team Name": "Nama Pasukan", - "Team Owner": "Pemilik Pasukan", - "Team Settings": "Latar Pasukan", - "Terms of Service": "Syarat Perkhidmatan", - "Thailand": "Thailand", - "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.": "Terima kasih untuk mendaftar! Sebelum mulai, kau boleh mengesahkan alamat email anda dengan mengklik pada link kami hanya melalui email kepada anda? Jika kau tidak menerima email, kami dengan senang hati akan menghantar yang lain.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "Itu :attribute mesti peranan yang sah.", - "The :attribute must be at least :length characters and contain at least one number.": ":attribute perlu sekurang-kurangnya :length aksara dan mengandungi sekurang-kurangnya satu nombor.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": "Itu :attribute perlu sekurang-kurangnya :length aksara dan mengandungi sekurang-kurangnya satu ciri-ciri khas dan nombor satu.", - "The :attribute must be at least :length characters and contain at least one special character.": "Itu :attribute perlu sekurang-kurangnya :length aksara dan mengandungi sekurang-kurangnya satu ciri-ciri khas.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Itu :attribute perlu sekurang-kurangnya :length aksara dan mengandungi sekurang-kurangnya satu huruf besar watak dan nombor satu.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Itu :attribute perlu sekurang-kurangnya :length aksara dan mengandungi sekurang-kurangnya satu huruf besar watak dan salah satu ciri-ciri khas.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Itu :attribute perlu sekurang-kurangnya :length aksara dan mengandungi sekurang-kurangnya satu huruf besar watak, salah nombor, dan salah satu ciri-ciri khas.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": "Itu :attribute perlu sekurang-kurangnya :length aksara dan mengandungi sekurang-kurangnya satu huruf besar karakter.", - "The :attribute must be at least :length characters.": "Itu :attribute perlu sekurang-kurangnya :length aksara.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "Itu :resource telah dibuat!", - "The :resource was deleted!": "Itu :resource telah dipadamkan!", - "The :resource was restored!": "Itu :resource telah dipulihkan!", - "The :resource was updated!": "Itu :resource dikemaskini!", - "The action ran successfully!": "Tindakan berlari berjaya!", - "The file was deleted!": "Fail telah dipadamkan!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Kerajaan tidak akan membiarkan kita menunjukkan kepada anda apa yang ada di balik pintu ini", - "The HasOne relationship has already been filled.": "Itu HasOne hubungan yang telah diisi.", - "The payment was successful.": "Pembayaran telah berjaya.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Yang disediakan kata laluan tidak sepadan kata laluan anda.", - "The provided password was incorrect.": "Yang disediakan kata laluan adalah tidak betul.", - "The provided two factor authentication code was invalid.": "Yang disediakan dua faktor kod pengesahan itu tidak sah.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Sumber dikemaskini!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Pasukan itu nama dan pemilik maklumat.", - "There are no available options for this resource.": "Tidak ada pilihan yang ada untuk sumber ini.", - "There was a problem executing the action.": "Ada masalah melaksanakan tindakan.", - "There was a problem submitting the form.": "Ada masalah mengemukakan bentuk.", - "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.": "Orang-orang ini telah diundang untuk anda pasukan dan telah menghantar jemputan e-mel. Mereka mungkin akan bergabung dengan pasukan dengan menerima e-mel jemputan.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Ini adalah tindakan tidak sah.", - "This device": "Peranti ini", - "This file field is read-only.": "Ini file bidang membaca-satunya.", - "This image": "Ini imej", - "This is a secure area of the application. Please confirm your password before continuing.": "Ini adalah kawasan yang selamat permohonan. Sila sahkan kata laluan anda sebelum melanjutkan.", - "This password does not match our records.": "Kata laluan ini tidak sepadan rekod kami.", "This password reset link will expire in :count minutes.": "Ini laluan semula link akan tamat dalam :count minit.", - "This payment was already successfully confirmed.": "Ini pembayaran sudah berjaya disahkan.", - "This payment was cancelled.": "Ini pembayaran telah dibatalkan.", - "This resource no longer exists": "Sumber ini tidak wujud lagi", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Pengguna ini sudah menjadi milik kepada pasukan.", - "This user has already been invited to the team.": "Pengguna ini telah diundang untuk pasukan.", - "Timor-Leste": "Timor Timur", "to": "untuk", - "Today": "Hari ini", "Toggle navigation": "Togol navigasi", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Tanda Nama", - "Tonga": "Datang", "Too Many Attempts.": "Terlalu Banyak Usaha.", "Too Many Requests": "Terlalu Banyak Permintaan", - "total": "jumlah", - "Total:": "Total:", - "Trashed": "Dibuang", - "Trinidad And Tobago": "Barbados", - "Tunisia": "Tunisia", - "Turkey": "Turki", - "Turkmenistan": "Arab saudi", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Orang turki dan Caicos", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Dua Faktor Pengesahan", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Dua faktor pengesahan sekarang diaktifkan. Scan berikut QR kod menggunakan telefon anda pengesah permohonan.", - "Uganda": "Uganda", - "Ukraine": "Ukraine", "Unauthorized": "Tiada dibenarkan", - "United Arab Emirates": "Uni Emirat Arab", - "United Kingdom": "United Kingdom", - "United States": "Amerika Syarikat", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "AS pulau-Pulau Terpencil", - "Update": "Kini", - "Update & Continue Editing": "Mengemas & Terus Editing", - "Update :resource": "Kini :resource", - "Update :resource: :title": "Kini :resource: :title", - "Update attached :resource: :title": "Kini melekat :resource: :title", - "Update Password": "Kini Kata Laluan", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Kini akaun anda maklumat profil dan alamat e-mel.", - "Uruguay": "Uruguay", - "Use a recovery code": "Gunakan kod pemulihan", - "Use an authentication code": "Gunakan kod pengesahan", - "Uzbekistan": "Uzbekistan", - "Value": "Nilai", - "Vanuatu": "Dalam", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Mengesahkan Alamat E-Mel", "Verify Your Email Address": "Sahkan alamat e-mel anda", - "Viet Nam": "Vietnam", - "View": "Melihat", - "Virgin Islands, British": "British Kepulauan Virgin", - "Virgin Islands, U.S.": "Kepulauan Virgin", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis dan Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Kita tidak dapat mencari pengguna berdaftar dengan alamat e-mel ini.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Kita tidak akan meminta untuk anda password lagi untuk beberapa jam.", - "We're lost in space. The page you were trying to view does not exist.": "Kami tersesat di ruang angkasa. Halaman yang anda cuba untuk melihat tidak wujud.", - "Welcome Back!": "Selamat Datang Kembali!", - "Western Sahara": "Barat Sahara", - "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.": "Ketika dua faktor pengesahan adalah dibenarkan, kau akan diminta untuk yang selamat, tanda rawak dalam pengesahan. Anda mungkin mendapatkan ini tanda dari anda Google telefon Pengesah permohonan.", - "Whoops": "Whoops", - "Whoops!": "Alamak!", - "Whoops! Something went wrong.": "Whoops! Ada sesuatu yang tidak beres.", - "With Trashed": "Dengan Berantakan", - "Write": "Menulis", - "Year To Date": "Tahun Untuk Tarikh", - "Yearly": "Yearly", - "Yemen": "Yaman", - "Yes": "Ya", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Anda log in!", - "You are receiving this email because we received a password reset request for your account.": "Anda menerima e-mel ini kerana kami menerima permintaan tetap semula kata laluan untuk akaun anda.", - "You have been invited to join the :team team!": "Anda telah diundang untuk bergabung dengan :team pasukan!", - "You have enabled two factor authentication.": "Anda telah diaktifkan dua faktor pengesahan.", - "You have not enabled two factor authentication.": "Anda tidak membolehkan dua faktor pengesahan.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "Anda mungkin padam apa-apa ada tanda-tanda jika mereka tidak lagi diperlukan.", - "You may not delete your personal team.": "Anda mungkin tidak padam pasukan peribadi anda.", - "You may not leave a team that you created.": "Anda mungkin tidak meninggalkan pasukan yang anda buat.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Alamat email anda belum disahkan.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Alamat email anda belum disahkan." } diff --git a/locales/ms/packages/cashier.json b/locales/ms/packages/cashier.json new file mode 100644 index 00000000000..989c34314e7 --- /dev/null +++ b/locales/ms/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Hak cipta terpelihara.", + "Card": "Kad", + "Confirm Payment": "Mengesahkan Pembayaran", + "Confirm your :amount payment": "Mengesahkan anda :amount pembayaran", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Tambahan pengesahan diperlukan untuk proses pembayaran anda. Sila sahkan pembayaran anda dengan mengisi butir-butir pembayaran anda di bawah.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Tambahan pengesahan diperlukan untuk proses pembayaran anda. Silakan lanjutkan untuk pembayaran halaman dengan mengklik tombol di bawah.", + "Full name": "Nama penuh", + "Go back": "Pergi kembali", + "Jane Doe": "Jane Doe", + "Pay :amount": "Membayar :amount", + "Payment Cancelled": "Pembayaran Dibatalkan", + "Payment Confirmation": "Pembayaran Pengesahan", + "Payment Successful": "Pembayaran Berjaya", + "Please provide your name.": "Tolong memberikan nama anda.", + "The payment was successful.": "Pembayaran telah berjaya.", + "This payment was already successfully confirmed.": "Ini pembayaran sudah berjaya disahkan.", + "This payment was cancelled.": "Ini pembayaran telah dibatalkan." +} diff --git a/locales/ms/packages/fortify.json b/locales/ms/packages/fortify.json new file mode 100644 index 00000000000..f8835bc2bb4 --- /dev/null +++ b/locales/ms/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": ":attribute perlu sekurang-kurangnya :length aksara dan mengandungi sekurang-kurangnya satu nombor.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "Itu :attribute perlu sekurang-kurangnya :length aksara dan mengandungi sekurang-kurangnya satu ciri-ciri khas dan nombor satu.", + "The :attribute must be at least :length characters and contain at least one special character.": "Itu :attribute perlu sekurang-kurangnya :length aksara dan mengandungi sekurang-kurangnya satu ciri-ciri khas.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Itu :attribute perlu sekurang-kurangnya :length aksara dan mengandungi sekurang-kurangnya satu huruf besar watak dan nombor satu.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Itu :attribute perlu sekurang-kurangnya :length aksara dan mengandungi sekurang-kurangnya satu huruf besar watak dan salah satu ciri-ciri khas.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Itu :attribute perlu sekurang-kurangnya :length aksara dan mengandungi sekurang-kurangnya satu huruf besar watak, salah nombor, dan salah satu ciri-ciri khas.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Itu :attribute perlu sekurang-kurangnya :length aksara dan mengandungi sekurang-kurangnya satu huruf besar karakter.", + "The :attribute must be at least :length characters.": "Itu :attribute perlu sekurang-kurangnya :length aksara.", + "The provided password does not match your current password.": "Yang disediakan kata laluan tidak sepadan kata laluan anda.", + "The provided password was incorrect.": "Yang disediakan kata laluan adalah tidak betul.", + "The provided two factor authentication code was invalid.": "Yang disediakan dua faktor kod pengesahan itu tidak sah." +} diff --git a/locales/ms/packages/jetstream.json b/locales/ms/packages/jetstream.json new file mode 100644 index 00000000000..6f594717bbd --- /dev/null +++ b/locales/ms/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Baru pengesahan link telah dihantar ke alamat e-mel yang anda berikan pada pendaftaran.", + "Accept Invitation": "Menerima Undangan", + "Add": "Menambah", + "Add a new team member to your team, allowing them to collaborate with you.": "Menambah pasukan baru ahli pasukan anda, memungkinkan mereka untuk bekerjasama dengan anda.", + "Add additional security to your account using two factor authentication.": "Menambah keamanan tambahan untuk anda akaun menggunakan dua faktor pengesahan.", + "Add Team Member": "Tambah Ahli Pasukan", + "Added.": "Ditambah.", + "Administrator": "Administrator", + "Administrator users can perform any action.": "Administrator pengguna boleh melakukan apa-apa tindakan.", + "All of the people that are part of this team.": "Semua orang-orang yang merupakan bagian dari pasukan ini.", + "Already registered?": "Sudah didaftarkan?", + "API Token": "Token API", + "API Token Permissions": "API Tanda Kebenaran", + "API Tokens": "API Token", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API token membenarkan pihak ketiga perkhidmatan untuk mengesahkan dengan permohonan kami di pihak anda.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Adakah anda pasti anda mahu untuk memadamkan pasukan ini? Sekali pasukan itu dihapuskan, semua sumber dan data akan dipadam selamanya.", + "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.": "Adakah anda pasti anda mahu untuk menghilangkan anda akaun? Setelah akaun anda yang dihapuskan, semua sumber dan data akan dipadam selamanya. Sila masukkan password untuk mengkonfirmasi anda ingin memadamkan akaun anda.", + "Are you sure you would like to delete this API token?": "Apakah anda yakin anda ingin memadamkan API ini tanda?", + "Are you sure you would like to leave this team?": "Apakah anda yakin anda ingin meninggalkan pasukan ini?", + "Are you sure you would like to remove this person from the team?": "Apakah anda yakin anda ingin mengeluarkan orang ini dari tim?", + "Browser Sessions": "Pelayar Sesi", + "Cancel": "Membatalkan", + "Close": "Dekat", + "Code": "Kod", + "Confirm": "Mengesahkan", + "Confirm Password": "Sahkan Kata Laluan", + "Create": "Mewujudkan", + "Create a new team to collaborate with others on projects.": "Membuat yang baru pasukan untuk bekerjasama dengan orang lain di projek.", + "Create Account": "Buat Akaun", + "Create API Token": "Membuat API Token", + "Create New Team": "Membuat Pasukan Baru", + "Create Team": "Membuat Pasukan", + "Created.": "Dicipta.", + "Current Password": "Semasa Kata Laluan", + "Dashboard": "Pemuka", + "Delete": "Padamkan", + "Delete Account": "Padam Akaun", + "Delete API Token": "Padamkan API Token", + "Delete Team": "Bersihkan Pasukan", + "Disable": "Lumpuhkan", + "Done.": "Yang dilakukan.", + "Editor": "Editor", + "Editor users have the ability to read, create, and update.": "Editor pengguna mempunyai keupayaan untuk membaca, membuat, dan kini.", + "Email": "E-mel", + "Email Password Reset Link": "E-Mel Kata Laluan Semula Link", + "Enable": "Membolehkan", + "Ensure your account is using a long, random password to stay secure.": "Memastikan akaun anda menggunakan yang lama, rawak kata laluan untuk yang selamat.", + "For your security, please confirm your password to continue.": "Untuk keselamatan anda, sila sahkan anda kata laluan untuk terus.", + "Forgot your password?": "Lupa password anda?", + "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.": "Lupa password anda? Tidak ada masalah. Hanya beritahu kami alamat email anda dan kami akan email anda kata laluan semula link yang akan membenarkan anda untuk memilih satu yang baru.", + "Great! You have accepted the invitation to join the :team team.": "Hebat! Anda telah menerima undangan untuk menyertai :team pasukan.", + "I agree to the :terms_of_service and :privacy_policy": "Saya bersetuju untuk :terms_of_service dan :privacy_policy", + "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.": "Jika perlu, anda mungkin keluar dari semua dari anda yang lain pelayar sesi-sesi di semua perangkat anda. Beberapa anda baru-baru ini sesi di bawah ini, namun, ini senarai mungkin tidak lengkap. Jika anda merasa akaun anda telah dikompromikan, anda harus juga update anda kata laluan.", + "If you already have an account, you may accept this invitation by clicking the button below:": "Jika kau sudah mempunyai akaun, kau mungkin menerima undangan ini dengan mengklik tombol di bawah:", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Jika anda tidak mengharapkan untuk menerima undangan untuk tim ini, anda mungkin membuang e-mel ini.", + "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:": "Jika anda tidak mempunyai akaun, anda boleh membuat satu dengan mengklik tombol di bawah. Selepas membuat akaun, anda mungkin klik jemputan penerimaan butang di e-mel ini untuk menerima pasukan jemputan:", + "Last active": "Terakhir aktif", + "Last used": "Terakhir digunakan", + "Leave": "Meninggalkan", + "Leave Team": "Meninggalkan Pasukan", + "Log in": "Dalam Log", + "Log Out": "Log Out", + "Log Out Other Browser Sessions": "Log Out Lain Pelayar Sesi", + "Manage Account": "Mengurus Akaun", + "Manage and log out your active sessions on other browsers and devices.": "Mengurus dan anda log out sesi aktif pada pelayar lain dan alat-alat.", + "Manage API Tokens": "Mengurus API Token", + "Manage Role": "Mengurus Peranan", + "Manage Team": "Mengurus Pasukan", + "Name": "Nama", + "New Password": "Kata Laluan Baru", + "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.": "Sekali pasukan itu dihapuskan, semua sumber dan data akan dipadam selamanya. Sebelum memotong pasukan ini, sila turun apa-apa data atau maklumat mengenai ini pasukan yang anda ingin menyimpan.", + "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.": "Setelah akaun anda yang dihapuskan, semua sumber dan data akan dipadam selamanya. Sebelum memotong akaun anda, sila turun apa-apa data atau maklumat yang anda ingin menyimpan.", + "Password": "Kata laluan", + "Pending Team Invitations": "Belum Selesai Pasukan Jemputan", + "Permanently delete this team.": "Memadamkan pasukan ini.", + "Permanently delete your account.": "Memadamkan akaun anda.", + "Permissions": "Kebenaran", + "Photo": "Foto", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Sila sahkan akses ke account anda dengan memasuki salah satu kecemasan anda pemulihan kod.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Sila sahkan akses ke account anda dengan memasukkan kod pengesahan disediakan oleh anda pengesah permohonan.", + "Please copy your new API token. For your security, it won't be shown again.": "Tolong di copy baru anda token API. Untuk keselamatan anda, ia tidak akan menunjukkan lagi.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Sila masukkan password untuk mengkonfirmasi anda ingin keluar dari pelayar lain sesi-sesi di semua perangkat anda.", + "Please provide the email address of the person you would like to add to this team.": "Tolong memberikan alamat e-mel orang yang anda ingin menambahkan pasukan ini.", + "Privacy Policy": "Dasar Privasi", + "Profile": "Profil", + "Profile Information": "Maklumat Profil", + "Recovery Code": "Pemulihan Kod", + "Regenerate Recovery Codes": "Tumbuh Semula Kod Pemulihan", + "Register": "Daftar", + "Remember me": "Ingat saya", + "Remove": "Keluarkan", + "Remove Photo": "Keluarkan Foto", + "Remove Team Member": "Keluarkan Ahli Pasukan", + "Resend Verification Email": "Hantar Semula Pengesahan E-Mel", + "Reset Password": "Tetap Semula Kata Laluan", + "Role": "Peranan", + "Save": "Simpan", + "Saved.": "Disimpan.", + "Select A New Photo": "Pilih Satu Foto Baru", + "Show Recovery Codes": "Menunjukkan Pemulihan Kod", + "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.": "Kedai ini pemulihan kod dalam kata laluan selamat pengurus. Mereka boleh digunakan untuk mendapatkan akses ke account anda jika anda dua faktor pengesahan peranti hilang.", + "Switch Teams": "Beralih Pasukan", + "Team Details": "Pasukan Butiran", + "Team Invitation": "Pasukan Jemputan", + "Team Members": "Ahli Pasukan", + "Team Name": "Nama Pasukan", + "Team Owner": "Pemilik Pasukan", + "Team Settings": "Latar Pasukan", + "Terms of Service": "Syarat Perkhidmatan", + "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.": "Terima kasih untuk mendaftar! Sebelum mulai, kau boleh mengesahkan alamat email anda dengan mengklik pada link kami hanya melalui email kepada anda? Jika kau tidak menerima email, kami dengan senang hati akan menghantar yang lain.", + "The :attribute must be a valid role.": "Itu :attribute mesti peranan yang sah.", + "The :attribute must be at least :length characters and contain at least one number.": ":attribute perlu sekurang-kurangnya :length aksara dan mengandungi sekurang-kurangnya satu nombor.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "Itu :attribute perlu sekurang-kurangnya :length aksara dan mengandungi sekurang-kurangnya satu ciri-ciri khas dan nombor satu.", + "The :attribute must be at least :length characters and contain at least one special character.": "Itu :attribute perlu sekurang-kurangnya :length aksara dan mengandungi sekurang-kurangnya satu ciri-ciri khas.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Itu :attribute perlu sekurang-kurangnya :length aksara dan mengandungi sekurang-kurangnya satu huruf besar watak dan nombor satu.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Itu :attribute perlu sekurang-kurangnya :length aksara dan mengandungi sekurang-kurangnya satu huruf besar watak dan salah satu ciri-ciri khas.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Itu :attribute perlu sekurang-kurangnya :length aksara dan mengandungi sekurang-kurangnya satu huruf besar watak, salah nombor, dan salah satu ciri-ciri khas.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Itu :attribute perlu sekurang-kurangnya :length aksara dan mengandungi sekurang-kurangnya satu huruf besar karakter.", + "The :attribute must be at least :length characters.": "Itu :attribute perlu sekurang-kurangnya :length aksara.", + "The provided password does not match your current password.": "Yang disediakan kata laluan tidak sepadan kata laluan anda.", + "The provided password was incorrect.": "Yang disediakan kata laluan adalah tidak betul.", + "The provided two factor authentication code was invalid.": "Yang disediakan dua faktor kod pengesahan itu tidak sah.", + "The team's name and owner information.": "Pasukan itu nama dan pemilik maklumat.", + "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.": "Orang-orang ini telah diundang untuk anda pasukan dan telah menghantar jemputan e-mel. Mereka mungkin akan bergabung dengan pasukan dengan menerima e-mel jemputan.", + "This device": "Peranti ini", + "This is a secure area of the application. Please confirm your password before continuing.": "Ini adalah kawasan yang selamat permohonan. Sila sahkan kata laluan anda sebelum melanjutkan.", + "This password does not match our records.": "Kata laluan ini tidak sepadan rekod kami.", + "This user already belongs to the team.": "Pengguna ini sudah menjadi milik kepada pasukan.", + "This user has already been invited to the team.": "Pengguna ini telah diundang untuk pasukan.", + "Token Name": "Tanda Nama", + "Two Factor Authentication": "Dua Faktor Pengesahan", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Dua faktor pengesahan sekarang diaktifkan. Scan berikut QR kod menggunakan telefon anda pengesah permohonan.", + "Update Password": "Kini Kata Laluan", + "Update your account's profile information and email address.": "Kini akaun anda maklumat profil dan alamat e-mel.", + "Use a recovery code": "Gunakan kod pemulihan", + "Use an authentication code": "Gunakan kod pengesahan", + "We were unable to find a registered user with this email address.": "Kita tidak dapat mencari pengguna berdaftar dengan alamat e-mel ini.", + "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.": "Ketika dua faktor pengesahan adalah dibenarkan, kau akan diminta untuk yang selamat, tanda rawak dalam pengesahan. Anda mungkin mendapatkan ini tanda dari anda Google telefon Pengesah permohonan.", + "Whoops! Something went wrong.": "Whoops! Ada sesuatu yang tidak beres.", + "You have been invited to join the :team team!": "Anda telah diundang untuk bergabung dengan :team pasukan!", + "You have enabled two factor authentication.": "Anda telah diaktifkan dua faktor pengesahan.", + "You have not enabled two factor authentication.": "Anda tidak membolehkan dua faktor pengesahan.", + "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.": "Anda mungkin padam apa-apa ada tanda-tanda jika mereka tidak lagi diperlukan.", + "You may not delete your personal team.": "Anda mungkin tidak padam pasukan peribadi anda.", + "You may not leave a team that you created.": "Anda mungkin tidak meninggalkan pasukan yang anda buat." +} diff --git a/locales/ms/packages/nova.json b/locales/ms/packages/nova.json new file mode 100644 index 00000000000..167971fefb3 --- /dev/null +++ b/locales/ms/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Hari", + "60 Days": "60 Hari", + "90 Days": "90 Hari", + ":amount Total": ":amount Jumlah", + ":resource Details": ":resource Butiran", + ":resource Details: :title": ":resource butir-Butir: :title", + "Action": "Tindakan", + "Action Happened At": "Yang Terjadi Pada", + "Action Initiated By": "Dimulakan Dengan", + "Action Name": "Nama", + "Action Status": "Status", + "Action Target": "Sasaran", + "Actions": "Tindakan", + "Add row": "Masukkan baris", + "Afghanistan": "Afghanistan", + "Aland Islands": "Åland Pulau-Pulau", + "Albania": "Albania", + "Algeria": "Algeria", + "All resources loaded.": "Semua sumber dimuatkan.", + "American Samoa": "Amerika Samoa", + "An error occured while uploading the file.": "Ralat yang berlaku semasa-upload file.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Pengguna lain telah dikemaskini sumber ini sejak halaman ini adalah dimuat. Sila menyegarkan halaman dan cuba lagi.", + "Antarctica": "Antartika", + "Antigua And Barbuda": "Antigua dan Barbuda", + "April": "April", + "Are you sure you want to delete the selected resources?": "Adakah anda pasti anda mahu untuk pilih sumber?", + "Are you sure you want to delete this file?": "Adakah anda pasti anda mahu untuk bersihkan fail ini?", + "Are you sure you want to delete this resource?": "Adakah anda pasti anda mahu untuk menghilangkan sumber ini?", + "Are you sure you want to detach the selected resources?": "Adakah anda pasti anda mahu tanggalkan dipilih sumber?", + "Are you sure you want to detach this resource?": "Adakah anda pasti anda mahu tanggalkan sumber ini?", + "Are you sure you want to force delete the selected resources?": "Adakah anda pasti anda mahu untuk memaksa pilih sumber?", + "Are you sure you want to force delete this resource?": "Adakah anda pasti anda mahu untuk memaksa menghilangkan sumber ini?", + "Are you sure you want to restore the selected resources?": "Adakah anda pasti anda mahu untuk memulihkan yang dipilih sumber?", + "Are you sure you want to restore this resource?": "Adakah anda pasti anda mahu untuk memulihkan sumber ini?", + "Are you sure you want to run this action?": "Adakah anda pasti anda mahu untuk menjalankan tindakan ini?", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Attach": "Melampirkan", + "Attach & Attach Another": "Melampirkan & Melampirkan Lain", + "Attach :resource": "Melampirkan :resource", + "August": "Ogos", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Armenia", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgia", + "Belize": "Belize", + "Benin": "Kanada", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Hanya Eustatius dan Sábado", + "Bosnia And Herzegovina": "Bosnia dan Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Pulau", + "Brazil": "Brazil", + "British Indian Ocean Territory": "British Lautan India Wilayah", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kamboja", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel": "Membatalkan", + "Cape Verde": "Cape Verde", + "Cayman Islands": "Kepulauan Cayman", + "Central African Republic": "Republik Afrika Tengah", + "Chad": "Chad", + "Changes": "Perubahan", + "Chile": "Chile", + "China": "China", + "Choose": "Pilih", + "Choose :field": "Memilih :field", + "Choose :resource": "Memilih :resource", + "Choose an option": "Pilih satu pilihan", + "Choose date": "Memilih tarikh", + "Choose File": "Memilih File", + "Choose Type": "Memilih Jenis", + "Christmas Island": "Pulau Krismas", + "Click to choose": "Klik untuk memilih", + "Cocos (Keeling) Islands": "Coco (Keeling) ", + "Colombia": "Colombia", + "Comoros": "Komoro", + "Confirm Password": "Sahkan Kata Laluan", + "Congo": "Congo", + "Congo, Democratic Republic": "Congo, Republik Demokratik", + "Constant": "Berterusan", + "Cook Islands": "Kepulauan Cook", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "tidak dapat menemukan.", + "Create": "Mewujudkan", + "Create & Add Another": "Buat & Tambah Lagi", + "Create :resource": "Membuat :resource", + "Croatia": "Croatia", + "Cuba": "Kuba", + "Curaçao": "Padat", + "Customize": "Menyesuaikan", + "Cyprus": "Cyprus", + "Czech Republic": "Czechia", + "Dashboard": "Pemuka", + "December": "Disember", + "Decrease": "Penurunan", + "Delete": "Padamkan", + "Delete File": "Bersihkan File", + "Delete Resource": "Menghilangkan Sumber", + "Delete Selected": "Hapuskan", + "Denmark": "Denmark", + "Detach": "Tanggalkan", + "Detach Resource": "Tanggalkan Sumber", + "Detach Selected": "Tanggalkan Dipilih", + "Details": "Butiran", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Apakah anda benar-benar ingin pergi? Anda belum berubah.", + "Dominica": "Ahad", + "Dominican Republic": "Republik Dominika", + "Download": "Turun", + "Ecuador": "Ecuador", + "Edit": "Mengedit", + "Edit :resource": "Mengedit :resource", + "Edit Attached": "Mengedit Melekat", + "Egypt": "Mesir", + "El Salvador": "Salvador", + "Email Address": "Alamat E-Mel", + "Equatorial Guinea": "Khatulistiwa Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Ethiopia", + "Falkland Islands (Malvinas)": "Falkland Pulau (Malvinas)", + "Faroe Islands": "Faroe Pulau-Pulau", + "February": "Februari", + "Fiji": "Fiji", + "Finland": "Finland", + "Force Delete": "Memaksa Padam", + "Force Delete Resource": "Hapuskan Sumber Daya", + "Force Delete Selected": "Memaksa Hapuskan", + "Forgot Your Password?": "Lupa kata laluan anda?", + "Forgot your password?": "Lupa password anda?", + "France": "Perancis", + "French Guiana": "Guatemala", + "French Polynesia": "Polynesia Perancis", + "French Southern Territories": "Wilayah Selatan Perancis", + "Gabon": "Uranium", + "Gambia": "Gambit", + "Georgia": "Georgia", + "Germany": "Jerman", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "Kembali ke Laman Utama", + "Greece": "Greece", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "United kingdom", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Belarus, Ukraine", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Dengar Pulau dan McDonald pulau-Pulau", + "Hide Content": "Menyembunyikan Kandungan", + "Hold Up!": "Pegang Up!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungary", + "Iceland": "Iceland", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "Jika anda tidak meminta tetapan semula kata laluan, tiada tindakan lanjut diperlukan.", + "Increase": "Meningkatkan", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Iraq", + "Ireland": "Ireland", + "Isle Of Man": "Isle of Man", + "Israel": "Israel", + "Italy": "Itali", + "Jamaica": "Jamaica", + "January": "Januari", + "Japan": "Jepun", + "Jersey": "Jersey", + "Jordan": "Jordan", + "July": "Julai", + "June": "Jun", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Key": "Kunci", + "Kiribati": "Kiribati", + "Korea": "Korea Selatan", + "Korea, Democratic People's Republic of": "Korea Utara", + "Kosovo": "Kosovo", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvia", + "Lebanon": "Lebanon", + "Lens": "Kanta", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lithuania", + "Load :perPage More": "Beban Lebih :perPage", + "Login": "Log masuk", + "Logout": "Log keluar", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia": "Utara Macedonia", + "Madagascar": "Madagascar", + "Malawi": "Botswana", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Kecil", + "Malta": "Malta", + "March": "Mac", + "Marshall Islands": "Marshall Pulau-Pulau", + "Martinique": "Martinique", + "Mauritania": "Kapal mauretania", + "Mauritius": "Mauritius", + "May": "Mungkin", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States Of": "Mikronesia", + "Moldova": "Moldova", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Month To Date": "Bulan Untuk Tarikh", + "Montserrat": "Montserrat", + "Morocco": "Morocco", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Belanda", + "New": "Baru", + "New :resource": "Baru :resource", + "New Caledonia": "New Caledonia", + "New Zealand": "New Zealand", + "Next": "Seterusnya", + "Nicaragua": "Nicaragua", + "Niger": "Portugal", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "Tiada", + "No :resource matched the given criteria.": "Tidak :resource cocok dengan kriteria yang diberikan.", + "No additional information...": "Ada informasi tambahan...", + "No Current Data": "Tidak Ada Data Semasa", + "No Data": "Tidak Ada Data", + "no file selected": "tidak ada file yang dipilih", + "No Increase": "Ada Peningkatan", + "No Prior Data": "No Sebelum Data", + "No Results Found.": "Tiada Hasil Ditemukan.", + "Norfolk Island": "Pulau Norfolk", + "Northern Mariana Islands": "Mariana Utara Pulau-Pulau", + "Norway": "Norway", + "Nova User": "Nova Pengguna", + "November": "November", + "October": "Oktober", + "of": "dari", + "Oman": "Oman", + "Only Trashed": "Hanya Dibuang", + "Original": "Asal", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Tepi Barat", + "Panama": "Panama", + "Papua New Guinea": "Papua New Guinea", + "Paraguay": "Paraguay", + "Password": "Kata laluan", + "Per Page": "Setiap Halaman", + "Peru": "Peru", + "Philippines": "Filipina", + "Pitcairn": "Pitcairn Pulau-Pulau", + "Poland": "Poland", + "Portugal": "Portugal", + "Press \/ to search": "Tekan \/ untuk mencari", + "Preview": "Preview", + "Previous": "Sebelumnya", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Suku Untuk Tarikh", + "Reload": "Reload", + "Remember Me": "Ingat Saya", + "Reset Filters": "Reset Penapis", + "Reset Password": "Tetap Semula Kata Laluan", + "Reset Password Notification": "Tetap Semula Pemberitahuan Kata Laluan", + "resource": "sumber", + "Resources": "Sumber-sumber", + "resources": "sumber-sumber", + "Restore": "Memulihkan", + "Restore Resource": "Memulihkan Sumber", + "Restore Selected": "Memulihkan Dipilih", + "Reunion": "Mesyuarat", + "Romania": "Romania", + "Run Action": "Lari Tindakan", + "Russian Federation": "Rusia", + "Rwanda": "Rwanda", + "Saint Barthelemy": "St. Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts And Nevis": "St Kitts dan Nevis", + "Saint Lucia": "St Lucia", + "Saint Martin": "St Martin", + "Saint Pierre And Miquelon": "St. Pierre dan Miquelon", + "Saint Vincent And Grenadines": "St Vincent dan Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "São Tomé dan Príncipe", + "Saudi Arabia": "Arab Saudi", + "Search": "Carian", + "Select Action": "Pilih Tindakan", + "Select All": "Memilih Semua", + "Select All Matching": "Memilih Semua Yang Hampir Sama", + "Send Password Reset Link": "Hantar Pautan Tetap Semula Kata Laluan", + "Senegal": "Senegal", + "September": "September", + "Serbia": "Serbia", + "Seychelles": "Mozambique", + "Show All Fields": "Tunjukkan Semua Bidang", + "Show Content": "Menunjukkan Kandungan", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapura", + "Sint Maarten (Dutch part)": "Hanya App", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Pulau Solomon", + "Somalia": "Somalia", + "Something went wrong.": "Ada sesuatu yang tidak beres.", + "Sorry! You are not authorized to perform this action.": "Maaf! Anda tidak dibenarkan untuk melakukan aksi ini.", + "Sorry, your session has expired.": "Maaf, sesi anda telah tamat.", + "South Africa": "Afrika Selatan", + "South Georgia And Sandwich Isl.": "Georgia selatan dan Sandwich Selatan pulau-Pulau", + "South Sudan": "Sudan Selatan", + "Spain": "Sepanyol", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Mula Mengundi", + "Stop Polling": "Berhenti Mengundi", + "Sudan": "Sudan", + "Suriname": "United kingdom", + "Svalbard And Jan Mayen": "Svalbard dan Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sweden", + "Switzerland": "Switzerland", + "Syrian Arab Republic": "Syria", + "Taiwan": "Taiwan", + "Tajikistan": "Tajikistan", + "Tanzania": "Tanzania", + "Thailand": "Thailand", + "The :resource was created!": "Itu :resource telah dibuat!", + "The :resource was deleted!": "Itu :resource telah dipadamkan!", + "The :resource was restored!": "Itu :resource telah dipulihkan!", + "The :resource was updated!": "Itu :resource dikemaskini!", + "The action ran successfully!": "Tindakan berlari berjaya!", + "The file was deleted!": "Fail telah dipadamkan!", + "The government won't let us show you what's behind these doors": "Kerajaan tidak akan membiarkan kita menunjukkan kepada anda apa yang ada di balik pintu ini", + "The HasOne relationship has already been filled.": "Itu HasOne hubungan yang telah diisi.", + "The resource was updated!": "Sumber dikemaskini!", + "There are no available options for this resource.": "Tidak ada pilihan yang ada untuk sumber ini.", + "There was a problem executing the action.": "Ada masalah melaksanakan tindakan.", + "There was a problem submitting the form.": "Ada masalah mengemukakan bentuk.", + "This file field is read-only.": "Ini file bidang membaca-satunya.", + "This image": "Ini imej", + "This resource no longer exists": "Sumber ini tidak wujud lagi", + "Timor-Leste": "Timor Timur", + "Today": "Hari ini", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Datang", + "total": "jumlah", + "Trashed": "Dibuang", + "Trinidad And Tobago": "Barbados", + "Tunisia": "Tunisia", + "Turkey": "Turki", + "Turkmenistan": "Arab saudi", + "Turks And Caicos Islands": "Orang turki dan Caicos", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "Uni Emirat Arab", + "United Kingdom": "United Kingdom", + "United States": "Amerika Syarikat", + "United States Outlying Islands": "AS pulau-Pulau Terpencil", + "Update": "Kini", + "Update & Continue Editing": "Mengemas & Terus Editing", + "Update :resource": "Kini :resource", + "Update :resource: :title": "Kini :resource: :title", + "Update attached :resource: :title": "Kini melekat :resource: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Value": "Nilai", + "Vanuatu": "Dalam", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Melihat", + "Virgin Islands, British": "British Kepulauan Virgin", + "Virgin Islands, U.S.": "Kepulauan Virgin", + "Wallis And Futuna": "Wallis dan Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Kami tersesat di ruang angkasa. Halaman yang anda cuba untuk melihat tidak wujud.", + "Welcome Back!": "Selamat Datang Kembali!", + "Western Sahara": "Barat Sahara", + "Whoops": "Whoops", + "Whoops!": "Alamak!", + "With Trashed": "Dengan Berantakan", + "Write": "Menulis", + "Year To Date": "Tahun Untuk Tarikh", + "Yemen": "Yaman", + "Yes": "Ya", + "You are receiving this email because we received a password reset request for your account.": "Anda menerima e-mel ini kerana kami menerima permintaan tetap semula kata laluan untuk akaun anda.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/ms/packages/spark-paddle.json b/locales/ms/packages/spark-paddle.json new file mode 100644 index 00000000000..86fe4b683b6 --- /dev/null +++ b/locales/ms/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Syarat Perkhidmatan", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Whoops! Ada sesuatu yang tidak beres.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/ms/packages/spark-stripe.json b/locales/ms/packages/spark-stripe.json new file mode 100644 index 00000000000..21bd8783920 --- /dev/null +++ b/locales/ms/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afghanistan", + "Albania": "Albania", + "Algeria": "Algeria", + "American Samoa": "Amerika Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antartika", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Armenia", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgia", + "Belize": "Belize", + "Benin": "Kanada", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Pulau", + "Brazil": "Brazil", + "British Indian Ocean Territory": "British Lautan India Wilayah", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kamboja", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Cape Verde", + "Card": "Kad", + "Cayman Islands": "Kepulauan Cayman", + "Central African Republic": "Republik Afrika Tengah", + "Chad": "Chad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Chile", + "China": "China", + "Christmas Island": "Pulau Krismas", + "City": "City", + "Cocos (Keeling) Islands": "Coco (Keeling) ", + "Colombia": "Colombia", + "Comoros": "Komoro", + "Confirm Payment": "Mengesahkan Pembayaran", + "Confirm your :amount payment": "Mengesahkan anda :amount pembayaran", + "Congo": "Congo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Kepulauan Cook", + "Costa Rica": "Costa Rica", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Croatia", + "Cuba": "Kuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Cyprus", + "Czech Republic": "Czechia", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Denmark", + "Djibouti": "Djibouti", + "Dominica": "Ahad", + "Dominican Republic": "Republik Dominika", + "Download Receipt": "Download Receipt", + "Ecuador": "Ecuador", + "Egypt": "Mesir", + "El Salvador": "Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Khatulistiwa Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Ethiopia", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Tambahan pengesahan diperlukan untuk proses pembayaran anda. Silakan lanjutkan untuk pembayaran halaman dengan mengklik tombol di bawah.", + "Falkland Islands (Malvinas)": "Falkland Pulau (Malvinas)", + "Faroe Islands": "Faroe Pulau-Pulau", + "Fiji": "Fiji", + "Finland": "Finland", + "France": "Perancis", + "French Guiana": "Guatemala", + "French Polynesia": "Polynesia Perancis", + "French Southern Territories": "Wilayah Selatan Perancis", + "Gabon": "Uranium", + "Gambia": "Gambit", + "Georgia": "Georgia", + "Germany": "Jerman", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Greece", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "United kingdom", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Belarus, Ukraine", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungary", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Iceland", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Iraq", + "Ireland": "Ireland", + "Isle of Man": "Isle of Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Itali", + "Jamaica": "Jamaica", + "Japan": "Jepun", + "Jersey": "Jersey", + "Jordan": "Jordan", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Korea Utara", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvia", + "Lebanon": "Lebanon", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lithuania", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagascar", + "Malawi": "Botswana", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Kecil", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marshall Pulau-Pulau", + "Martinique": "Martinique", + "Mauritania": "Kapal mauretania", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Morocco", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Belanda", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "New Caledonia", + "New Zealand": "New Zealand", + "Nicaragua": "Nicaragua", + "Niger": "Portugal", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Pulau Norfolk", + "Northern Mariana Islands": "Mariana Utara Pulau-Pulau", + "Norway": "Norway", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Tepi Barat", + "Panama": "Panama", + "Papua New Guinea": "Papua New Guinea", + "Paraguay": "Paraguay", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Filipina", + "Pitcairn": "Pitcairn Pulau-Pulau", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Poland", + "Portugal": "Portugal", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Romania", + "Russian Federation": "Rusia", + "Rwanda": "Rwanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "St Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Arab Saudi", + "Save": "Simpan", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbia", + "Seychelles": "Mozambique", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapura", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Pulau Solomon", + "Somalia": "Somalia", + "South Africa": "Afrika Selatan", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Sepanyol", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "United kingdom", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sweden", + "Switzerland": "Switzerland", + "Syrian Arab Republic": "Syria", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tajikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Syarat Perkhidmatan", + "Thailand": "Thailand", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor Timur", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Datang", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turki", + "Turkmenistan": "Arab saudi", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "Uni Emirat Arab", + "United Kingdom": "United Kingdom", + "United States": "Amerika Syarikat", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Kini", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Dalam", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "British Kepulauan Virgin", + "Virgin Islands, U.S.": "Kepulauan Virgin", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Barat Sahara", + "Whoops! Something went wrong.": "Whoops! Ada sesuatu yang tidak beres.", + "Yearly": "Yearly", + "Yemen": "Yaman", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/nb/nb.json b/locales/nb/nb.json index 9d658ad485e..f7d3baf5afc 100644 --- a/locales/nb/nb.json +++ b/locales/nb/nb.json @@ -1,710 +1,48 @@ { - "30 Days": "30 dager", - "60 Days": "60 dager", - "90 Days": "90 dager", - ":amount Total": ":amount total", - ":days day trial": ":days dagers prøveversjon", - ":resource Details": ":resource detaljer", - ":resource Details: :title": ":resource detaljer: :title", "A fresh verification link has been sent to your email address.": "En ny bekreftelseslenke har blitt sendt til e-postadressen din.", - "A new verification link has been sent to the email address you provided during registration.": "En ny bekreftelseskobling er sendt til e-postadressen du oppga under registreringen.", - "Accept Invitation": "Godta invitasjon", - "Action": "Handling", - "Action Happened At": "Skjedde kl", - "Action Initiated By": "Initiert av", - "Action Name": "Navn", - "Action Status": "Status", - "Action Target": "Mål", - "Actions": "Handlinger", - "Add": "Legg til", - "Add a new team member to your team, allowing them to collaborate with you.": "Legg til et nytt teammedlem i teamet ditt, slik at de kan samarbeide med deg.", - "Add additional security to your account using two factor authentication.": "Legg til ekstra sikkerhet i kontoen din ved hjelp av tofaktorautentisering.", - "Add row": "Legg til rad", - "Add Team Member": "Legg til teammedlem", - "Add VAT Number": "Legg til MVA-nummer", - "Added.": "Lagt til.", - "Address": "Adresse", - "Address Line 2": "Adresse linje 2", - "Administrator": "Administrator", - "Administrator users can perform any action.": "Administratorbrukere kan utføre en hvilken som helst handling.", - "Afghanistan": "Afghanistan", - "Aland Islands": "Åland", - "Albania": "Albania", - "Algeria": "Algerie", - "All of the people that are part of this team.": "Alle menneskene som er en del av dette teamet.", - "All resources loaded.": "Alle ressurser lastet inn.", - "All rights reserved.": "Alle rettigheter forbeholdt.", - "Already registered?": "Allerede registrert?", - "American Samoa": "Amerikansk Samoa", - "An error occured while uploading the file.": "Det oppstod en feil under opplasting av filen.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "Det oppsto en uventet feil, og vi har varslet supportteamet vårt. Prøv igjen senere.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "En annen bruker har oppdatert denne ressursen siden siden ble lastet inn. Oppdater siden og prøv igjen.", - "Antarctica": "Antarktika", - "Antigua and Barbuda": "Antigua og Barbuda", - "Antigua And Barbuda": "Antigua og Barbuda", - "API Token": "API-token", - "API Token Permissions": "API-token rettigheter", - "API Tokens": "API-tokens", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API-tokens tillater tredjeparts tjenester å autentisere med applikasjonen vår på dine vegne.", - "April": "April", - "Are you sure you want to delete the selected resources?": "Er du sikker på at du vil slette de valgte ressursene?", - "Are you sure you want to delete this file?": "Er du sikker på at du vil slette denne filen?", - "Are you sure you want to delete this resource?": "Er du sikker på at du vil slette denne ressursen?", - "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 teamet? Når et team er slettet, blir alle dets ressurser og data 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 kontoen din? Når kontoen din er slettet, blir alle ressursene og dataene slettet permanent. Vennligst skriv inn passordet ditt for å bekrefte at du vil slette kontoen din permanent.", - "Are you sure you want to detach the selected resources?": "Er du sikker på at du vil løsne de valgte ressursene?", - "Are you sure you want to detach this resource?": "Er du sikker på at du vil koble denne ressursen?", - "Are you sure you want to force delete the selected resources?": "Er du sikker på at du vil tvinge sletting av de valgte ressursene?", - "Are you sure you want to force delete this resource?": "Er du sikker på at du vil tvinge sletting av denne ressursen?", - "Are you sure you want to restore the selected resources?": "Er du sikker på at du vil gjenopprette de valgte ressursene?", - "Are you sure you want to restore this resource?": "Er du sikker på at du vil gjenopprette denne ressursen?", - "Are you sure you want to run this action?": "Er du sikker på at du vil kjøre denne handlingen?", - "Are you sure you would like to delete this API token?": "Er du sikker på at du vil slette dette API-tokenet?", - "Are you sure you would like to leave this team?": "Er du sikker på at du vil forlate dette teamet?", - "Are you sure you would like to remove this person from the team?": "Er du sikker på at du vil fjerne denne personen fra teamet?", - "Argentina": "Argentina", - "Armenia": "Armenia", - "Aruba": "Aruba", - "Attach": "Legg til", - "Attach & Attach Another": "Legg til og Legg til en annen", - "Attach :resource": "Legg til :resource", - "August": "August", - "Australia": "Australia", - "Austria": "Østerrike", - "Azerbaijan": "Aserbajdsjan", - "Bahamas": "Bahamas", - "Bahrain": "Bahrain", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Før du fortsetter, vennligst sjekk e-posten din og se etter en bekreftelseslenke.", - "Belarus": "Hviterussland", - "Belgium": "Belgia", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bhutan", - "Billing Information": "Faktureringsinformasjon", - "Billing Management": "Fakturering", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Republikken Bolivia av", - "Bonaire, Sint Eustatius and Saba": "Karibisk Nederland", - "Bosnia And Herzegovina": "Bosnia-Hercegovina", - "Bosnia and Herzegovina": "Bosnia-Hercegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvetøya", - "Brazil": "Brasil", - "British Indian Ocean Territory": "Det britiske territoriet i Indiahavet", - "Browser Sessions": "Nettleserøkter", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgaria", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Kambodsja", - "Cameroon": "Kamerun", - "Canada": "Kanada", - "Cancel": "Avbryt", - "Cancel Subscription": "Avbryt abonnementet", - "Cape Verde": "Kapp Verde", - "Card": "Kort", - "Cayman Islands": "Caymanøyene", - "Central African Republic": "Den sentralafrikanske republikk", - "Chad": "Tsjad", - "Change Subscription Plan": "Endre abonnementsplan", - "Changes": "Endringer", - "Chile": "Chile", - "China": "Kina", - "Choose": "Velg", - "Choose :field": "Velg :field", - "Choose :resource": "Velg :resource", - "Choose an option": "Velg et alternativ", - "Choose date": "Velg dato", - "Choose File": "Velg fil", - "Choose Type": "Velg type", - "Christmas Island": "Christmasøya", - "City": "By", "click here to request another": "klikk her for å be om en ny", - "Click to choose": "Klikk for å velge", - "Close": "Lukk", - "Cocos (Keeling) Islands": "Kokosøyene", - "Code": "Kode", - "Colombia": "Colombia", - "Comoros": "Komorene", - "Confirm": "Bekreft", - "Confirm Password": "Bekreft passord", - "Confirm Payment": "Bekreft betaling", - "Confirm your :amount payment": "Bekreft :amount betalingen", - "Congo": "Den demokratiske republikken Kongo", - "Congo, Democratic Republic": "Den demokratiske republikken Kongo", - "Congo, the Democratic Republic of the": "Den demokratiske republikken Kongo", - "Constant": "Konstant", - "Cook Islands": "Cookøyene", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Elfenbenskysten", - "could not be found.": "kunne ikke bli funnet.", - "Country": "Land", - "Coupon": "Kupong", - "Create": "Opprett", - "Create & Add Another": "Opprett og legg til en annen", - "Create :resource": "Opprett :resource", - "Create a new team to collaborate with others on projects.": "Lag et nytt team for å samarbeide med andre om prosjekter.", - "Create Account": "Opprett konto", - "Create API Token": "Opprett API-token", - "Create New Team": "Opprett nytt team", - "Create Team": "Opprett team", - "Created.": "Opprettet.", - "Croatia": "Kroatia", - "Cuba": "Cuba", - "Curaçao": "Curaçao", - "Current Password": "Nåværende passord", - "Current Subscription Plan": "Gjeldende abonnementsplan", - "Currently Subscribed": "For øyeblikket abonnert", - "Customize": "Tilpass", - "Cyprus": "Kypros", - "Czech Republic": "Tsjekkia", - "Côte d'Ivoire": "Elfenbenskysten", - "Dashboard": "Dashboard", - "December": "Desember", - "Decrease": "Reduser", - "Delete": "Slett", - "Delete Account": "Slett konto", - "Delete API Token": "Slett API Token", - "Delete File": "Slett fil", - "Delete Resource": "Slett ressurs", - "Delete Selected": "Slett valgt", - "Delete Team": "Slett team", - "Denmark": "Danmark", - "Detach": "Løsne", - "Detach Resource": "Løsne ressurs", - "Detach Selected": "Løsne valgt", - "Details": "Detaljer", - "Disable": "Deaktiver", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Vil du virkelig gå vekk? Du har ikke lagrede endringer.", - "Dominica": "Dominica", - "Dominican Republic": "Den dominikanske republikk", - "Done.": "Ferdig.", - "Download": "Nedlasting", - "Download Receipt": "Last ned kvittering", "E-Mail Address": "E-postadresse", - "Ecuador": "Ecuador", - "Edit": "Endre", - "Edit :resource": "Endre :resource", - "Edit Attached": "Endre vedlagte", - "Editor": "Redaktør", - "Editor users have the ability to read, create, and update.": "Editor-brukere har muligheten til å lese, opprette og oppdatere.", - "Egypt": "Egypt", - "El Salvador": "El Salvador", - "Email": "E-post", - "Email Address": "E-post adresse", - "Email Addresses": "E-post adresser", - "Email Password Reset Link": "Link for tilbakestilling av e-postpassord", - "Enable": "Aktiver", - "Ensure your account is using a long, random password to stay secure.": "Forsikre deg om at kontoen din bruker et langt, tilfeldig passord for å være sikker.", - "Equatorial Guinea": "Ekvatorial-Guinea", - "Eritrea": "Eritrea", - "Estonia": "Estland", - "Ethiopia": "Etiopia", - "ex VAT": "eks MVA", - "Extra Billing Information": "Ekstra faktureringsinformasjon", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Ekstra bekreftelse er nødvendig for å behandle betalingen. Bekreft betalingen ved å fylle ut betalingsinformasjonen nedenfor.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Ekstra bekreftelse er nødvendig for å behandle betalingen. Fortsett til betalingssiden ved å klikke på knappen nedenfor.", - "Falkland Islands (Malvinas)": "Falklandsøyene", - "Faroe Islands": "Færøyene", - "February": "Februar", - "Fiji": "Fiji", - "Finland": "Finland", - "For your security, please confirm your password to continue.": "For sikkerhets skyld, bekreft passordet ditt for å fortsette.", "Forbidden": "Forbudt", - "Force Delete": "Tving slett", - "Force Delete Resource": "Tving slett ressurs", - "Force Delete Selected": "Tving slett valgt", - "Forgot Your Password?": "Glemt passordet ditt?", - "Forgot your password?": "Glemt passordet ditt?", - "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.", - "France": "Frankrike", - "French Guiana": "Fransk Guyana", - "French Polynesia": "Fransk Polynesia", - "French Southern Territories": "Fransk sørlig og antarktisk territorium", - "Full name": "Fullt navn", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Georgia", - "Germany": "Tyskland", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Gå tilbake", - "Go Home": "Gå til forsiden", "Go to page :page": "Gå til side :page", - "Great! You have accepted the invitation to join the :team team.": "Flott! Du har godtatt invitasjonen til å bli med i :team teamet.", - "Greece": "Hellas", - "Greenland": "Grønland", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Har du en kupongkode?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Har du tanker om å si opp abonnementet ditt? Du kan øyeblikkelig endre på abonnementet ditt når som helst til slutten av den nåværende faktureringssyklusen. Etter at den nåværende faktureringssyklusen din er avsluttet, kan du velge en helt ny abonnementsplan.", - "Heard Island & Mcdonald Islands": "Heard-øya og McDonald-øyene", - "Heard Island and McDonald Islands": "Heard-øya og McDonald-øyene", "Hello!": "Hallo!", - "Hide Content": "Skjul innhold", - "Hold Up!": "Vent!", - "Holy See (Vatican City State)": "Vatikanstaten", - "Honduras": "Honduras", - "Hong Kong": "Hongkong", - "Hungary": "Ungarn", - "I agree to the :terms_of_service and :privacy_policy": "Jeg er enig i :terms_of_service og :privacy_policy", - "Iceland": "Island", - "ID": "ID", - "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ødvendig, kan du logge av alle andre nettleserøkter på tvers av alle enhetene dine. Noen av de siste øktene dine er oppført nedenfor; denne listen kan imidlertid ikke være uttømmende. Hvis du føler at kontoen din er kompromittert, bør du også oppdatere passordet ditt.", "If necessary, you may logout 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ødvendig, kan du logge av alle andre nettleserøkter på tvers av alle enhetene dine. Noen av de siste øktene dine er oppført nedenfor; denne listen kan imidlertid ikke være uttømmende. Hvis du føler at kontoen din er kompromittert, bør du også oppdatere passordet ditt.", - "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.": "Dersom du ikke har opprettet en konto, trenger du ikke foreta deg noe.", - "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 receive the email": "Hvis du ikke har mottatt e-post", - "If you did not request a password reset, no further action is required.": "Hvis du ikke har bedt om å nullstille passordet, trenger du ikke foreta deg noe.", - "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 at du har opprettet en konto, kan du klikke på knappen for aksept av invitasjon i denne e-posten for å godta teaminvitasjonen:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "Hvis du trenger å legge til spesifikk kontakt- eller avgiftsinformasjon i kvitteringene dine, som ditt fulle virksomhetsnavn, momsregistreringsnummer eller postadresse, kan du legge den til her.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Dersom du har problemer med å klikke \":actionText\"-knappen, kopier og lim nettadressen nedenfor\ninn i nettleseren din:", - "Increase": "Øk", - "India": "India", - "Indonesia": "Indonesia", "Invalid signature.": "Ugyldig signatur.", - "Iran, Islamic Republic of": "Iran", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Irak", - "Ireland": "Irland", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Isle of Man", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "Det ser ut til at du ikke har et aktivt abonnement. Du kan velge en av abonnementsplanene nedenfor for å komme i gang. Abonnementsplaner kan endres eller kanselleres når det passer deg.", - "Italy": "Italia", - "Jamaica": "Jamaica", - "January": "Januar", - "Japan": "Japan", - "Jersey": "Jersey", - "Jordan": "Jordan", - "July": "Juli", - "June": "Juni", - "Kazakhstan": "Kasakhstan", - "Kenya": "Kenya", - "Key": "Nøkkel", - "Kiribati": "Kiribati", - "Korea": "Korea", - "Korea, Democratic People's Republic of": "Nord-Korea", - "Korea, Republic of": "Sør-Korea", - "Kosovo": "Kosovo", - "Kuwait": "Kuwait", - "Kyrgyzstan": "Kirgisistan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Sist aktiv", - "Last used": "Sist brukt", - "Latvia": "Latvia", - "Leave": "Forlat", - "Leave Team": "Forlat Team", - "Lebanon": "Libanon", - "Lens": "Linse", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libya", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Litauen", - "Load :perPage More": "Last :perPage til", - "Log in": "Logg Inn", "Log out": "Logg ut", - "Log Out": "Logg ut", - "Log Out Other Browser Sessions": "Logg av andre nettlesersessioner", - "Login": "Logg inn", - "Logout": "Logg ut", "Logout Other Browser Sessions": "Logg ut andre nettlesersesjoner", - "Luxembourg": "Luxemburg", - "Macao": "Macao", - "Macedonia": "Nord-Makedonia", - "Macedonia, the former Yugoslav Republic of": "Nord-Makedonia", - "Madagascar": "Madagaskar", - "Malawi": "Malawi", - "Malaysia": "Malaysia", - "Maldives": "Maldivene", - "Mali": "Mali", - "Malta": "Malta", - "Manage Account": "Administrer konto", - "Manage and log out your active sessions on other browsers and devices.": "Administrer og logg ut dine aktive økter på andre nettlesere og enheter.", "Manage and logout your active sessions on other browsers and devices.": "Administrer og logg ut dine aktive økter på andre nettlesere og enheter.", - "Manage API Tokens": "Administrer API-tokens", - "Manage Role": "Administrer rolle", - "Manage Team": "Administrer team", - "Managing billing for :billableName": "Administrerer fakturering for :billableName", - "March": "Mars", - "Marshall Islands": "Marshalløyene", - "Martinique": "Martinique", - "Mauritania": "Mauritania", - "Mauritius": "Mauritius", - "May": "Mai", - "Mayotte": "Mayotte", - "Mexico": "Mexico", - "Micronesia, Federated States Of": "Mikronesiaføderasjonen", - "Moldova": "Moldova", - "Moldova, Republic of": "Moldova", - "Monaco": "Monaco", - "Mongolia": "Mongolia", - "Montenegro": "Montenegro", - "Month To Date": "Måned til dato", - "Monthly": "Månedlig", - "monthly": "månedlig", - "Montserrat": "Montserrat", - "Morocco": "Marokko", - "Mozambique": "Mosambik", - "Myanmar": "Myanmar", - "Name": "Navn", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Nederland", - "Netherlands Antilles": "De nederlandske Antiller", "Nevermind": "Glem det", - "Nevermind, I'll keep my old plan": "Glem det, vil jeg beholde min gamle plan", - "New": "Ny", - "New :resource": "Ny :resource", - "New Caledonia": "Ny-Caledonia", - "New Password": "Nytt passord", - "New Zealand": "New Zealand", - "Next": "Neste", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "Nei", - "No :resource matched the given criteria.": "Nei :resource samsvarte med gitte kriterier.", - "No additional information...": "Ingen ytterligere informasjon...", - "No Current Data": "Ingen nåværende data", - "No Data": "Ingen data", - "no file selected": "ingen fil valgt", - "No Increase": "Ingen økning", - "No Prior Data": "Ingen tidligere data", - "No Results Found.": "Ingen resultater funnet.", - "Norfolk Island": "Norfolkøyene", - "Northern Mariana Islands": "Nord-Marianene", - "Norway": "Norge", "Not Found": "Ikke funnet", - "Nova User": "Nova bruker", - "November": "November", - "October": "Oktober", - "of": "av", "Oh no": "Å nei", - "Oman": "Oman", - "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, vil alle dets ressurser og data bli slettet permanent. Før du sletter dette teamet, må du laste ned data eller informasjon om dette teamet du vil beholde.", - "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 kontoen din er slettet, blir alle ressursene og dataene slettet permanent. Før du sletter kontoen din, må du laste ned all data eller informasjon du vil beholde.", - "Only Trashed": "Bare slettet", - "Original": "Original", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Vår faktureringsportal lar deg enkelt administrere abonnementsplanen, betalingsmåten og laste ned de siste fakturaene.", "Page Expired": "Siden har utløpt", "Pagination Navigation": "Paginering navigasjon", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "De palestinske territoriene", - "Panama": "Panama", - "Papua New Guinea": "Papua Ny-Guinea", - "Paraguay": "Paraguay", - "Password": "Passord", - "Pay :amount": "Betal :amount", - "Payment Cancelled": "Betaling kansellert", - "Payment Confirmation": "Betalingsbekreftelse", - "Payment Information": "Betalingsinformasjon", - "Payment Successful": "Betalingen var vellykket", - "Pending Team Invitations": "Ventende teaminvitasjoner", - "Per Page": "Per side", - "Permanently delete this team.": "Slett dette teamet permanent.", - "Permanently delete your account.": "Slett kontoen din permanent.", - "Permissions": "Tillatelser", - "Peru": "Peru", - "Philippines": "Filippinene", - "Photo": "Foto", - "Pitcairn": "Pitcairn", "Please click the button below to verify your email address.": "Vennligst klikk på knappen nedenfor for å bekrefte e-postadressen din.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Bekreft tilgang til kontoen din ved å angi en av koden for nødgjenoppretting.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Bekreft tilgang til kontoen din ved å skrive inn autentiseringskoden som er gitt av autentiseringsprogrammet.", "Please confirm your password before continuing.": "Bekreft passordet ditt før du fortsetter.", - "Please copy your new API token. For your security, it won't be shown again.": "Kopier det nye API-tokenet ditt. For din egen sikkerhet vises den ikke igjen.", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Vennligst skriv inn passordet ditt for å bekrefte at du vil logge av andre nettleserøkter på alle enhetene dine.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Vennligst skriv inn passordet ditt for å bekrefte at du vil logge av andre nettleserøkter på alle enhetene dine.", - "Please provide a maximum of three receipt emails addresses.": "Oppgi maksimalt tre e-postadresser for kvittering.", - "Please provide the email address of the person you would like to add to this team.": "Oppgi e-postadressen til personen du vil legge til i dette teamet.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Oppgi e-postadressen til personen du vil legge til i dette teamet. E-postadressen må være tilknyttet en eksisterende konto.", - "Please provide your name.": "Vennligst oppgi navnet ditt.", - "Poland": "Poland", - "Portugal": "Portugal", - "Press \/ to search": "Trykk \/ for å søke", - "Preview": "Forhåndsvisning", - "Previous": "Tidligere", - "Privacy Policy": "Personvernregler", - "Profile": "Profil", - "Profile Information": "Profil informasjon", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Kvartal til dags dato", - "Receipt Email Addresses": "Kvitterings-e-postadresser", - "Receipts": "Kvitteringer", - "Recovery Code": "Gjenopprettingskode", "Regards": "Vennlig hilsen", - "Regenerate Recovery Codes": "Regenerere gjenopprettingskoder", - "Register": "Registrer", - "Reload": "Last inn på nytt", - "Remember me": "Husk meg", - "Remember Me": "Husk meg", - "Remove": "Fjern", - "Remove Photo": "Fjern bilde", - "Remove Team Member": "Fjern team medlem", - "Resend Verification Email": "Send bekreftelses-e-post på nytt", - "Reset Filters": "Tilbakestill filtre", - "Reset Password": "Nullstill passord", - "Reset Password Notification": "Varsling om å nullstille passord", - "resource": "ressurs", - "Resources": "Ressurser", - "resources": "ressurser", - "Restore": "Gjenopprett", - "Restore Resource": "Gjenopprett ressurs", - "Restore Selected": "Gjenopprett valgt", "results": "resultater", - "Resume Subscription": "Fortsett abonnement", - "Return to :appName": "Tilbake til :appName", - "Reunion": "Réunion", - "Role": "Rolle", - "Romania": "Romania", - "Run Action": "Kjør handling", - "Russian Federation": "Russland", - "Rwanda": "Rwanda", - "Réunion": "Réunion", - "Saint Barthelemy": "Saint-Barthélemy", - "Saint Barthélemy": "Saint-Barthélemy", - "Saint Helena": "Sankt Helena", - "Saint Kitts and Nevis": "Saint Kitts og Nevis", - "Saint Kitts And Nevis": "Saint Kitts og Nevis", - "Saint Lucia": "Saint Lucia", - "Saint Martin": "Saint-Martin", - "Saint Martin (French part)": "Saint-Martin", - "Saint Pierre and Miquelon": "Saint Pierre og Miquelon", - "Saint Pierre And Miquelon": "Saint Pierre og Miquelon", - "Saint Vincent And Grenadines": "Saint Vincent og Grenadinene", - "Saint Vincent and the Grenadines": "Saint Vincent og Grenadinene", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "São Tomé og Príncipe", - "Sao Tome And Principe": "São Tomé og Príncipe", - "Saudi Arabia": "Saudi-Arabia", - "Save": "Lagre", - "Saved.": "Lagret.", - "Search": "Søk", - "Select": "Velg", - "Select a different plan": "Velg en annen plan", - "Select A New Photo": "Velg et nytt bilde", - "Select Action": "Velg handling", - "Select All": "Velg alle", - "Select All Matching": "Velg alle matchende", - "Send Password Reset Link": "Send lenke for å nullstille passordet", - "Senegal": "Senegal", - "September": "September", - "Serbia": "Serbia", "Server Error": "Serverfeil", "Service Unavailable": "Tjenesten er utilgjengelig", - "Seychelles": "Seychelles", - "Show All Fields": "Vis alle felt", - "Show Content": "Vis innhold", - "Show Recovery Codes": "Vis gjenopprettingskoder", "Showing": "Viser", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Logget på som", - "Singapore": "Singapore", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovakia", - "Slovenia": "Slovenia", - "Solomon Islands": "Salomonøyene", - "Somalia": "Somalia", - "Something went wrong.": "Noe gikk galt.", - "Sorry! You are not authorized to perform this action.": "Beklager! Du er ikke autorisert til å utføre denne handlingen.", - "Sorry, your session has expired.": "Beklager, økten din har utløpt.", - "South Africa": "Sør-Afrika", - "South Georgia And Sandwich Isl.": "Sør-Georgia og Sør-Sandwichøyene", - "South Georgia and the South Sandwich Islands": "Sør-Georgia og Sør-Sandwichøyene", - "South Sudan": "Sør-Sudan", - "Spain": "Spania", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Begynn polling", - "State \/ County": "Fylke", - "Stop Polling": "Stopp polling", - "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.": "Lagre disse gjenopprettingskodene i en sikker passordbehandling. De kan brukes til å gjenopprette tilgang til kontoen din hvis tofaktorautentiseringsenheten din går tapt.", - "Subscribe": "Abonner", - "Subscription Information": "Abonnementsinformasjon", - "Sudan": "Sudan", - "Suriname": "Surinam", - "Svalbard And Jan Mayen": "Svalbard og Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Sverige", - "Switch Teams": "Bytt team", - "Switzerland": "Sveits", - "Syrian Arab Republic": "Syria", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan", - "Tajikistan": "Tadsjikistan", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Tanzania", - "Team Details": "Team detaljer", - "Team Invitation": "Team invitasjon", - "Team Members": "Team medlemmer", - "Team Name": "Team navn", - "Team Owner": "Team eier", - "Team Settings": "Team innstillinger", - "Terms of Service": "Vilkår for bruk", - "Thailand": "Thailand", - "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 begynte, kunne du bekrefte e-postadressen din ved å klikke på lenken vi nettopp sendte deg? Hvis du ikke mottok e-posten, sender vi deg en ny.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Takk for din fortsatte støtte. Vi har lagt ved en kopi av fakturaen for postene dine. Gi oss beskjed hvis du har spørsmål eller bekymringer.", - "Thanks,": "Takk,", - "The :attribute must be a valid role.": ":Attribute må være en gyldig rolle.", - "The :attribute must be at least :length characters and contain at least one number.": ":Attribute må inneholde minst :length tegn og inneholder minst ett nummer.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":Attribute må inneholde minst :length tegn og inneholder minst ett spesialtegn og ett nummer.", - "The :attribute must be at least :length characters and contain at least one special character.": ":Attribute må inneholde minst :length tegn og inneholder minst ett spesialtegn.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":Attribute må inneholde minst :length tegn og inneholder 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.": ":Attribute må inneholde minst :length tegn og inneholder minst ett stort tegn og ett spesialtegn.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":Attribute må inneholde minst :length tegn og inneholder minst ett stort tegn, ett tall og ett spesialtegn.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":Attribute må inneholde minst :length tegn og inneholder minst ett stort tegn.", - "The :attribute must be at least :length characters.": ":Attribute må inneholde minst :length tegn.", "The :attribute must contain at least one letter.": ":Attribute må inneholde minst en bokstav.", "The :attribute must contain at least one number.": ":Attribute må inneholde minst en tall.", "The :attribute must contain at least one symbol.": ":Attribute må inneholde minst en tegn.", "The :attribute must contain at least one uppercase and one lowercase letter.": ":Attribute må inneholde minst en stor bokstav og en liten bokstav.", - "The :resource was created!": ":Resource ble opprettet!", - "The :resource was deleted!": ":Resource ble slettet!", - "The :resource was restored!": ":Resource ble gjenopprettet!", - "The :resource was updated!": ":Resource ble oppdatert!", - "The action ran successfully!": "Handlingen var vellykket!", - "The file was deleted!": "Filen ble slettet!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "Det gitte :attribute har dukket opp i en datalekkasje. Velg en annen :attribute.", - "The government won't let us show you what's behind these doors": "Regjeringen vil ikke la oss vise deg hva som ligger bak disse dørene", - "The HasOne relationship has already been filled.": "HasOne-forholdet er allerede fylt.", - "The payment was successful.": "Betalingen var vellykket.", - "The provided coupon code is invalid.": "Den oppgitte kupongkoden er ugyldig.", - "The provided password does not match your current password.": "Det oppgitte passordet samsvarer ikke med det nåværende passordet ditt.", - "The provided password was incorrect.": "Det oppgitte passordet var feil.", - "The provided two factor authentication code was invalid.": "Den angitte tofaktorautentiseringskoden var ugyldig.", - "The provided VAT number is invalid.": "Det oppgitte mva-nummeret er ugyldig.", - "The receipt emails must be valid email addresses.": "Kvitterings-e-postene må være en gyldig e-postadresse.", - "The resource was updated!": "Ressursen ble oppdatert!", - "The selected country is invalid.": "Det valgte landet er ugyldig.", - "The selected plan is invalid.": "Den valgte planen er ugyldig.", - "The team's name and owner information.": "Lagets navn og eierinformasjon.", - "There are no available options for this resource.": "Det er ingen tilgjengelige alternativer for denne ressursen.", - "There was a problem executing the action.": "Det oppsto et problem med å utføre handlingen.", - "There was a problem submitting the form.": "Det oppsto et problem med å sende inn skjemaet.", - "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 personene er invitert til teamet ditt og har fått tilsendt en invitasjons-e-post. De kan bli med på laget ved å godta e-postinvitasjonen.", - "This account does not have an active subscription.": "Denne kontoen har ikke et aktivt abonnement.", "This action is unauthorized.": "Denne handlingen er uautorisert.", - "This device": "Denne enheten", - "This file field is read-only.": "Dette filfeltet er skrivebeskyttet.", - "This image": "Dette bildet", - "This is a secure area of the application. Please confirm your password before continuing.": "Dette er et sikkert område av applikasjonen. Bekreft passordet ditt før du fortsetter.", - "This password does not match our records.": "Dette passordet samsvarer ikke med registrene våre.", "This password reset link will expire in :count minutes.": "Lenken for å nullstille passordet utløper om :count minutter.", - "This payment was already successfully confirmed.": "Denne betalingen ble allerede bekreftet.", - "This payment was cancelled.": "Denne betalingen ble kansellert.", - "This resource no longer exists": "Denne ressursen eksisterer ikke lenger", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "Dette abonnementet har utløpt og kan ikke gjenopptas. Opprett et nytt abonnement.", - "This user already belongs to the team.": "Denne brukeren tilhører allerede teamet.", - "This user has already been invited to the team.": "Denne brukeren er allerede invitert til teamet.", - "Timor-Leste": "Øst-Timor", "to": "til", - "Today": "I dag", "Toggle navigation": "Vis\/skjul navigasjon", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Token navn", - "Tonga": "Tonga", "Too Many Attempts.": "For mange forsøk.", "Too Many Requests": "For mange forespørsler", - "total": "total", - "Total:": "Total:", - "Trashed": "Slettet", - "Trinidad And Tobago": "Trinidad og Tobago", - "Tunisia": "Tunisia", - "Turkey": "Tyrkia", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks- og Caicosøyene", - "Turks And Caicos Islands": "Turks- og Caicosøyene", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Tofaktorautentisering", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Tofaktorautentisering er nå aktivert. Skann følgende QR-kode ved hjelp av telefonens autentiseringsapplikasjon.", - "Uganda": "Uganda", - "Ukraine": "Ukraina", "Unauthorized": "Uautorisert", - "United Arab Emirates": "De forente arabiske emirater", - "United Kingdom": "Storbritannia", - "United States": "USA", - "United States Minor Outlying Islands": "USAs ytre øyer", - "United States Outlying Islands": "USAs ytre øyer", - "Update": "Oppdater", - "Update & Continue Editing": "Oppdater og fortsett redigering", - "Update :resource": "Oppdater :resource", - "Update :resource: :title": "Oppdater :resource: :title", - "Update attached :resource: :title": "Oppdater vedlagt :resource: :title", - "Update Password": "Oppdater passord", - "Update Payment Information": "Oppdater betalingsinformasjon", - "Update your account's profile information and email address.": "Oppdater kontoinformasjonen og e-postadressen til kontoen din.", - "Uruguay": "Uruguay", - "Use a recovery code": "Bruk en gjenopprettingskode", - "Use an authentication code": "Bruk en godkjenningskode", - "Uzbekistan": "Usbekistan", - "Value": "Verdi", - "Vanuatu": "Vanuatu", - "VAT Number": "MVA-nummer", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela", "Verify Email Address": "Bekreft e-postadresse", "Verify Your Email Address": "Bekreft e-postadressen din", - "Viet Nam": "Vietnam", - "View": "Vis", - "Virgin Islands, British": "De britiske Jomfruøyer", - "Virgin Islands, U.S.": "De amerikanske Jomfruøyer", - "Wallis and Futuna": "Wallis og Futuna", - "Wallis And Futuna": "Wallis og Futuna", - "We are unable to process your payment. Please contact customer support.": "Vi kan ikke behandle betalingen din. Kontakt kundestøtte.", - "We were unable to find a registered user with this email address.": "Vi kunne ikke finne en registrert bruker med denne e-postadressen.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "Vi sender en lenke for nedlasting av kvittering til e-postadressene du angir nedenfor. Du kan skille flere e-postadresser ved hjelp av komma.", "We won't ask for your password again for a few hours.": "Vi ber ikke om passordet ditt igjen i noen timer.", - "We're lost in space. The page you were trying to view does not exist.": "Vi er tapt i verdensrommet. Siden du prøvde å se eksisterer ikke.", - "Welcome Back!": "Velkommen tilbake!", - "Western Sahara": "Vest-Sahara", - "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 aktivert, blir du bedt om et sikkert, tilfeldig token under autentisering. Du kan hente dette tokenet fra telefonens Google Authenticator-applikasjon.", - "Whoops": "Oisann", - "Whoops!": "Oisann!", - "Whoops! Something went wrong.": "Oisann! Noe gikk galt.", - "With Trashed": "Med slettede", - "Write": "Skriv", - "Year To Date": "År til dato", - "Yearly": "Årlig", - "Yemen": "Jemen", - "Yes": "Ja", - "You are currently within your free trial period. Your trial will expire on :date.": "Du er for tiden innenfor din gratis prøveperiode. Prøveperioden utløper den :date.", "You are logged in!": "Du er logget inn!", - "You are receiving this email because we received a password reset request for your account.": "Du får denne e-posten fordi vi har mottatt og forespørsel om å nullstille passordet til kontoen din.", - "You have been invited to join the :team team!": "Du er invitert til å bli med i :team team!", - "You have enabled two factor authentication.": "Du har aktivert tofaktorautentisering.", - "You have not enabled two factor authentication.": "Du har ikke aktivert tofaktorautentisering.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "Du kan når som helst si opp abonnementet ditt. Når abonnementet ditt er kansellert, har du muligheten til å gjenoppta abonnementet til slutten av din nåværende faktureringssyklus.", - "You may delete any of your existing tokens if they are no longer needed.": "Du kan slette noen av dine eksisterende tokens hvis de ikke lenger er nødvendige.", - "You may not delete your personal team.": "Du kan ikke slette ditt personlige team.", - "You may not leave a team that you created.": "Du kan ikke forlate et team du opprettet.", - "Your :invoiceName invoice is now available!": "Din :invoiceName faktura er nå tilgjengelig!", - "Your card was declined. Please contact your card issuer for more information.": "Kortet ditt ble avvist. Ta kontakt med kortutstederen din for mer informasjon.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Din nåværende betalingsmåte er et kredittkort som slutter på :lastFour som utløper den :expiration.", - "Your email address is not verified.": "E-postadressen din er ikke bekreftet.", - "Your registered VAT Number is :vatNumber.": "Det registrerte MVA-nummeret ditt er :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Postnummer" + "Your email address is not verified.": "E-postadressen din er ikke bekreftet." } diff --git a/locales/nb/packages/cashier.json b/locales/nb/packages/cashier.json new file mode 100644 index 00000000000..a718cc1ce5b --- /dev/null +++ b/locales/nb/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Alle rettigheter forbeholdt.", + "Card": "Kort", + "Confirm Payment": "Bekreft betaling", + "Confirm your :amount payment": "Bekreft :amount betalingen", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Ekstra bekreftelse er nødvendig for å behandle betalingen. Bekreft betalingen ved å fylle ut betalingsinformasjonen nedenfor.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Ekstra bekreftelse er nødvendig for å behandle betalingen. Fortsett til betalingssiden ved å klikke på knappen nedenfor.", + "Full name": "Fullt navn", + "Go back": "Gå tilbake", + "Jane Doe": "Jane Doe", + "Pay :amount": "Betal :amount", + "Payment Cancelled": "Betaling kansellert", + "Payment Confirmation": "Betalingsbekreftelse", + "Payment Successful": "Betalingen var vellykket", + "Please provide your name.": "Vennligst oppgi navnet ditt.", + "The payment was successful.": "Betalingen var vellykket.", + "This payment was already successfully confirmed.": "Denne betalingen ble allerede bekreftet.", + "This payment was cancelled.": "Denne betalingen ble kansellert." +} diff --git a/locales/nb/packages/fortify.json b/locales/nb/packages/fortify.json new file mode 100644 index 00000000000..7c7b374c488 --- /dev/null +++ b/locales/nb/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": ":Attribute må inneholde minst :length tegn og inneholder minst ett nummer.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":Attribute må inneholde minst :length tegn og inneholder minst ett spesialtegn og ett nummer.", + "The :attribute must be at least :length characters and contain at least one special character.": ":Attribute må inneholde minst :length tegn og inneholder minst ett spesialtegn.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":Attribute må inneholde minst :length tegn og inneholder 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.": ":Attribute må inneholde minst :length tegn og inneholder minst ett stort tegn og ett spesialtegn.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":Attribute må inneholde minst :length tegn og inneholder minst ett stort tegn, ett tall og ett spesialtegn.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":Attribute må inneholde minst :length tegn og inneholder minst ett stort tegn.", + "The :attribute must be at least :length characters.": ":Attribute må inneholde minst :length tegn.", + "The provided password does not match your current password.": "Det oppgitte passordet samsvarer ikke med det nåværende passordet ditt.", + "The provided password was incorrect.": "Det oppgitte passordet var feil.", + "The provided two factor authentication code was invalid.": "Den angitte tofaktorautentiseringskoden var ugyldig." +} diff --git a/locales/nb/packages/jetstream.json b/locales/nb/packages/jetstream.json new file mode 100644 index 00000000000..e47d115b954 --- /dev/null +++ b/locales/nb/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "En ny bekreftelseskobling er sendt til e-postadressen du oppga under registreringen.", + "Accept Invitation": "Godta invitasjon", + "Add": "Legg til", + "Add a new team member to your team, allowing them to collaborate with you.": "Legg til et nytt teammedlem i teamet ditt, slik at de kan samarbeide med deg.", + "Add additional security to your account using two factor authentication.": "Legg til ekstra sikkerhet i kontoen din ved hjelp av tofaktorautentisering.", + "Add Team Member": "Legg til teammedlem", + "Added.": "Lagt til.", + "Administrator": "Administrator", + "Administrator users can perform any action.": "Administratorbrukere kan utføre en hvilken som helst handling.", + "All of the people that are part of this team.": "Alle menneskene som er en del av dette teamet.", + "Already registered?": "Allerede registrert?", + "API Token": "API-token", + "API Token Permissions": "API-token rettigheter", + "API Tokens": "API-tokens", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API-tokens tillater tredjeparts tjenester å autentisere med applikasjonen vår på dine vegne.", + "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 teamet? Når et team er slettet, blir alle dets ressurser og data 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 kontoen din? Når kontoen din er slettet, blir alle ressursene og dataene slettet permanent. Vennligst skriv inn passordet ditt for å bekrefte at du vil slette kontoen din permanent.", + "Are you sure you would like to delete this API token?": "Er du sikker på at du vil slette dette API-tokenet?", + "Are you sure you would like to leave this team?": "Er du sikker på at du vil forlate dette teamet?", + "Are you sure you would like to remove this person from the team?": "Er du sikker på at du vil fjerne denne personen fra teamet?", + "Browser Sessions": "Nettleserøkter", + "Cancel": "Avbryt", + "Close": "Lukk", + "Code": "Kode", + "Confirm": "Bekreft", + "Confirm Password": "Bekreft passord", + "Create": "Opprett", + "Create a new team to collaborate with others on projects.": "Lag et nytt team for å samarbeide med andre om prosjekter.", + "Create Account": "Opprett konto", + "Create API Token": "Opprett API-token", + "Create New Team": "Opprett nytt team", + "Create Team": "Opprett team", + "Created.": "Opprettet.", + "Current Password": "Nåværende passord", + "Dashboard": "Dashboard", + "Delete": "Slett", + "Delete Account": "Slett konto", + "Delete API Token": "Slett API Token", + "Delete Team": "Slett team", + "Disable": "Deaktiver", + "Done.": "Ferdig.", + "Editor": "Redaktør", + "Editor users have the ability to read, create, and update.": "Editor-brukere har muligheten til å lese, opprette og oppdatere.", + "Email": "E-post", + "Email Password Reset Link": "Link for tilbakestilling av e-postpassord", + "Enable": "Aktiver", + "Ensure your account is using a long, random password to stay secure.": "Forsikre deg om at kontoen din bruker et langt, tilfeldig passord for å være sikker.", + "For your security, please confirm your password to continue.": "For sikkerhets skyld, bekreft passordet ditt for å fortsette.", + "Forgot your password?": "Glemt passordet ditt?", + "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.", + "Great! You have accepted the invitation to join the :team team.": "Flott! Du har godtatt invitasjonen til å bli med i :team teamet.", + "I agree to the :terms_of_service and :privacy_policy": "Jeg er enig i :terms_of_service og :privacy_policy", + "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ødvendig, kan du logge av alle andre nettleserøkter på tvers av alle enhetene dine. Noen av de siste øktene dine er oppført nedenfor; denne listen kan imidlertid ikke være uttømmende. Hvis du føler at kontoen din er kompromittert, bør du også oppdatere passordet ditt.", + "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 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 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 at du har opprettet en konto, kan du klikke på knappen for aksept av invitasjon i denne e-posten for å godta teaminvitasjonen:", + "Last active": "Sist aktiv", + "Last used": "Sist brukt", + "Leave": "Forlat", + "Leave Team": "Forlat Team", + "Log in": "Logg Inn", + "Log Out": "Logg ut", + "Log Out Other Browser Sessions": "Logg av andre nettlesersessioner", + "Manage Account": "Administrer konto", + "Manage and log out your active sessions on other browsers and devices.": "Administrer og logg ut dine aktive økter på andre nettlesere og enheter.", + "Manage API Tokens": "Administrer API-tokens", + "Manage Role": "Administrer rolle", + "Manage Team": "Administrer team", + "Name": "Navn", + "New Password": "Nytt passord", + "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, vil alle dets ressurser og data bli slettet permanent. Før du sletter dette teamet, må du laste ned data eller informasjon om dette teamet du vil beholde.", + "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 kontoen din er slettet, blir alle ressursene og dataene slettet permanent. Før du sletter kontoen din, må du laste ned all data eller informasjon du vil beholde.", + "Password": "Passord", + "Pending Team Invitations": "Ventende teaminvitasjoner", + "Permanently delete this team.": "Slett dette teamet permanent.", + "Permanently delete your account.": "Slett kontoen din permanent.", + "Permissions": "Tillatelser", + "Photo": "Foto", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Bekreft tilgang til kontoen din ved å angi en av koden for nødgjenoppretting.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Bekreft tilgang til kontoen din ved å skrive inn autentiseringskoden som er gitt av autentiseringsprogrammet.", + "Please copy your new API token. For your security, it won't be shown again.": "Kopier det nye API-tokenet ditt. For din egen sikkerhet vises den ikke igjen.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Vennligst skriv inn passordet ditt for å bekrefte at du vil logge av andre nettleserøkter på alle enhetene dine.", + "Please provide the email address of the person you would like to add to this team.": "Oppgi e-postadressen til personen du vil legge til i dette teamet.", + "Privacy Policy": "Personvernregler", + "Profile": "Profil", + "Profile Information": "Profil informasjon", + "Recovery Code": "Gjenopprettingskode", + "Regenerate Recovery Codes": "Regenerere gjenopprettingskoder", + "Register": "Registrer", + "Remember me": "Husk meg", + "Remove": "Fjern", + "Remove Photo": "Fjern bilde", + "Remove Team Member": "Fjern team medlem", + "Resend Verification Email": "Send bekreftelses-e-post på nytt", + "Reset Password": "Nullstill passord", + "Role": "Rolle", + "Save": "Lagre", + "Saved.": "Lagret.", + "Select A New Photo": "Velg et nytt bilde", + "Show Recovery Codes": "Vis gjenopprettingskoder", + "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.": "Lagre disse gjenopprettingskodene i en sikker passordbehandling. De kan brukes til å gjenopprette tilgang til kontoen din hvis tofaktorautentiseringsenheten din går tapt.", + "Switch Teams": "Bytt team", + "Team Details": "Team detaljer", + "Team Invitation": "Team invitasjon", + "Team Members": "Team medlemmer", + "Team Name": "Team navn", + "Team Owner": "Team eier", + "Team Settings": "Team innstillinger", + "Terms of Service": "Vilkår for bruk", + "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 begynte, kunne du bekrefte e-postadressen din ved å klikke på lenken vi nettopp sendte deg? Hvis du ikke mottok e-posten, sender vi deg en ny.", + "The :attribute must be a valid role.": ":Attribute må være en gyldig rolle.", + "The :attribute must be at least :length characters and contain at least one number.": ":Attribute må inneholde minst :length tegn og inneholder minst ett nummer.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":Attribute må inneholde minst :length tegn og inneholder minst ett spesialtegn og ett nummer.", + "The :attribute must be at least :length characters and contain at least one special character.": ":Attribute må inneholde minst :length tegn og inneholder minst ett spesialtegn.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":Attribute må inneholde minst :length tegn og inneholder 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.": ":Attribute må inneholde minst :length tegn og inneholder minst ett stort tegn og ett spesialtegn.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":Attribute må inneholde minst :length tegn og inneholder minst ett stort tegn, ett tall og ett spesialtegn.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":Attribute må inneholde minst :length tegn og inneholder minst ett stort tegn.", + "The :attribute must be at least :length characters.": ":Attribute må inneholde minst :length tegn.", + "The provided password does not match your current password.": "Det oppgitte passordet samsvarer ikke med det nåværende passordet ditt.", + "The provided password was incorrect.": "Det oppgitte passordet var feil.", + "The provided two factor authentication code was invalid.": "Den angitte tofaktorautentiseringskoden var ugyldig.", + "The team's name and owner information.": "Lagets navn og eierinformasjon.", + "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 personene er invitert til teamet ditt og har fått tilsendt en invitasjons-e-post. De kan bli med på laget ved å godta e-postinvitasjonen.", + "This device": "Denne enheten", + "This is a secure area of the application. Please confirm your password before continuing.": "Dette er et sikkert område av applikasjonen. Bekreft passordet ditt før du fortsetter.", + "This password does not match our records.": "Dette passordet samsvarer ikke med registrene våre.", + "This user already belongs to the team.": "Denne brukeren tilhører allerede teamet.", + "This user has already been invited to the team.": "Denne brukeren er allerede invitert til teamet.", + "Token Name": "Token navn", + "Two Factor Authentication": "Tofaktorautentisering", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Tofaktorautentisering er nå aktivert. Skann følgende QR-kode ved hjelp av telefonens autentiseringsapplikasjon.", + "Update Password": "Oppdater passord", + "Update your account's profile information and email address.": "Oppdater kontoinformasjonen og e-postadressen til kontoen din.", + "Use a recovery code": "Bruk en gjenopprettingskode", + "Use an authentication code": "Bruk en godkjenningskode", + "We were unable to find a registered user with this email address.": "Vi kunne ikke finne en registrert bruker med denne e-postadressen.", + "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 aktivert, blir du bedt om et sikkert, tilfeldig token under autentisering. Du kan hente dette tokenet fra telefonens Google Authenticator-applikasjon.", + "Whoops! Something went wrong.": "Oisann! Noe gikk galt.", + "You have been invited to join the :team team!": "Du er invitert til å bli med i :team team!", + "You have enabled two factor authentication.": "Du har aktivert tofaktorautentisering.", + "You have not enabled two factor authentication.": "Du har ikke aktivert tofaktorautentisering.", + "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.": "Du kan slette noen av dine eksisterende tokens hvis de ikke lenger er nødvendige.", + "You may not delete your personal team.": "Du kan ikke slette ditt personlige team.", + "You may not leave a team that you created.": "Du kan ikke forlate et team du opprettet." +} diff --git a/locales/nb/packages/nova.json b/locales/nb/packages/nova.json new file mode 100644 index 00000000000..a81da92f384 --- /dev/null +++ b/locales/nb/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 dager", + "60 Days": "60 dager", + "90 Days": "90 dager", + ":amount Total": ":amount total", + ":resource Details": ":resource detaljer", + ":resource Details: :title": ":resource detaljer: :title", + "Action": "Handling", + "Action Happened At": "Skjedde kl", + "Action Initiated By": "Initiert av", + "Action Name": "Navn", + "Action Status": "Status", + "Action Target": "Mål", + "Actions": "Handlinger", + "Add row": "Legg til rad", + "Afghanistan": "Afghanistan", + "Aland Islands": "Åland", + "Albania": "Albania", + "Algeria": "Algerie", + "All resources loaded.": "Alle ressurser lastet inn.", + "American Samoa": "Amerikansk Samoa", + "An error occured while uploading the file.": "Det oppstod en feil under opplasting av filen.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "En annen bruker har oppdatert denne ressursen siden siden ble lastet inn. Oppdater siden og prøv igjen.", + "Antarctica": "Antarktika", + "Antigua And Barbuda": "Antigua og Barbuda", + "April": "April", + "Are you sure you want to delete the selected resources?": "Er du sikker på at du vil slette de valgte ressursene?", + "Are you sure you want to delete this file?": "Er du sikker på at du vil slette denne filen?", + "Are you sure you want to delete this resource?": "Er du sikker på at du vil slette denne ressursen?", + "Are you sure you want to detach the selected resources?": "Er du sikker på at du vil løsne de valgte ressursene?", + "Are you sure you want to detach this resource?": "Er du sikker på at du vil koble denne ressursen?", + "Are you sure you want to force delete the selected resources?": "Er du sikker på at du vil tvinge sletting av de valgte ressursene?", + "Are you sure you want to force delete this resource?": "Er du sikker på at du vil tvinge sletting av denne ressursen?", + "Are you sure you want to restore the selected resources?": "Er du sikker på at du vil gjenopprette de valgte ressursene?", + "Are you sure you want to restore this resource?": "Er du sikker på at du vil gjenopprette denne ressursen?", + "Are you sure you want to run this action?": "Er du sikker på at du vil kjøre denne handlingen?", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Attach": "Legg til", + "Attach & Attach Another": "Legg til og Legg til en annen", + "Attach :resource": "Legg til :resource", + "August": "August", + "Australia": "Australia", + "Austria": "Østerrike", + "Azerbaijan": "Aserbajdsjan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Hviterussland", + "Belgium": "Belgia", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Karibisk Nederland", + "Bosnia And Herzegovina": "Bosnia-Hercegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvetøya", + "Brazil": "Brasil", + "British Indian Ocean Territory": "Det britiske territoriet i Indiahavet", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodsja", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel": "Avbryt", + "Cape Verde": "Kapp Verde", + "Cayman Islands": "Caymanøyene", + "Central African Republic": "Den sentralafrikanske republikk", + "Chad": "Tsjad", + "Changes": "Endringer", + "Chile": "Chile", + "China": "Kina", + "Choose": "Velg", + "Choose :field": "Velg :field", + "Choose :resource": "Velg :resource", + "Choose an option": "Velg et alternativ", + "Choose date": "Velg dato", + "Choose File": "Velg fil", + "Choose Type": "Velg type", + "Christmas Island": "Christmasøya", + "Click to choose": "Klikk for å velge", + "Cocos (Keeling) Islands": "Kokosøyene", + "Colombia": "Colombia", + "Comoros": "Komorene", + "Confirm Password": "Bekreft passord", + "Congo": "Den demokratiske republikken Kongo", + "Congo, Democratic Republic": "Den demokratiske republikken Kongo", + "Constant": "Konstant", + "Cook Islands": "Cookøyene", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Elfenbenskysten", + "could not be found.": "kunne ikke bli funnet.", + "Create": "Opprett", + "Create & Add Another": "Opprett og legg til en annen", + "Create :resource": "Opprett :resource", + "Croatia": "Kroatia", + "Cuba": "Cuba", + "Curaçao": "Curaçao", + "Customize": "Tilpass", + "Cyprus": "Kypros", + "Czech Republic": "Tsjekkia", + "Dashboard": "Dashboard", + "December": "Desember", + "Decrease": "Reduser", + "Delete": "Slett", + "Delete File": "Slett fil", + "Delete Resource": "Slett ressurs", + "Delete Selected": "Slett valgt", + "Denmark": "Danmark", + "Detach": "Løsne", + "Detach Resource": "Løsne ressurs", + "Detach Selected": "Løsne valgt", + "Details": "Detaljer", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Vil du virkelig gå vekk? Du har ikke lagrede endringer.", + "Dominica": "Dominica", + "Dominican Republic": "Den dominikanske republikk", + "Download": "Nedlasting", + "Ecuador": "Ecuador", + "Edit": "Endre", + "Edit :resource": "Endre :resource", + "Edit Attached": "Endre vedlagte", + "Egypt": "Egypt", + "El Salvador": "El Salvador", + "Email Address": "E-post adresse", + "Equatorial Guinea": "Ekvatorial-Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estland", + "Ethiopia": "Etiopia", + "Falkland Islands (Malvinas)": "Falklandsøyene", + "Faroe Islands": "Færøyene", + "February": "Februar", + "Fiji": "Fiji", + "Finland": "Finland", + "Force Delete": "Tving slett", + "Force Delete Resource": "Tving slett ressurs", + "Force Delete Selected": "Tving slett valgt", + "Forgot Your Password?": "Glemt passordet ditt?", + "Forgot your password?": "Glemt passordet ditt?", + "France": "Frankrike", + "French Guiana": "Fransk Guyana", + "French Polynesia": "Fransk Polynesia", + "French Southern Territories": "Fransk sørlig og antarktisk territorium", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Tyskland", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "Gå til forsiden", + "Greece": "Hellas", + "Greenland": "Grønland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Heard-øya og McDonald-øyene", + "Hide Content": "Skjul innhold", + "Hold Up!": "Vent!", + "Holy See (Vatican City State)": "Vatikanstaten", + "Honduras": "Honduras", + "Hong Kong": "Hongkong", + "Hungary": "Ungarn", + "Iceland": "Island", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "Hvis du ikke har bedt om å nullstille passordet, trenger du ikke foreta deg noe.", + "Increase": "Øk", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Irak", + "Ireland": "Irland", + "Isle Of Man": "Isle of Man", + "Israel": "Israel", + "Italy": "Italia", + "Jamaica": "Jamaica", + "January": "Januar", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "July": "Juli", + "June": "Juni", + "Kazakhstan": "Kasakhstan", + "Kenya": "Kenya", + "Key": "Nøkkel", + "Kiribati": "Kiribati", + "Korea": "Korea", + "Korea, Democratic People's Republic of": "Nord-Korea", + "Kosovo": "Kosovo", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kirgisistan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvia", + "Lebanon": "Libanon", + "Lens": "Linse", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litauen", + "Load :perPage More": "Last :perPage til", + "Login": "Logg inn", + "Logout": "Logg ut", + "Luxembourg": "Luxemburg", + "Macao": "Macao", + "Macedonia": "Nord-Makedonia", + "Madagascar": "Madagaskar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldivene", + "Mali": "Mali", + "Malta": "Malta", + "March": "Mars", + "Marshall Islands": "Marshalløyene", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "May": "Mai", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States Of": "Mikronesiaføderasjonen", + "Moldova": "Moldova", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Month To Date": "Måned til dato", + "Montserrat": "Montserrat", + "Morocco": "Marokko", + "Mozambique": "Mosambik", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Nederland", + "New": "Ny", + "New :resource": "Ny :resource", + "New Caledonia": "Ny-Caledonia", + "New Zealand": "New Zealand", + "Next": "Neste", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "Nei", + "No :resource matched the given criteria.": "Nei :resource samsvarte med gitte kriterier.", + "No additional information...": "Ingen ytterligere informasjon...", + "No Current Data": "Ingen nåværende data", + "No Data": "Ingen data", + "no file selected": "ingen fil valgt", + "No Increase": "Ingen økning", + "No Prior Data": "Ingen tidligere data", + "No Results Found.": "Ingen resultater funnet.", + "Norfolk Island": "Norfolkøyene", + "Northern Mariana Islands": "Nord-Marianene", + "Norway": "Norge", + "Nova User": "Nova bruker", + "November": "November", + "October": "Oktober", + "of": "av", + "Oman": "Oman", + "Only Trashed": "Bare slettet", + "Original": "Original", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "De palestinske territoriene", + "Panama": "Panama", + "Papua New Guinea": "Papua Ny-Guinea", + "Paraguay": "Paraguay", + "Password": "Passord", + "Per Page": "Per side", + "Peru": "Peru", + "Philippines": "Filippinene", + "Pitcairn": "Pitcairn", + "Poland": "Poland", + "Portugal": "Portugal", + "Press \/ to search": "Trykk \/ for å søke", + "Preview": "Forhåndsvisning", + "Previous": "Tidligere", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Kvartal til dags dato", + "Reload": "Last inn på nytt", + "Remember Me": "Husk meg", + "Reset Filters": "Tilbakestill filtre", + "Reset Password": "Nullstill passord", + "Reset Password Notification": "Varsling om å nullstille passord", + "resource": "ressurs", + "Resources": "Ressurser", + "resources": "ressurser", + "Restore": "Gjenopprett", + "Restore Resource": "Gjenopprett ressurs", + "Restore Selected": "Gjenopprett valgt", + "Reunion": "Réunion", + "Romania": "Romania", + "Run Action": "Kjør handling", + "Russian Federation": "Russland", + "Rwanda": "Rwanda", + "Saint Barthelemy": "Saint-Barthélemy", + "Saint Helena": "Sankt Helena", + "Saint Kitts And Nevis": "Saint Kitts og Nevis", + "Saint Lucia": "Saint Lucia", + "Saint Martin": "Saint-Martin", + "Saint Pierre And Miquelon": "Saint Pierre og Miquelon", + "Saint Vincent And Grenadines": "Saint Vincent og Grenadinene", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "São Tomé og Príncipe", + "Saudi Arabia": "Saudi-Arabia", + "Search": "Søk", + "Select Action": "Velg handling", + "Select All": "Velg alle", + "Select All Matching": "Velg alle matchende", + "Send Password Reset Link": "Send lenke for å nullstille passordet", + "Senegal": "Senegal", + "September": "September", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Show All Fields": "Vis alle felt", + "Show Content": "Vis innhold", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapore", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Salomonøyene", + "Somalia": "Somalia", + "Something went wrong.": "Noe gikk galt.", + "Sorry! You are not authorized to perform this action.": "Beklager! Du er ikke autorisert til å utføre denne handlingen.", + "Sorry, your session has expired.": "Beklager, økten din har utløpt.", + "South Africa": "Sør-Afrika", + "South Georgia And Sandwich Isl.": "Sør-Georgia og Sør-Sandwichøyene", + "South Sudan": "Sør-Sudan", + "Spain": "Spania", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Begynn polling", + "Stop Polling": "Stopp polling", + "Sudan": "Sudan", + "Suriname": "Surinam", + "Svalbard And Jan Mayen": "Svalbard og Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sverige", + "Switzerland": "Sveits", + "Syrian Arab Republic": "Syria", + "Taiwan": "Taiwan", + "Tajikistan": "Tadsjikistan", + "Tanzania": "Tanzania", + "Thailand": "Thailand", + "The :resource was created!": ":Resource ble opprettet!", + "The :resource was deleted!": ":Resource ble slettet!", + "The :resource was restored!": ":Resource ble gjenopprettet!", + "The :resource was updated!": ":Resource ble oppdatert!", + "The action ran successfully!": "Handlingen var vellykket!", + "The file was deleted!": "Filen ble slettet!", + "The government won't let us show you what's behind these doors": "Regjeringen vil ikke la oss vise deg hva som ligger bak disse dørene", + "The HasOne relationship has already been filled.": "HasOne-forholdet er allerede fylt.", + "The resource was updated!": "Ressursen ble oppdatert!", + "There are no available options for this resource.": "Det er ingen tilgjengelige alternativer for denne ressursen.", + "There was a problem executing the action.": "Det oppsto et problem med å utføre handlingen.", + "There was a problem submitting the form.": "Det oppsto et problem med å sende inn skjemaet.", + "This file field is read-only.": "Dette filfeltet er skrivebeskyttet.", + "This image": "Dette bildet", + "This resource no longer exists": "Denne ressursen eksisterer ikke lenger", + "Timor-Leste": "Øst-Timor", + "Today": "I dag", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "total": "total", + "Trashed": "Slettet", + "Trinidad And Tobago": "Trinidad og Tobago", + "Tunisia": "Tunisia", + "Turkey": "Tyrkia", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Turks- og Caicosøyene", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraina", + "United Arab Emirates": "De forente arabiske emirater", + "United Kingdom": "Storbritannia", + "United States": "USA", + "United States Outlying Islands": "USAs ytre øyer", + "Update": "Oppdater", + "Update & Continue Editing": "Oppdater og fortsett redigering", + "Update :resource": "Oppdater :resource", + "Update :resource: :title": "Oppdater :resource: :title", + "Update attached :resource: :title": "Oppdater vedlagt :resource: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Usbekistan", + "Value": "Verdi", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Vis", + "Virgin Islands, British": "De britiske Jomfruøyer", + "Virgin Islands, U.S.": "De amerikanske Jomfruøyer", + "Wallis And Futuna": "Wallis og Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Vi er tapt i verdensrommet. Siden du prøvde å se eksisterer ikke.", + "Welcome Back!": "Velkommen tilbake!", + "Western Sahara": "Vest-Sahara", + "Whoops": "Oisann", + "Whoops!": "Oisann!", + "With Trashed": "Med slettede", + "Write": "Skriv", + "Year To Date": "År til dato", + "Yemen": "Jemen", + "Yes": "Ja", + "You are receiving this email because we received a password reset request for your account.": "Du får denne e-posten fordi vi har mottatt og forespørsel om å nullstille passordet til kontoen din.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/nb/packages/spark-paddle.json b/locales/nb/packages/spark-paddle.json new file mode 100644 index 00000000000..7d26f1e99c1 --- /dev/null +++ b/locales/nb/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "Det oppsto en uventet feil, og vi har varslet supportteamet vårt. Prøv igjen senere.", + "Billing Management": "Fakturering", + "Cancel Subscription": "Avbryt abonnementet", + "Change Subscription Plan": "Endre abonnementsplan", + "Current Subscription Plan": "Gjeldende abonnementsplan", + "Currently Subscribed": "For øyeblikket abonnert", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Har du tanker om å si opp abonnementet ditt? Du kan øyeblikkelig endre på abonnementet ditt når som helst til slutten av den nåværende faktureringssyklusen. Etter at den nåværende faktureringssyklusen din er avsluttet, kan du velge en helt ny abonnementsplan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "Det ser ut til at du ikke har et aktivt abonnement. Du kan velge en av abonnementsplanene nedenfor for å komme i gang. Abonnementsplaner kan endres eller kanselleres når det passer deg.", + "Managing billing for :billableName": "Administrerer fakturering for :billableName", + "Monthly": "Månedlig", + "Nevermind, I'll keep my old plan": "Glem det, vil jeg beholde min gamle plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Vår faktureringsportal lar deg enkelt administrere abonnementsplanen, betalingsmåten og laste ned de siste fakturaene.", + "Payment Method": "Payment Method", + "Receipts": "Kvitteringer", + "Resume Subscription": "Fortsett abonnement", + "Return to :appName": "Tilbake til :appName", + "Signed in as": "Logget på som", + "Subscribe": "Abonner", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Vilkår for bruk", + "The selected plan is invalid.": "Den valgte planen er ugyldig.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "Denne kontoen har ikke et aktivt abonnement.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Oisann! Noe gikk galt.", + "Yearly": "Årlig", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "Du kan når som helst si opp abonnementet ditt. Når abonnementet ditt er kansellert, har du muligheten til å gjenoppta abonnementet til slutten av din nåværende faktureringssyklus.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Din nåværende betalingsmåte er et kredittkort som slutter på :lastFour som utløper den :expiration." +} diff --git a/locales/nb/packages/spark-stripe.json b/locales/nb/packages/spark-stripe.json new file mode 100644 index 00000000000..d38e8acf06f --- /dev/null +++ b/locales/nb/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days dagers prøveversjon", + "Add VAT Number": "Legg til MVA-nummer", + "Address": "Adresse", + "Address Line 2": "Adresse linje 2", + "Afghanistan": "Afghanistan", + "Albania": "Albania", + "Algeria": "Algerie", + "American Samoa": "Amerikansk Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "Det oppsto en uventet feil, og vi har varslet supportteamet vårt. Prøv igjen senere.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarktika", + "Antigua and Barbuda": "Antigua og Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Australia": "Australia", + "Austria": "Østerrike", + "Azerbaijan": "Aserbajdsjan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Hviterussland", + "Belgium": "Belgia", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Billing Information": "Faktureringsinformasjon", + "Billing Management": "Fakturering", + "Bolivia, Plurinational State of": "Republikken Bolivia av", + "Bosnia and Herzegovina": "Bosnia-Hercegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvetøya", + "Brazil": "Brasil", + "British Indian Ocean Territory": "Det britiske territoriet i Indiahavet", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodsja", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel Subscription": "Avbryt abonnementet", + "Cape Verde": "Kapp Verde", + "Card": "Kort", + "Cayman Islands": "Caymanøyene", + "Central African Republic": "Den sentralafrikanske republikk", + "Chad": "Tsjad", + "Change Subscription Plan": "Endre abonnementsplan", + "Chile": "Chile", + "China": "Kina", + "Christmas Island": "Christmasøya", + "City": "By", + "Cocos (Keeling) Islands": "Kokosøyene", + "Colombia": "Colombia", + "Comoros": "Komorene", + "Confirm Payment": "Bekreft betaling", + "Confirm your :amount payment": "Bekreft :amount betalingen", + "Congo": "Den demokratiske republikken Kongo", + "Congo, the Democratic Republic of the": "Den demokratiske republikken Kongo", + "Cook Islands": "Cookøyene", + "Costa Rica": "Costa Rica", + "Country": "Land", + "Coupon": "Kupong", + "Croatia": "Kroatia", + "Cuba": "Cuba", + "Current Subscription Plan": "Gjeldende abonnementsplan", + "Currently Subscribed": "For øyeblikket abonnert", + "Cyprus": "Kypros", + "Czech Republic": "Tsjekkia", + "Côte d'Ivoire": "Elfenbenskysten", + "Denmark": "Danmark", + "Djibouti": "Djibouti", + "Dominica": "Dominica", + "Dominican Republic": "Den dominikanske republikk", + "Download Receipt": "Last ned kvittering", + "Ecuador": "Ecuador", + "Egypt": "Egypt", + "El Salvador": "El Salvador", + "Email Addresses": "E-post adresser", + "Equatorial Guinea": "Ekvatorial-Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estland", + "Ethiopia": "Etiopia", + "ex VAT": "eks MVA", + "Extra Billing Information": "Ekstra faktureringsinformasjon", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Ekstra bekreftelse er nødvendig for å behandle betalingen. Fortsett til betalingssiden ved å klikke på knappen nedenfor.", + "Falkland Islands (Malvinas)": "Falklandsøyene", + "Faroe Islands": "Færøyene", + "Fiji": "Fiji", + "Finland": "Finland", + "France": "Frankrike", + "French Guiana": "Fransk Guyana", + "French Polynesia": "Fransk Polynesia", + "French Southern Territories": "Fransk sørlig og antarktisk territorium", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Tyskland", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Hellas", + "Greenland": "Grønland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Har du en kupongkode?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Har du tanker om å si opp abonnementet ditt? Du kan øyeblikkelig endre på abonnementet ditt når som helst til slutten av den nåværende faktureringssyklusen. Etter at den nåværende faktureringssyklusen din er avsluttet, kan du velge en helt ny abonnementsplan.", + "Heard Island and McDonald Islands": "Heard-øya og McDonald-øyene", + "Holy See (Vatican City State)": "Vatikanstaten", + "Honduras": "Honduras", + "Hong Kong": "Hongkong", + "Hungary": "Ungarn", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Island", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "Hvis du trenger å legge til spesifikk kontakt- eller avgiftsinformasjon i kvitteringene dine, som ditt fulle virksomhetsnavn, momsregistreringsnummer eller postadresse, kan du legge den til her.", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic of": "Iran", + "Iraq": "Irak", + "Ireland": "Irland", + "Isle of Man": "Isle of Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "Det ser ut til at du ikke har et aktivt abonnement. Du kan velge en av abonnementsplanene nedenfor for å komme i gang. Abonnementsplaner kan endres eller kanselleres når det passer deg.", + "Italy": "Italia", + "Jamaica": "Jamaica", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "Kazakhstan": "Kasakhstan", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Nord-Korea", + "Korea, Republic of": "Sør-Korea", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kirgisistan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvia", + "Lebanon": "Libanon", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litauen", + "Luxembourg": "Luxemburg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Nord-Makedonia", + "Madagascar": "Madagaskar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldivene", + "Mali": "Mali", + "Malta": "Malta", + "Managing billing for :billableName": "Administrerer fakturering for :billableName", + "Marshall Islands": "Marshalløyene", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Monthly": "Månedlig", + "monthly": "månedlig", + "Montserrat": "Montserrat", + "Morocco": "Marokko", + "Mozambique": "Mosambik", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Nederland", + "Netherlands Antilles": "De nederlandske Antiller", + "Nevermind, I'll keep my old plan": "Glem det, vil jeg beholde min gamle plan", + "New Caledonia": "Ny-Caledonia", + "New Zealand": "New Zealand", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Norfolkøyene", + "Northern Mariana Islands": "Nord-Marianene", + "Norway": "Norge", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Vår faktureringsportal lar deg enkelt administrere abonnementsplanen, betalingsmåten og laste ned de siste fakturaene.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "De palestinske territoriene", + "Panama": "Panama", + "Papua New Guinea": "Papua Ny-Guinea", + "Paraguay": "Paraguay", + "Payment Information": "Betalingsinformasjon", + "Peru": "Peru", + "Philippines": "Filippinene", + "Pitcairn": "Pitcairn", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Oppgi maksimalt tre e-postadresser for kvittering.", + "Poland": "Poland", + "Portugal": "Portugal", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Kvitterings-e-postadresser", + "Receipts": "Kvitteringer", + "Resume Subscription": "Fortsett abonnement", + "Return to :appName": "Tilbake til :appName", + "Romania": "Romania", + "Russian Federation": "Russland", + "Rwanda": "Rwanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint-Barthélemy", + "Saint Helena": "Sankt Helena", + "Saint Kitts and Nevis": "Saint Kitts og Nevis", + "Saint Lucia": "Saint Lucia", + "Saint Martin (French part)": "Saint-Martin", + "Saint Pierre and Miquelon": "Saint Pierre og Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent og Grenadinene", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "São Tomé og Príncipe", + "Saudi Arabia": "Saudi-Arabia", + "Save": "Lagre", + "Select": "Velg", + "Select a different plan": "Velg en annen plan", + "Senegal": "Senegal", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Logget på som", + "Singapore": "Singapore", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Salomonøyene", + "Somalia": "Somalia", + "South Africa": "Sør-Afrika", + "South Georgia and the South Sandwich Islands": "Sør-Georgia og Sør-Sandwichøyene", + "Spain": "Spania", + "Sri Lanka": "Sri Lanka", + "State \/ County": "Fylke", + "Subscribe": "Abonner", + "Subscription Information": "Abonnementsinformasjon", + "Sudan": "Sudan", + "Suriname": "Surinam", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sverige", + "Switzerland": "Sveits", + "Syrian Arab Republic": "Syria", + "Taiwan, Province of China": "Taiwan", + "Tajikistan": "Tadsjikistan", + "Tanzania, United Republic of": "Tanzania", + "Terms of Service": "Vilkår for bruk", + "Thailand": "Thailand", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Takk for din fortsatte støtte. Vi har lagt ved en kopi av fakturaen for postene dine. Gi oss beskjed hvis du har spørsmål eller bekymringer.", + "Thanks,": "Takk,", + "The provided coupon code is invalid.": "Den oppgitte kupongkoden er ugyldig.", + "The provided VAT number is invalid.": "Det oppgitte mva-nummeret er ugyldig.", + "The receipt emails must be valid email addresses.": "Kvitterings-e-postene må være en gyldig e-postadresse.", + "The selected country is invalid.": "Det valgte landet er ugyldig.", + "The selected plan is invalid.": "Den valgte planen er ugyldig.", + "This account does not have an active subscription.": "Denne kontoen har ikke et aktivt abonnement.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "Dette abonnementet har utløpt og kan ikke gjenopptas. Opprett et nytt abonnement.", + "Timor-Leste": "Øst-Timor", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Tyrkia", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks- og Caicosøyene", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraina", + "United Arab Emirates": "De forente arabiske emirater", + "United Kingdom": "Storbritannia", + "United States": "USA", + "United States Minor Outlying Islands": "USAs ytre øyer", + "Update": "Oppdater", + "Update Payment Information": "Oppdater betalingsinformasjon", + "Uruguay": "Uruguay", + "Uzbekistan": "Usbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "MVA-nummer", + "Venezuela, Bolivarian Republic of": "Venezuela", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "De britiske Jomfruøyer", + "Virgin Islands, U.S.": "De amerikanske Jomfruøyer", + "Wallis and Futuna": "Wallis og Futuna", + "We are unable to process your payment. Please contact customer support.": "Vi kan ikke behandle betalingen din. Kontakt kundestøtte.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "Vi sender en lenke for nedlasting av kvittering til e-postadressene du angir nedenfor. Du kan skille flere e-postadresser ved hjelp av komma.", + "Western Sahara": "Vest-Sahara", + "Whoops! Something went wrong.": "Oisann! Noe gikk galt.", + "Yearly": "Årlig", + "Yemen": "Jemen", + "You are currently within your free trial period. Your trial will expire on :date.": "Du er for tiden innenfor din gratis prøveperiode. Prøveperioden utløper den :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "Du kan når som helst si opp abonnementet ditt. Når abonnementet ditt er kansellert, har du muligheten til å gjenoppta abonnementet til slutten av din nåværende faktureringssyklus.", + "Your :invoiceName invoice is now available!": "Din :invoiceName faktura er nå tilgjengelig!", + "Your card was declined. Please contact your card issuer for more information.": "Kortet ditt ble avvist. Ta kontakt med kortutstederen din for mer informasjon.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Din nåværende betalingsmåte er et kredittkort som slutter på :lastFour som utløper den :expiration.", + "Your registered VAT Number is :vatNumber.": "Det registrerte MVA-nummeret ditt er :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Postnummer", + "Åland Islands": "Åland Islands" +} diff --git a/locales/ne/ne.json b/locales/ne/ne.json index f87cedccd44..60c9f93b325 100644 --- a/locales/ne/ne.json +++ b/locales/ne/ne.json @@ -1,710 +1,48 @@ { - "30 Days": "30 दिन", - "60 Days": "60 दिन", - "90 Days": "90 दिन", - ":amount Total": ":amount कुल", - ":days day trial": ":days day trial", - ":resource Details": ":resource विवरण", - ":resource Details: :title": ":resource विवरण: :title", "A fresh verification link has been sent to your email address.": "नयाँ ईमेल प्रमाणिकरण लिंक तपाईको इ-मेल ठेगानामा पठाइएको छ।", - "A new verification link has been sent to the email address you provided during registration.": "एक नयाँ प्रमाणिकरण लिंक गरिएको छ, इमेल ठेगाना पठाइएको छ. तपाईं प्रदान समयमा दर्ता.", - "Accept Invitation": "स्वीकार निमन्त्रणा", - "Action": "कार्य", - "Action Happened At": "मा भयो", - "Action Initiated By": "द्वारा सुरु", - "Action Name": "नाम", - "Action Status": "स्थिति", - "Action Target": "लक्ष्य", - "Actions": "कार्यहरू", - "Add": "थप", - "Add a new team member to your team, allowing them to collaborate with you.": "थप एक नयाँ टीम सदस्य आफ्नो टीम अनुमति, तिनीहरूलाई संग सहकार्य you.", - "Add additional security to your account using two factor authentication.": "थप अतिरिक्त सुरक्षा गर्न आफ्नो खाता प्रयोग गरेर दुई कारक प्रमाणीकरण.", - "Add row": "पङ्क्ति थप्न", - "Add Team Member": "थप टोली सदस्य", - "Add VAT Number": "Add VAT Number", - "Added.": "जोडी । ", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "प्रशासक", - "Administrator users can perform any action.": "प्रशासक प्रयोगकर्ता प्रदर्शन गर्न सक्छन् कुनै पनि कार्य.", - "Afghanistan": "अफगानिस्तान", - "Aland Islands": "Åland Islands", - "Albania": "अल्बानिया", - "Algeria": "अल्जेरिया", - "All of the people that are part of this team.": "सबै मानिसहरूले भन्ने छन्, यो टीम को भाग.", - "All resources loaded.": "सबै स्रोतहरू लोड.", - "All rights reserved.": "सबै अधिकार सुरक्षित।", - "Already registered?": "पहिले नै दर्ता?", - "American Samoa": "अमेरिकी सामोआ", - "An error occured while uploading the file.": "एउटा त्रुटि रहन गयो जबकि अपलोड फाइल.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "एन्डोरान", - "Angola": "अङ्गोला", - "Anguilla": "एन्जुइल्ला", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "अर्को प्रयोगकर्ता अद्यावधिक छ, यो स्रोत देखि यो पेज लोड थियो. कृपया पृष्ठ ताजा र फेरि प्रयास गर्नुहोस् । ", - "Antarctica": "अन्टार्कटिका", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "एंटीगुआ र बारबुडा", - "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 टोकन अनुमति दिन्छ तेस्रो-पक्ष सेवाहरू प्रमाणित गर्न हाम्रो आवेदन आफ्नो तर्फबाट.", - "April": "अप्रिल", - "Are you sure you want to delete the selected resources?": "Are you sure you want to delete चयन गरिएका संसाधन?", - "Are you sure you want to delete this file?": "Are you sure you want to delete this file?", - "Are you sure you want to delete this resource?": "Are you sure you want to delete this स्रोत?", - "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 टीम? एक पटक एक टीम हटाइएको छ, सबै को आफ्नो स्रोत र डाटा 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? एक पटक आफ्नो खाता मेटिएको छ, सबै को आफ्नो स्रोत र डाटा will be permanently deleted. कृपया पुष्टि गर्न आफ्नो पासवर्ड प्रविष्टि you would like to permanently delete your account.", - "Are you sure you want to detach the selected resources?": "Are you sure you want to असंलग्न चयन गरिएका संसाधन?", - "Are you sure you want to detach this resource?": "Are you sure you want to असंलग्न यो संसाधन?", - "Are you sure you want to force delete the selected resources?": "Are you sure you want to शक्ति मेट्नुहोस् चयन गरिएका संसाधन?", - "Are you sure you want to force delete this resource?": "Are you sure you want to शक्ति मेट्न यो संसाधन?", - "Are you sure you want to restore the selected resources?": "Are you sure you want to restore चयन गरिएका संसाधन?", - "Are you sure you want to restore this resource?": "Are you sure you want to restore यो संसाधन?", - "Are you sure you want to run this action?": "Are you sure you want to run this कार्य?", - "Are you sure you would like to delete this API token?": "Are you sure you would like to delete this API टोकन?", - "Are you sure you would like to leave this team?": "Are you sure you छोड्न चाहन्छु यो टोली?", - "Are you sure you would like to remove this person from the team?": "Are you sure you would like to remove यो व्यक्ति टीम देखि?", - "Argentina": "अर्जेन्टिना", - "Armenia": "Armenia", - "Aruba": "आरूबा", - "Attach": "संलग्न गर्नुहोस्", - "Attach & Attach Another": "संलग्न & संलग्न अर्को", - "Attach :resource": "संलग्न :resource", - "August": "अगस्ट", - "Australia": "अष्ट्रेलिया", - "Austria": "Austria", - "Azerbaijan": "अजरबैजान", - "Bahamas": "बहामासको", - "Bahrain": "Bahrain", - "Bangladesh": "बंगलादेश", - "Barbados": "बार्बाडोस", "Before proceeding, please check your email for a verification link.": "अघि बढ्नु अघि कृपया तपाईंको ईमेल प्रमाणिकरण लिंकका लागि जाँच गर्नुहोस्", - "Belarus": "बेलारुस", - "Belgium": "बेल्जियम", - "Belize": "Belize", - "Benin": "बेनिन", - "Bermuda": "बर्मुडा", - "Bhutan": "भुटान", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "बोलिभिया", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint इयुस्टाटियस र Sábado", - "Bosnia And Herzegovina": "बोस्निया र हर्जगोभिना", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "बोट्सवाना", - "Bouvet Island": "बुभेट आइल्याण्ड", - "Brazil": "ब्राजिल", - "British Indian Ocean Territory": "बेलायतभारतसमुद्रीभूभाग", - "Browser Sessions": "ब्राउजर सत्र", - "Brunei Darussalam": "Brunei", - "Bulgaria": "बुल्गेरिया", - "Burkina Faso": "बुर्किना फासो", - "Burundi": "बुरुण्डी", - "Cambodia": "कम्बोडिया", - "Cameroon": "क्यामरुन", - "Canada": "क्यानाडा", - "Cancel": "रद्द", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Cape Verde", - "Card": "कार्ड", - "Cayman Islands": "केमैन द्वीप", - "Central African Republic": "मध्य अफ्रिकी गणतन्त्र", - "Chad": "चाड", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "परिवर्तन", - "Chile": "चिली", - "China": "चीन", - "Choose": "छनौट", - "Choose :field": "छनौट :field", - "Choose :resource": "छनौट :resource", - "Choose an option": "एक विकल्प छान्नुहोस्", - "Choose date": "छनौट मिति", - "Choose File": "फाइल रोज्नुहोस्", - "Choose Type": "चयन प्रकार", - "Christmas Island": "क्रिसमस टापु", - "City": "City", "click here to request another": "अर्को अनुरोध गर्न यहाँ क्लिक गर्नुहोस्", - "Click to choose": "क्लिक गर्न छनौट", - "Close": "Close", - "Cocos (Keeling) Islands": "कोकोस (कीलिंग) द्वीप", - "Code": "कोड", - "Colombia": "कोलम्बिया", - "Comoros": "कोमोरोस", - "Confirm": "पुष्टि", - "Confirm Password": "पासवर्ड सुनिश्चित गर्नुहोस", - "Confirm Payment": "पुष्टि भुक्तान", - "Confirm your :amount payment": "Confirm your :amount भुक्तानी", - "Congo": "Congo", - "Congo, Democratic Republic": "कंगो, लोकतान्त्रिक गणतन्त्र", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "निरन्तर", - "Cook Islands": "कुक द्वीप", - "Costa Rica": "कोस्टा रिका", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "फेला पार्न सकेन । ", - "Country": "Country", - "Coupon": "Coupon", - "Create": "सिर्जना", - "Create & Add Another": "सिर्जना & Add Another", - "Create :resource": "सिर्जना :resource", - "Create a new team to collaborate with others on projects.": "Create a new टोली संग सहकार्य गर्न अरूलाई मा परियोजनाहरु छ । ", - "Create Account": "खाता सिर्जना गर्नुहोस्", - "Create API Token": "Create API टोकन", - "Create New Team": "नयाँ सिर्जना टीम", - "Create Team": "सिर्जना टीम", - "Created.": "Created.", - "Croatia": "क्रोएटिया", - "Cuba": "क्युबा", - "Curaçao": "करकाउ", - "Current Password": "हालको पासवर्ड", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "अनुकूलन गर्नुहोस्", - "Cyprus": "साइप्रस", - "Czech Republic": "चेकिया", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "ड्यासबोर्ड", - "December": "डिसेम्बर", - "Decrease": "कमी", - "Delete": "मेटाउन", - "Delete Account": "मेट्नुहोस् खाता", - "Delete API Token": "मेट्नुहोस् API टोकन", - "Delete File": "फाइल मेटाउन", - "Delete Resource": "मेट्नुहोस् स्रोत", - "Delete Selected": "मेट्नुहोस् चयन", - "Delete Team": "मेट्नुहोस् टीम", - "Denmark": "डेनमार्क", - "Detach": "असंलग्न", - "Detach Resource": "असंलग्न स्रोत", - "Detach Selected": "असंलग्न चयन", - "Details": "विवरण", - "Disable": "अक्षम", - "Djibouti": "डिजिबुटी", - "Do you really want to leave? You have unsaved changes.": "के तपाईं साँच्चै छोड्न चाहनुहुन्छ? तपाईं बचत नगरिएका परिवर्तन छन् । ", - "Dominica": "आइतबार", - "Dominican Republic": "डोमिनिकन गणतन्त्र", - "Done.": "गरेको । ", - "Download": "डाउनलोड", - "Download Receipt": "Download Receipt", "E-Mail Address": "इ - मेल ठेगाना", - "Ecuador": "इक्वेडर", - "Edit": "सम्पादन", - "Edit :resource": "सम्पादन :resource", - "Edit Attached": "सम्पादन संलग्न", - "Editor": "सम्पादक", - "Editor users have the ability to read, create, and update.": "सम्पादक प्रयोगकर्ता गर्ने क्षमता छ, पढ्नुहोस्, सिर्जना गर्नुहोस्, र अपडेट.", - "Egypt": "मिश्र", - "El Salvador": "साल्भाडोर", - "Email": "इमेल", - "Email Address": "Email Address", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Email Password Reset Link", - "Enable": "सक्षम", - "Ensure your account is using a long, random password to stay secure.": "सुनिश्चित आफ्नो खाता प्रयोग छ, एक लामो अनियमित पासवर्ड सुरक्षित रहन.", - "Equatorial Guinea": "इक्वेटोरियल गिनी", - "Eritrea": "एरित्रिया", - "Estonia": "इस्टोनिया", - "Ethiopia": "इथोपिया", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "अतिरिक्त पुष्टि गर्न आवश्यक छ आफ्नो भुक्तानी प्रक्रिया. Please confirm your payment भरेर बाहिर आफ्नो भुक्तानी विवरण तल.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "अतिरिक्त पुष्टि गर्न आवश्यक छ आफ्नो भुक्तानी प्रक्रिया. कृपया जारी गर्न भुक्तानी page by clicking on the button below.", - "Falkland Islands (Malvinas)": "फकल्यान्ड Inseln (माल्भिनास)", - "Faroe Islands": "फारोईद्वीप", - "February": "फेब्रुअरी", - "Fiji": "फिजी", - "Finland": "फिनल्याण्ड", - "For your security, please confirm your password to continue.": "आफ्नो सुरक्षा को लागि, कृपया आफ्नो पासवर्ड पुष्टि गर्न जारी । ", "Forbidden": "निषेध गरिएको", - "Force Delete": "शक्ति मेटाउन", - "Force Delete Resource": "शक्ति मेटाउन स्रोत", - "Force Delete Selected": "शक्ति मेट्नुहोस् चयन", - "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.": "आफ्नो पासवर्ड बिर्सिनुभयो? कुनै समस्या छ । 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.", - "France": "फ्रान्स", - "French Guiana": "फ्रान्सेली गायना", - "French Polynesia": "फ्रान्सेली पोलिनेशिया", - "French Southern Territories": "फ्रान्सेली दक्षिणी क्षेत्र", - "Full name": "पूर्ण नाम", - "Gabon": "गाबोन", - "Gambia": "गाम्बिया", - "Georgia": "जर्जिया", - "Germany": "जर्मनी", - "Ghana": "घाना", - "Gibraltar": "जिब्राल्टर", - "Go back": "फिर्ता जान", - "Go Home": "घर जाउ", "Go to page :page": "जानुहोस् पृष्ठ :page", - "Great! You have accepted the invitation to join the :team team.": "Great! तपाईं निमन्त्रणा स्वीकार गर्न सामेल :team टीम । ", - "Greece": "ग्रीस", - "Greenland": "ग्रीनल्याण्ड", - "Grenada": "ग्रेनेडा", - "Guadeloupe": "ग्वाडेलोप", - "Guam": "गुवाम", - "Guatemala": "ग्वाटेमालामा", - "Guernsey": "गुएर्नेसी", - "Guinea": "गिनी", - "Guinea-Bissau": "गिनी-बिसाउ", - "Guyana": "गुयाना", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "सुने आइल्याण्ड र म्याकडोनाल्ड टापु", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "नमस्कार!", - "Hide Content": "लुकाउन सामग्री", - "Hold Up!": "पकड!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "हङकङ", - "Hungary": "हंगेरी", - "I agree to the :terms_of_service and :privacy_policy": "म सहमत :terms_of_service र :privacy_policy", - "Iceland": "आइसल्याण्ड", - "ID": "आईडी", - "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.": "यदि आवश्यक, you may log out सबै को आफ्नो अन्य ब्राउजर सत्र across all of your devices. केही आफ्नो हाल सत्र तल दिइएका छन्; तथापि, यो सूची exhaustive नहुन सक्छ. तपाईं महसुस भने तपाईंको खातामा सम्झौता गरिएको छ, तपाईं पनि गर्नुपर्छ update your password.", "If necessary, you may logout 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.": "यदि आवश्यक, तपाईँले लगआउट सबै को आफ्नो अन्य ब्राउजर सत्र across all of your devices. केही आफ्नो हाल सत्र तल दिइएका छन्; तथापि, यो सूची exhaustive नहुन सक्छ. तपाईं महसुस भने तपाईंको खातामा सम्झौता गरिएको छ, तपाईं पनि गर्नुपर्छ update your password.", - "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.": "यदि तपाईं आशा थिएन निमन्त्रणा प्राप्त गर्न यो टोली, you may खारेज यस इमेल.", "If you did not receive the 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:": "तपाईं एक खाता छैन भने, तपाईं सिर्जना गर्न सक्छ, एक बटन क्लिक गरेर तल. पछि खाता सिर्जना, you may क्लिक गर्नुहोस् निमन्त्रणा स्वीकृति बटन मा यो इमेल स्वीकार गर्न टीम निमन्त्रणा:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "यदि तपाईंलाई क्लिक गर्दा समस्या भइरहेको छ भने \":actionText\" बटन, प्रतिलिपि गरेर तल URL लाई टाँस्नुहोस् वेब n तपाइँको वेब ब्राउजर:", - "Increase": "वृद्धि", - "India": "भारत", - "Indonesia": "इन्डोनेशिया", "Invalid signature.": "अवैध हस्ताक्षर।", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "इरान", - "Iraq": "इराक", - "Ireland": "आयरल्याण्ड", - "Isle of Man": "Isle of Man", - "Isle Of Man": "मानिसको Isle", - "Israel": "इजरायल", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "इटाली", - "Jamaica": "जमाइका", - "January": "जनवरी", - "Japan": "जापान", - "Jersey": "जर्सी", - "Jordan": "जोर्डन", - "July": "जुलाई", - "June": "जुन", - "Kazakhstan": "काजकिस्तान", - "Kenya": "केन्या", - "Key": "कुञ्जी", - "Kiribati": "किरिबाती", - "Korea": "दक्षिण कोरिया", - "Korea, Democratic People's Republic of": "उत्तर कोरिया", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "कोसोभो", - "Kuwait": "कुवेत", - "Kyrgyzstan": "किर्गिस्तान", - "Lao People's Democratic Republic": "लाओस", - "Last active": "गत सक्रिय", - "Last used": "गत प्रयोग", - "Latvia": "लाटविया", - "Leave": "बिदा", - "Leave Team": "Leave टीम", - "Lebanon": "लेबनान", - "Lens": "चश्मा", - "Lesotho": "लेसोथो", - "Liberia": "लाइबेरिया", - "Libyan Arab Jamahiriya": "लिबिया", - "Liechtenstein": "लिएखटेन्स्टाइन", - "Lithuania": "मासेडोनिया", - "Load :perPage More": "लोड :perPage अधिक", - "Log in": "Log in", "Log out": "लग आउट", - "Log Out": "लग आउट", - "Log Out Other Browser Sessions": "Log Out अन्य ब्राउजर सत्र", - "Login": "लगइन", - "Logout": "लगआउट", "Logout Other Browser Sessions": "लगआउट अन्य ब्राउजर सत्र", - "Luxembourg": "लक्जमबर्ग", - "Macao": "मकाउ", - "Macedonia": "उत्तर म्यासिडोनिया", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "मडागास्कर", - "Malawi": "मलावी", - "Malaysia": "मलेशिया", - "Maldives": "माल्दिभ्स", - "Mali": "सानो", - "Malta": "माल्टा", - "Manage Account": "खाता व्यवस्थापन", - "Manage and log out your active sessions on other browsers and devices.": "व्यवस्थापन र लग बाहिर आफ्नो सक्रिय सत्र मा अन्य ब्राउजर र उपकरणहरू.", "Manage and logout your active sessions on other browsers and devices.": "व्यवस्थापन र लगआउट आफ्नो सक्रिय सत्र मा अन्य ब्राउजर र उपकरणहरू.", - "Manage API Tokens": "व्यवस्थापन API टोकन", - "Manage Role": "व्यवस्थापन भूमिका", - "Manage Team": "व्यवस्थापन टीम", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "मार्च", - "Marshall Islands": "मार्शल द्वीप", - "Martinique": "Martinique", - "Mauritania": "माउरिटानिया", - "Mauritius": "माउरिटिअस", - "May": "सक्छ", - "Mayotte": "मायो", - "Mexico": "मेक्सिको", - "Micronesia, Federated States Of": "माइक्रोनेशिया", - "Moldova": "Moldova", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "मोनाको", - "Mongolia": "मङ्गोलिया", - "Montenegro": "मोन्टेनेग्रो", - "Month To Date": "महिना मिति", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "मोन्टसेर्राट", - "Morocco": "मोरक्को", - "Mozambique": "मोजाम्बिक", - "Myanmar": "म्यानमार", - "Name": "नाम", - "Namibia": "नामिबिया", - "Nauru": "नाउरु", - "Nepal": "नेपाल", - "Netherlands": "नेदरल्याण्ड", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "होईन", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "नयाँ", - "New :resource": "नयाँ :resource", - "New Caledonia": "नयाँ कैलेडोनिया", - "New Password": "नयाँ पासवर्ड", - "New Zealand": "न्यूजील्याण्ड", - "Next": "अर्को", - "Nicaragua": "निकारागुआ", - "Niger": "नाइजर", - "Nigeria": "नाइजेरिया", - "Niue": "नियू", - "No": "कुनै", - "No :resource matched the given criteria.": "कुनै :resource मिलान दिइएको मापदण्ड छ । ", - "No additional information...": "कुनै अतिरिक्त जानकारी । ..", - "No Current Data": "कुनै हालको डाटा", - "No Data": "कुनै डाटा", - "no file selected": "कुनै फाइल चयन", - "No Increase": "कुनै वृद्धि", - "No Prior Data": "कुनै पूर्व डाटा", - "No Results Found.": "कुनै परिणाम फेला परेन । ", - "Norfolk Island": "नरफक टापु", - "Northern Mariana Islands": "उत्तरी मारिआना द्वीप", - "Norway": "नर्वे", "Not Found": "फेला परेन", - "Nova User": "नोवा प्रयोगकर्ता", - "November": "नोभेम्बर", - "October": "अक्टोबर", - "of": "को", "Oh no": "ओह होइन", - "Oman": "ओमान", - "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.": "एक पटक एक टीम हटाइएको छ, सबै को आफ्नो स्रोत र डाटा will be permanently deleted. पहिले मेटाउने यो टीम, डाउनलोड गर्नुहोस् कुनै पनि डाटा वा जानकारी सन्दर्भमा यो टीम तपाईं इच्छा राख्नु गर्न.", - "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.": "एक पटक आफ्नो खाता मेटिएको छ, सबै को आफ्नो स्रोत र डाटा will be permanently deleted. पहिले deleting your account, please डाउनलोड कुनै पनि डाटा वा जानकारी तपाईं इच्छा राख्नु गर्न.", - "Only Trashed": "मात्र फालिएको", - "Original": "मूल", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "पृष्ठ समयावधि सकियो", "Pagination Navigation": "पेजमा नम्बर रखाइ अन्वेषण", - "Pakistan": "पाकिस्तान", - "Palau": "पलाउ", - "Palestinian Territory, Occupied": "प्यालेस्टाइनी इलाकामा", - "Panama": "Panama", - "Papua New Guinea": "पापुआ न्यु गिनी", - "Paraguay": "प्यारागुवा", - "Password": "पासवर्ड", - "Pay :amount": "तिर्न :amount", - "Payment Cancelled": "भुक्तानी रद्द", - "Payment Confirmation": "भुक्तानी पुष्टि", - "Payment Information": "Payment Information", - "Payment Successful": "भुक्तानी सफल", - "Pending Team Invitations": "अपूर्ण टीम निम्तो", - "Per Page": "प्रति पृष्ठ", - "Permanently delete this team.": "स्थायी रूपमा मेट्न यो टीम । ", - "Permanently delete your account.": "स्थायी तपाईंको खाता मेटाउन.", - "Permissions": "अनुमति", - "Peru": "पेरु", - "Philippines": "फिलिपिन्स", - "Photo": "फोटो", - "Pitcairn": "पिटकाइर्न", "Please click the button below to verify your email address.": "कृपया तलको बटन क्लिक गर्नुहोस् तपाईंको ईमेल ठेगाना प्रमाणित गर्न।", - "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 your password before continuing.": "कृपया जारी राख्नु अघि तपाईंको पासवर्ड पुष्टि गर्नुहोस्।", - "Please copy your new API token. For your security, it won't be shown again.": "प्रतिलिपि कृपया आफ्नो नयाँ एपीआई टोकन. आफ्नो सुरक्षा को लागि, it won ' t be shown फेरि । ", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "कृपया पुष्टि गर्न आफ्नो पासवर्ड प्रविष्टि गर्न चाहनुहुन्छ लग बाहिर आफ्नो अन्य ब्राउजर सत्र across all of your devices.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "कृपया पुष्टि गर्न आफ्नो पासवर्ड प्रविष्टि गर्न चाहनुहुन्छ लगआउट आफ्नो अन्य ब्राउजर सत्र across all of your devices.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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 गर्न यो टीम । ", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Please provide the email address of the person you would like to add गर्न यो टीम । ईमेल ठेगाना हुनु पर्छ संग सम्बन्धित एक अवस्थित खाता.", - "Please provide your name.": "Please provide your name.", - "Poland": "पोल्याण्ड", - "Portugal": "पोर्चुगल", - "Press \/ to search": "प्रेस \/ खोज", - "Preview": "पूर्वावलोकन", - "Previous": "पछिल्लो", - "Privacy Policy": "गोपनीयता नीति", - "Profile": "प्रोफाइल", - "Profile Information": "प्रोफाइल जानकारी", - "Puerto Rico": "पोर्टो रीको", - "Qatar": "Qatar", - "Quarter To Date": "क्वाटरमा मिति", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "पुन कोड", "Regards": "सादर", - "Regenerate Recovery Codes": "सुधारना पुन कोड", - "Register": "दर्ता गर्नुहोस्", - "Reload": "रिलोड गर्नुहोस्", - "Remember me": "मलाई सम्झना", - "Remember Me": "मलाई सम्झनुहोस्", - "Remove": "Remove", - "Remove Photo": "हटाउन फोटो", - "Remove Team Member": "हटाउन टोली सदस्य", - "Resend Verification Email": "फेरी प्रमाणिकरण इमेल", - "Reset Filters": "फिल्टरहरू रिसेट गर्नुहोस्", - "Reset Password": "पासवर्ड रिसेट गर्नुहोस्", - "Reset Password Notification": "पासवर्ड सूचना रिसेट गर्नुहोस्", - "resource": "स्रोत", - "Resources": "स्रोत", - "resources": "स्रोत", - "Restore": "बहाल", - "Restore Resource": "बहाल स्रोत", - "Restore Selected": "बहाल चयन", "results": "परिणाम", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "बैठक", - "Role": "भूमिका", - "Romania": "रोमानिया", - "Run Action": "कार्य सञ्चालन", - "Russian Federation": "रूसी संघ", - "Rwanda": "रवान्डा", - "Réunion": "Réunion", - "Saint Barthelemy": "सेन्ट Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "सेन्ट हेलेना", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "सेन्ट किट्स र नेविस", - "Saint Lucia": "सेन्ट लुसिया", - "Saint Martin": "सेन्ट मार्टिन", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "सेन्ट पियरे र मिक्युलोन", - "Saint Vincent And Grenadines": "सेन्ट भिन्सेन्ट र ग्रेनाडिन्स", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "समोआ", - "San Marino": "सान मारिनो", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "साओ टम र Príncipe", - "Saudi Arabia": "साउदी अरब", - "Save": "बचत", - "Saved.": "मुक्ति । ", - "Search": "Search", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "चयन एक नयाँ फोटो", - "Select Action": "कार्य चयन गर्नुहोस्", - "Select All": "सबै चयन गर्नुहोस्", - "Select All Matching": "चयन गर्नुहोस् सबै मिल्ने", - "Send Password Reset Link": "पासवर्ड रिसेट लिंक पठाउनुहोस्", - "Senegal": "सेनेगल", - "September": "सेप्टेम्बर", - "Serbia": "सर्बिया", "Server Error": "सर्भर त्रुटि", "Service Unavailable": "सेवा अनुपलब्ध", - "Seychelles": "सेचिलिस", - "Show All Fields": "सबै फिल्ड देखाउनुहोस्", - "Show Content": "शो सामग्री", - "Show Recovery Codes": "शो पुन कोड", "Showing": "देखाउने", - "Sierra Leone": "सियरा लियोन", - "Signed in as": "Signed in as", - "Singapore": "सिंगापुर", - "Sint Maarten (Dutch part)": "सिन्ट मार्टिन", - "Slovakia": "स्लोभाकिया", - "Slovenia": "स्लोभेनिया", - "Solomon Islands": "सुलेमान द्वीप", - "Somalia": "सोमालिया", - "Something went wrong.": "केही गलत भयो । ", - "Sorry! You are not authorized to perform this action.": "क्षमा गनुर्होला! You are not अधिकृत to perform this action.", - "Sorry, your session has expired.": "Sorry, your session has expired.", - "South Africa": "दक्षिण अफ्रिका", - "South Georgia And Sandwich Isl.": "दक्षिण जर्जिया र दक्षिण स्याण्डवीच द्वीप", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "दक्षिण सुडान", - "Spain": "स्पेन", - "Sri Lanka": "श्रीलंका", - "Start Polling": "मतदान सुरु", - "State \/ County": "State \/ County", - "Stop Polling": "रोक्न पोलिंग", - "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.": "स्टोर यी पुन कोड मा एक सुरक्षित पासवर्ड प्रबन्धक । तिनीहरूले प्रयोग गर्न सकिन्छ ठीक गर्न आफ्नो खातामा पहुँच छ भने आफ्नो दुई कारक प्रमाणीकरण यन्त्र हराएको छ । ", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "सुडान", - "Suriname": "सुरिनाम", - "Svalbard And Jan Mayen": "स्वाल्बार्ड र मायेन", - "Swaziland": "Eswatini", - "Sweden": "स्वीडेन", - "Switch Teams": "स्विच टोली", - "Switzerland": "स्विट्जरल्याण्ड", - "Syrian Arab Republic": "सिरिया", - "Taiwan": "ताइवान", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "ताजिकिस्तान", - "Tanzania": "तान्जानिया", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "टीम विवरण", - "Team Invitation": "टीम निमन्त्रणा", - "Team Members": "टीम सदस्यहरु", - "Team Name": "टीम नाम", - "Team Owner": "टीम मालिक", - "Team Settings": "टीम बनाइएको", - "Terms of Service": "सेवा सर्तहरू", - "Thailand": "थाईल्याण्ड", - "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.": "धन्यवाद लागि साइन अप! सुरु रही अघि सक्छ, तपाईं प्रमाणित गर्न आफ्नो इमेल ठेगाना लिंक मा क्लिक गरेर, हामी बस emailed to you? If you didn ' t receive the email, we will खुसीसाथ तपाईं पठाउन अर्को.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "यो :attribute हुनुपर्छ वैध भूमिका छ । ", - "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 and 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 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 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.": "यो :attribute कम से कम हुनुपर्छ :length वर्ण.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "यो :resource सिर्जना गरिएको थियो!", - "The :resource was deleted!": "यो :resource मेटिएको थियो!", - "The :resource was restored!": "यो :resource पुनःस्थापित थियो!", - "The :resource was updated!": "यो :resource अद्यावधिक थियो!", - "The action ran successfully!": "कार्य भाग्यो सफलतापूर्वक!", - "The file was deleted!": "फाइल मेटिएको थियो!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "सरकार won ' t let us show you पछि के यी ढोका", - "The HasOne relationship has already been filled.": "यो HasOne सम्बन्ध छ पहिले नै गरिएको भरिएको । ", - "The payment was successful.": "भुक्तानी सफल भएको थियो । ", - "The provided coupon code is invalid.": "The provided coupon code is 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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "स्रोत अद्यावधिक थियो!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "टीम गरेको नाम र मालिक जानकारी । ", - "There are no available options for this resource.": "There are no उपलब्ध विकल्प लागि यो संसाधन । ", - "There was a problem executing the action.": "त्यहाँ एउटा समस्या थियो कार्यान्वयनगर्दै कार्य । ", - "There was a problem submitting the form.": "त्यहाँ थियो एक समस्या फारम पेश.", - "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.": "यी मानिसहरूलाई आमन्त्रित गरिएको छ आफ्नो टीम र पठाइएको निमन्त्रणा ईमेल । तिनीहरूले हुन सक्छ टीम सामेल स्वीकार गरेर इमेल निमन्त्रणा । ", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "यो कार्य अनधिकृत छ।", - "This device": "यो यन्त्र", - "This file field is read-only.": "यस क्षेत्र फाइल पढ्ने मात्र हो । ", - "This image": "यो छवि", - "This is a secure area of the application. Please confirm your password before continuing.": "यो एक सुरक्षित क्षेत्र को आवेदन. कृपया आफ्नो पासवर्ड पुष्टि पहिले जारी.", - "This password does not match our records.": "यो पासवर्ड does not match our records.", "This password reset link will expire in :count minutes.": "यस पासवर्ड रिसेट लिंकको म्याद सकिन्छ :count minutes.", - "This payment was already successfully confirmed.": "यो भुक्तान पहिले नै थियो सफलतापूर्वक पुष्टि । ", - "This payment was cancelled.": "यो भुक्तानी रद्द गरिएको थियो । ", - "This resource no longer exists": "यो संसाधन अब अवस्थित", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "यो प्रयोगकर्ता पहिले नै पट्टी गर्न टीम छ । ", - "This user has already been invited to the team.": "यो प्रयोगकर्ता पहिले नै भएको छ आमन्त्रित गर्न टीम छ । ", - "Timor-Leste": "टिमोर-लेस्टे", "to": "गर्न", - "Today": "आज", "Toggle navigation": "टगल नेभिगेसन", - "Togo": "टोगो", - "Tokelau": "तोगो", - "Token Name": "टोकन नाम", - "Tonga": "आउन", "Too Many Attempts.": "धेरै धेरै प्रयासहरू।", "Too Many Requests": "धेरै धेरै अनुरोधहरू", - "total": "कुल", - "Total:": "Total:", - "Trashed": "फालिएको", - "Trinidad And Tobago": "त्रिनिदाद र टोबागो", - "Tunisia": "टुनिशिया", - "Turkey": "टर्की", - "Turkmenistan": "तुर्कमेनिस्तान", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "तुर्क र काइकोस टापु", - "Tuvalu": "तुभालु", - "Two Factor Authentication": "दुई कारक प्रमाणीकरण", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "दुई कारक प्रमाणीकरण अब सक्षम. स्क्यान निम्न QR कोड आफ्नो फोन को प्रयोग गरेको प्रमाणिकरण आवेदन छ । ", - "Uganda": "युगान्डा", - "Ukraine": "युक्रेन", "Unauthorized": "अनधिकृत", - "United Arab Emirates": "संयुक्त अरब इमिरेट्स", - "United Kingdom": "संयुक्त राज्य अमेरिका", - "United States": "संयुक्त राज्य अमेरिका", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "अमेरिकी आउटलाइंग द्वीप", - "Update": "अपडेट", - "Update & Continue Editing": "अपडेट & सम्पादन जारी राख्नुहोस्", - "Update :resource": "अपडेट :resource", - "Update :resource: :title": "अपडेट :resource: :title", - "Update attached :resource: :title": "अपडेट संलग्न :resource: :title", - "Update Password": "अपडेट Password", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "अपडेट आफ्नो खातामा प्रोफाइल जानकारी र इमेल ठेगाना.", - "Uruguay": "उरुग्वे", - "Use a recovery code": "प्रयोग एक पुन कोड", - "Use an authentication code": "प्रयोग एक प्रमाणीकरण कोड", - "Uzbekistan": "उज्बेकिस्तान", - "Value": "मूल्य", - "Vanuatu": "भानुआतु", - "VAT Number": "VAT Number", - "Venezuela": "भेनेजुएला", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "ईमेल ठेगाना प्रमाणित गर्नुहोस्", "Verify Your Email Address": "तपाईको इ-मेल ठेगाना प्रमाणित गर्नुहोस्", - "Viet Nam": "Vietnam", - "View": "हेर्नुहोस्", - "Virgin Islands, British": "ब्रिटिश भर्जिन टापुहरू", - "Virgin Islands, U.S.": "अमेरिकी भर्जिन टापुहरू", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "वालिस एन्ड फुटुना", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "हामी पत्ता लगाउन असमर्थ थिए एक दर्ता प्रयोगकर्ता संग this email address.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "हामी तपाइँको पासवर्ड केहि घण्टा फेरि सोध्ने छैनौं।", - "We're lost in space. The page you were trying to view does not exist.": "We ' re lost in space. यो पेज तपाईं गर्न प्रयास गरेका थिए हेर्नुहोस् अवस्थित छैन । ", - "Welcome Back!": "फिर्ता स्वागत!", - "Western Sahara": "पश्चिमी सहारा", - "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.": "जब दुई कारक प्रमाणीकरण सक्षम छ, तपाईं हुनेछ गर्नुको लागि एक सुरक्षित, अनियमित टोकन समयमा प्रमाणीकरण. You may पुनःबहाली यो टोकन देखि आफ्नो फोनको गुगल प्रमाणिकरण आवेदन छ । ", - "Whoops": "ओहो", - "Whoops!": "उफ्!", - "Whoops! Something went wrong.": "ओहो! केही गलत भयो । ", - "With Trashed": "संग फालिएको", - "Write": "लेख्न", - "Year To Date": "वर्ष तिथि", - "Yearly": "Yearly", - "Yemen": "Yemeni", - "Yes": "हो", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "तपाईं लग इन हुनुहुन्छ!", - "You are receiving this email because we received a password reset request for your account.": "तपाईं यो ईमेल प्राप्त गर्दै हुनुहुन्छ किनकि हामीले तपाईंको खाताको लागि पासवर्ड रिसेट अनुरोध प्राप्त गर्यौं।", - "You have been invited to join the :team team!": "You have been invited to join :team टीम!", - "You have enabled two factor authentication.": "तपाईं सक्षम दुई कारक प्रमाणीकरण.", - "You have not enabled two factor authentication.": "तपाईं सक्षम छैन दुई कारक प्रमाणीकरण.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "तपाईं मेटाउन सक्छ any of your विद्यमान टोकन तिनीहरूले भने अब आवश्यक.", - "You may not delete your personal team.": "You may not delete आफ्नो व्यक्तिगत टीम । ", - "You may not leave a team that you created.": "तपाईं छोड्न सक्छ कि एक टीम तपाईं सृष्टि गर्नुभयो । ", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "तपाईको इ-मेल ठेगाना प्रमाणित गरिएको छैन।", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "जाम्बिया", - "Zimbabwe": "जिम्बाब्वे", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "तपाईको इ-मेल ठेगाना प्रमाणित गरिएको छैन।" } diff --git a/locales/ne/packages/cashier.json b/locales/ne/packages/cashier.json new file mode 100644 index 00000000000..b3d0cdbe617 --- /dev/null +++ b/locales/ne/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "सबै अधिकार सुरक्षित।", + "Card": "कार्ड", + "Confirm Payment": "पुष्टि भुक्तान", + "Confirm your :amount payment": "Confirm your :amount भुक्तानी", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "अतिरिक्त पुष्टि गर्न आवश्यक छ आफ्नो भुक्तानी प्रक्रिया. Please confirm your payment भरेर बाहिर आफ्नो भुक्तानी विवरण तल.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "अतिरिक्त पुष्टि गर्न आवश्यक छ आफ्नो भुक्तानी प्रक्रिया. कृपया जारी गर्न भुक्तानी page by clicking on the button below.", + "Full name": "पूर्ण नाम", + "Go back": "फिर्ता जान", + "Jane Doe": "Jane Doe", + "Pay :amount": "तिर्न :amount", + "Payment Cancelled": "भुक्तानी रद्द", + "Payment Confirmation": "भुक्तानी पुष्टि", + "Payment Successful": "भुक्तानी सफल", + "Please provide your name.": "Please provide your name.", + "The payment was successful.": "भुक्तानी सफल भएको थियो । ", + "This payment was already successfully confirmed.": "यो भुक्तान पहिले नै थियो सफलतापूर्वक पुष्टि । ", + "This payment was cancelled.": "यो भुक्तानी रद्द गरिएको थियो । " +} diff --git a/locales/ne/packages/fortify.json b/locales/ne/packages/fortify.json new file mode 100644 index 00000000000..ad3ed2bfcfd --- /dev/null +++ b/locales/ne/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 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 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.": "यो :attribute कम से कम हुनुपर्छ :length वर्ण.", + "The provided password does not match your current password.": "प्रदान पासवर्ड मेल खाँदैन आफ्नो हालको पासवर्ड.", + "The provided password was incorrect.": "प्रदान पासवर्ड गलत थियो । ", + "The provided two factor authentication code was invalid.": "प्रदान दुई कारक प्रमाणीकरण कोड अवैध थियो । " +} diff --git a/locales/ne/packages/jetstream.json b/locales/ne/packages/jetstream.json new file mode 100644 index 00000000000..7c67b96fd0f --- /dev/null +++ b/locales/ne/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "एक नयाँ प्रमाणिकरण लिंक गरिएको छ, इमेल ठेगाना पठाइएको छ. तपाईं प्रदान समयमा दर्ता.", + "Accept Invitation": "स्वीकार निमन्त्रणा", + "Add": "थप", + "Add a new team member to your team, allowing them to collaborate with you.": "थप एक नयाँ टीम सदस्य आफ्नो टीम अनुमति, तिनीहरूलाई संग सहकार्य you.", + "Add additional security to your account using two factor authentication.": "थप अतिरिक्त सुरक्षा गर्न आफ्नो खाता प्रयोग गरेर दुई कारक प्रमाणीकरण.", + "Add Team Member": "थप टोली सदस्य", + "Added.": "जोडी । ", + "Administrator": "प्रशासक", + "Administrator users can perform any action.": "प्रशासक प्रयोगकर्ता प्रदर्शन गर्न सक्छन् कुनै पनि कार्य.", + "All of the people that are part of this team.": "सबै मानिसहरूले भन्ने छन्, यो टीम को भाग.", + "Already registered?": "पहिले नै दर्ता?", + "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 टोकन अनुमति दिन्छ तेस्रो-पक्ष सेवाहरू प्रमाणित गर्न हाम्रो आवेदन आफ्नो तर्फबाट.", + "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 टीम? एक पटक एक टीम हटाइएको छ, सबै को आफ्नो स्रोत र डाटा 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? एक पटक आफ्नो खाता मेटिएको छ, सबै को आफ्नो स्रोत र डाटा will be permanently deleted. कृपया पुष्टि गर्न आफ्नो पासवर्ड प्रविष्टि you would like to permanently delete your account.", + "Are you sure you would like to delete this API token?": "Are you sure you would like to delete this API टोकन?", + "Are you sure you would like to leave this team?": "Are you sure you छोड्न चाहन्छु यो टोली?", + "Are you sure you would like to remove this person from the team?": "Are you sure you would like to remove यो व्यक्ति टीम देखि?", + "Browser Sessions": "ब्राउजर सत्र", + "Cancel": "रद्द", + "Close": "Close", + "Code": "कोड", + "Confirm": "पुष्टि", + "Confirm Password": "पासवर्ड सुनिश्चित गर्नुहोस", + "Create": "सिर्जना", + "Create a new team to collaborate with others on projects.": "Create a new टोली संग सहकार्य गर्न अरूलाई मा परियोजनाहरु छ । ", + "Create Account": "खाता सिर्जना गर्नुहोस्", + "Create API Token": "Create API टोकन", + "Create New Team": "नयाँ सिर्जना टीम", + "Create Team": "सिर्जना टीम", + "Created.": "Created.", + "Current Password": "हालको पासवर्ड", + "Dashboard": "ड्यासबोर्ड", + "Delete": "मेटाउन", + "Delete Account": "मेट्नुहोस् खाता", + "Delete API Token": "मेट्नुहोस् API टोकन", + "Delete Team": "मेट्नुहोस् टीम", + "Disable": "अक्षम", + "Done.": "गरेको । ", + "Editor": "सम्पादक", + "Editor users have the ability to read, create, and update.": "सम्पादक प्रयोगकर्ता गर्ने क्षमता छ, पढ्नुहोस्, सिर्जना गर्नुहोस्, र अपडेट.", + "Email": "इमेल", + "Email Password Reset Link": "Email Password Reset Link", + "Enable": "सक्षम", + "Ensure your account is using a long, random password to stay secure.": "सुनिश्चित आफ्नो खाता प्रयोग छ, एक लामो अनियमित पासवर्ड सुरक्षित रहन.", + "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.": "आफ्नो पासवर्ड बिर्सिनुभयो? कुनै समस्या छ । 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.", + "Great! You have accepted the invitation to join the :team team.": "Great! तपाईं निमन्त्रणा स्वीकार गर्न सामेल :team टीम । ", + "I agree to the :terms_of_service and :privacy_policy": "म सहमत :terms_of_service र :privacy_policy", + "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.": "यदि आवश्यक, you may log out सबै को आफ्नो अन्य ब्राउजर सत्र across all of your devices. केही आफ्नो हाल सत्र तल दिइएका छन्; तथापि, यो सूची exhaustive नहुन सक्छ. तपाईं महसुस भने तपाईंको खातामा सम्झौता गरिएको छ, तपाईं पनि गर्नुपर्छ update your password.", + "If you already have an account, you may accept this invitation by clicking the button below:": "तपाईं पहिले देखि नै एक खाता छ भने, तपाईँले यो स्वीकार निमन्त्रणा द्वारा बटन क्लिक तल:", + "If you did not expect to receive an invitation to this team, you may discard this email.": "यदि तपाईं आशा थिएन निमन्त्रणा प्राप्त गर्न यो टोली, you may खारेज यस इमेल.", + "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:": "तपाईं एक खाता छैन भने, तपाईं सिर्जना गर्न सक्छ, एक बटन क्लिक गरेर तल. पछि खाता सिर्जना, you may क्लिक गर्नुहोस् निमन्त्रणा स्वीकृति बटन मा यो इमेल स्वीकार गर्न टीम निमन्त्रणा:", + "Last active": "गत सक्रिय", + "Last used": "गत प्रयोग", + "Leave": "बिदा", + "Leave Team": "Leave टीम", + "Log in": "Log in", + "Log Out": "लग आउट", + "Log Out Other Browser Sessions": "Log Out अन्य ब्राउजर सत्र", + "Manage Account": "खाता व्यवस्थापन", + "Manage and log out your active sessions on other browsers and devices.": "व्यवस्थापन र लग बाहिर आफ्नो सक्रिय सत्र मा अन्य ब्राउजर र उपकरणहरू.", + "Manage API Tokens": "व्यवस्थापन API टोकन", + "Manage Role": "व्यवस्थापन भूमिका", + "Manage Team": "व्यवस्थापन टीम", + "Name": "नाम", + "New Password": "नयाँ पासवर्ड", + "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.": "एक पटक एक टीम हटाइएको छ, सबै को आफ्नो स्रोत र डाटा will be permanently deleted. पहिले मेटाउने यो टीम, डाउनलोड गर्नुहोस् कुनै पनि डाटा वा जानकारी सन्दर्भमा यो टीम तपाईं इच्छा राख्नु गर्न.", + "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.": "एक पटक आफ्नो खाता मेटिएको छ, सबै को आफ्नो स्रोत र डाटा will be permanently deleted. पहिले deleting your account, please डाउनलोड कुनै पनि डाटा वा जानकारी तपाईं इच्छा राख्नु गर्न.", + "Password": "पासवर्ड", + "Pending Team Invitations": "अपूर्ण टीम निम्तो", + "Permanently delete this team.": "स्थायी रूपमा मेट्न यो टीम । ", + "Permanently delete your account.": "स्थायी तपाईंको खाता मेटाउन.", + "Permissions": "अनुमति", + "Photo": "फोटो", + "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 copy your new API token. For your security, it won't be shown again.": "प्रतिलिपि कृपया आफ्नो नयाँ एपीआई टोकन. आफ्नो सुरक्षा को लागि, it won ' t be shown फेरि । ", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "कृपया पुष्टि गर्न आफ्नो पासवर्ड प्रविष्टि गर्न चाहनुहुन्छ लग बाहिर आफ्नो अन्य ब्राउजर सत्र across all of your devices.", + "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 गर्न यो टीम । ", + "Privacy Policy": "गोपनीयता नीति", + "Profile": "प्रोफाइल", + "Profile Information": "प्रोफाइल जानकारी", + "Recovery Code": "पुन कोड", + "Regenerate Recovery Codes": "सुधारना पुन कोड", + "Register": "दर्ता गर्नुहोस्", + "Remember me": "मलाई सम्झना", + "Remove": "Remove", + "Remove Photo": "हटाउन फोटो", + "Remove Team Member": "हटाउन टोली सदस्य", + "Resend Verification Email": "फेरी प्रमाणिकरण इमेल", + "Reset Password": "पासवर्ड रिसेट गर्नुहोस्", + "Role": "भूमिका", + "Save": "बचत", + "Saved.": "मुक्ति । ", + "Select A New Photo": "चयन एक नयाँ फोटो", + "Show Recovery Codes": "शो पुन कोड", + "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.": "स्टोर यी पुन कोड मा एक सुरक्षित पासवर्ड प्रबन्धक । तिनीहरूले प्रयोग गर्न सकिन्छ ठीक गर्न आफ्नो खातामा पहुँच छ भने आफ्नो दुई कारक प्रमाणीकरण यन्त्र हराएको छ । ", + "Switch Teams": "स्विच टोली", + "Team Details": "टीम विवरण", + "Team Invitation": "टीम निमन्त्रणा", + "Team Members": "टीम सदस्यहरु", + "Team Name": "टीम नाम", + "Team Owner": "टीम मालिक", + "Team Settings": "टीम बनाइएको", + "Terms of Service": "सेवा सर्तहरू", + "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.": "धन्यवाद लागि साइन अप! सुरु रही अघि सक्छ, तपाईं प्रमाणित गर्न आफ्नो इमेल ठेगाना लिंक मा क्लिक गरेर, हामी बस emailed to you? If you didn ' t receive the email, we will खुसीसाथ तपाईं पठाउन अर्को.", + "The :attribute must be a valid role.": "यो :attribute हुनुपर्छ वैध भूमिका छ । ", + "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 and 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 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 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.": "यो :attribute कम से कम हुनुपर्छ :length वर्ण.", + "The provided password does not match your current password.": "प्रदान पासवर्ड मेल खाँदैन आफ्नो हालको पासवर्ड.", + "The provided password was incorrect.": "प्रदान पासवर्ड गलत थियो । ", + "The provided two factor authentication code was invalid.": "प्रदान दुई कारक प्रमाणीकरण कोड अवैध थियो । ", + "The team's name and owner information.": "टीम गरेको नाम र मालिक जानकारी । ", + "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.": "यी मानिसहरूलाई आमन्त्रित गरिएको छ आफ्नो टीम र पठाइएको निमन्त्रणा ईमेल । तिनीहरूले हुन सक्छ टीम सामेल स्वीकार गरेर इमेल निमन्त्रणा । ", + "This device": "यो यन्त्र", + "This is a secure area of the application. Please confirm your password before continuing.": "यो एक सुरक्षित क्षेत्र को आवेदन. कृपया आफ्नो पासवर्ड पुष्टि पहिले जारी.", + "This password does not match our records.": "यो पासवर्ड does not match our records.", + "This user already belongs to the team.": "यो प्रयोगकर्ता पहिले नै पट्टी गर्न टीम छ । ", + "This user has already been invited to the team.": "यो प्रयोगकर्ता पहिले नै भएको छ आमन्त्रित गर्न टीम छ । ", + "Token Name": "टोकन नाम", + "Two Factor Authentication": "दुई कारक प्रमाणीकरण", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "दुई कारक प्रमाणीकरण अब सक्षम. स्क्यान निम्न QR कोड आफ्नो फोन को प्रयोग गरेको प्रमाणिकरण आवेदन छ । ", + "Update Password": "अपडेट Password", + "Update your account's profile information and email address.": "अपडेट आफ्नो खातामा प्रोफाइल जानकारी र इमेल ठेगाना.", + "Use a recovery code": "प्रयोग एक पुन कोड", + "Use an authentication code": "प्रयोग एक प्रमाणीकरण कोड", + "We were unable to find a registered user with this email address.": "हामी पत्ता लगाउन असमर्थ थिए एक दर्ता प्रयोगकर्ता संग 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.": "जब दुई कारक प्रमाणीकरण सक्षम छ, तपाईं हुनेछ गर्नुको लागि एक सुरक्षित, अनियमित टोकन समयमा प्रमाणीकरण. You may पुनःबहाली यो टोकन देखि आफ्नो फोनको गुगल प्रमाणिकरण आवेदन छ । ", + "Whoops! Something went wrong.": "ओहो! केही गलत भयो । ", + "You have been invited to join the :team team!": "You have been invited to join :team टीम!", + "You have enabled two factor authentication.": "तपाईं सक्षम दुई कारक प्रमाणीकरण.", + "You have not enabled two factor authentication.": "तपाईं सक्षम छैन दुई कारक प्रमाणीकरण.", + "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.": "तपाईं मेटाउन सक्छ any of your विद्यमान टोकन तिनीहरूले भने अब आवश्यक.", + "You may not delete your personal team.": "You may not delete आफ्नो व्यक्तिगत टीम । ", + "You may not leave a team that you created.": "तपाईं छोड्न सक्छ कि एक टीम तपाईं सृष्टि गर्नुभयो । " +} diff --git a/locales/ne/packages/nova.json b/locales/ne/packages/nova.json new file mode 100644 index 00000000000..314ba543eea --- /dev/null +++ b/locales/ne/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 दिन", + "60 Days": "60 दिन", + "90 Days": "90 दिन", + ":amount Total": ":amount कुल", + ":resource Details": ":resource विवरण", + ":resource Details: :title": ":resource विवरण: :title", + "Action": "कार्य", + "Action Happened At": "मा भयो", + "Action Initiated By": "द्वारा सुरु", + "Action Name": "नाम", + "Action Status": "स्थिति", + "Action Target": "लक्ष्य", + "Actions": "कार्यहरू", + "Add row": "पङ्क्ति थप्न", + "Afghanistan": "अफगानिस्तान", + "Aland Islands": "Åland Islands", + "Albania": "अल्बानिया", + "Algeria": "अल्जेरिया", + "All resources loaded.": "सबै स्रोतहरू लोड.", + "American Samoa": "अमेरिकी सामोआ", + "An error occured while uploading the file.": "एउटा त्रुटि रहन गयो जबकि अपलोड फाइल.", + "Andorra": "एन्डोरान", + "Angola": "अङ्गोला", + "Anguilla": "एन्जुइल्ला", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "अर्को प्रयोगकर्ता अद्यावधिक छ, यो स्रोत देखि यो पेज लोड थियो. कृपया पृष्ठ ताजा र फेरि प्रयास गर्नुहोस् । ", + "Antarctica": "अन्टार्कटिका", + "Antigua And Barbuda": "एंटीगुआ र बारबुडा", + "April": "अप्रिल", + "Are you sure you want to delete the selected resources?": "Are you sure you want to delete चयन गरिएका संसाधन?", + "Are you sure you want to delete this file?": "Are you sure you want to delete this file?", + "Are you sure you want to delete this resource?": "Are you sure you want to delete this स्रोत?", + "Are you sure you want to detach the selected resources?": "Are you sure you want to असंलग्न चयन गरिएका संसाधन?", + "Are you sure you want to detach this resource?": "Are you sure you want to असंलग्न यो संसाधन?", + "Are you sure you want to force delete the selected resources?": "Are you sure you want to शक्ति मेट्नुहोस् चयन गरिएका संसाधन?", + "Are you sure you want to force delete this resource?": "Are you sure you want to शक्ति मेट्न यो संसाधन?", + "Are you sure you want to restore the selected resources?": "Are you sure you want to restore चयन गरिएका संसाधन?", + "Are you sure you want to restore this resource?": "Are you sure you want to restore यो संसाधन?", + "Are you sure you want to run this action?": "Are you sure you want to run this कार्य?", + "Argentina": "अर्जेन्टिना", + "Armenia": "Armenia", + "Aruba": "आरूबा", + "Attach": "संलग्न गर्नुहोस्", + "Attach & Attach Another": "संलग्न & संलग्न अर्को", + "Attach :resource": "संलग्न :resource", + "August": "अगस्ट", + "Australia": "अष्ट्रेलिया", + "Austria": "Austria", + "Azerbaijan": "अजरबैजान", + "Bahamas": "बहामासको", + "Bahrain": "Bahrain", + "Bangladesh": "बंगलादेश", + "Barbados": "बार्बाडोस", + "Belarus": "बेलारुस", + "Belgium": "बेल्जियम", + "Belize": "Belize", + "Benin": "बेनिन", + "Bermuda": "बर्मुडा", + "Bhutan": "भुटान", + "Bolivia": "बोलिभिया", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint इयुस्टाटियस र Sábado", + "Bosnia And Herzegovina": "बोस्निया र हर्जगोभिना", + "Botswana": "बोट्सवाना", + "Bouvet Island": "बुभेट आइल्याण्ड", + "Brazil": "ब्राजिल", + "British Indian Ocean Territory": "बेलायतभारतसमुद्रीभूभाग", + "Brunei Darussalam": "Brunei", + "Bulgaria": "बुल्गेरिया", + "Burkina Faso": "बुर्किना फासो", + "Burundi": "बुरुण्डी", + "Cambodia": "कम्बोडिया", + "Cameroon": "क्यामरुन", + "Canada": "क्यानाडा", + "Cancel": "रद्द", + "Cape Verde": "Cape Verde", + "Cayman Islands": "केमैन द्वीप", + "Central African Republic": "मध्य अफ्रिकी गणतन्त्र", + "Chad": "चाड", + "Changes": "परिवर्तन", + "Chile": "चिली", + "China": "चीन", + "Choose": "छनौट", + "Choose :field": "छनौट :field", + "Choose :resource": "छनौट :resource", + "Choose an option": "एक विकल्प छान्नुहोस्", + "Choose date": "छनौट मिति", + "Choose File": "फाइल रोज्नुहोस्", + "Choose Type": "चयन प्रकार", + "Christmas Island": "क्रिसमस टापु", + "Click to choose": "क्लिक गर्न छनौट", + "Cocos (Keeling) Islands": "कोकोस (कीलिंग) द्वीप", + "Colombia": "कोलम्बिया", + "Comoros": "कोमोरोस", + "Confirm Password": "पासवर्ड सुनिश्चित गर्नुहोस", + "Congo": "Congo", + "Congo, Democratic Republic": "कंगो, लोकतान्त्रिक गणतन्त्र", + "Constant": "निरन्तर", + "Cook Islands": "कुक द्वीप", + "Costa Rica": "कोस्टा रिका", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "फेला पार्न सकेन । ", + "Create": "सिर्जना", + "Create & Add Another": "सिर्जना & Add Another", + "Create :resource": "सिर्जना :resource", + "Croatia": "क्रोएटिया", + "Cuba": "क्युबा", + "Curaçao": "करकाउ", + "Customize": "अनुकूलन गर्नुहोस्", + "Cyprus": "साइप्रस", + "Czech Republic": "चेकिया", + "Dashboard": "ड्यासबोर्ड", + "December": "डिसेम्बर", + "Decrease": "कमी", + "Delete": "मेटाउन", + "Delete File": "फाइल मेटाउन", + "Delete Resource": "मेट्नुहोस् स्रोत", + "Delete Selected": "मेट्नुहोस् चयन", + "Denmark": "डेनमार्क", + "Detach": "असंलग्न", + "Detach Resource": "असंलग्न स्रोत", + "Detach Selected": "असंलग्न चयन", + "Details": "विवरण", + "Djibouti": "डिजिबुटी", + "Do you really want to leave? You have unsaved changes.": "के तपाईं साँच्चै छोड्न चाहनुहुन्छ? तपाईं बचत नगरिएका परिवर्तन छन् । ", + "Dominica": "आइतबार", + "Dominican Republic": "डोमिनिकन गणतन्त्र", + "Download": "डाउनलोड", + "Ecuador": "इक्वेडर", + "Edit": "सम्पादन", + "Edit :resource": "सम्पादन :resource", + "Edit Attached": "सम्पादन संलग्न", + "Egypt": "मिश्र", + "El Salvador": "साल्भाडोर", + "Email Address": "Email Address", + "Equatorial Guinea": "इक्वेटोरियल गिनी", + "Eritrea": "एरित्रिया", + "Estonia": "इस्टोनिया", + "Ethiopia": "इथोपिया", + "Falkland Islands (Malvinas)": "फकल्यान्ड Inseln (माल्भिनास)", + "Faroe Islands": "फारोईद्वीप", + "February": "फेब्रुअरी", + "Fiji": "फिजी", + "Finland": "फिनल्याण्ड", + "Force Delete": "शक्ति मेटाउन", + "Force Delete Resource": "शक्ति मेटाउन स्रोत", + "Force Delete Selected": "शक्ति मेट्नुहोस् चयन", + "Forgot Your Password?": "तपाईको पासवर्ड बिर्सनुभयो?", + "Forgot your password?": "आफ्नो पासवर्ड बिर्सिनुभयो?", + "France": "फ्रान्स", + "French Guiana": "फ्रान्सेली गायना", + "French Polynesia": "फ्रान्सेली पोलिनेशिया", + "French Southern Territories": "फ्रान्सेली दक्षिणी क्षेत्र", + "Gabon": "गाबोन", + "Gambia": "गाम्बिया", + "Georgia": "जर्जिया", + "Germany": "जर्मनी", + "Ghana": "घाना", + "Gibraltar": "जिब्राल्टर", + "Go Home": "घर जाउ", + "Greece": "ग्रीस", + "Greenland": "ग्रीनल्याण्ड", + "Grenada": "ग्रेनेडा", + "Guadeloupe": "ग्वाडेलोप", + "Guam": "गुवाम", + "Guatemala": "ग्वाटेमालामा", + "Guernsey": "गुएर्नेसी", + "Guinea": "गिनी", + "Guinea-Bissau": "गिनी-बिसाउ", + "Guyana": "गुयाना", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "सुने आइल्याण्ड र म्याकडोनाल्ड टापु", + "Hide Content": "लुकाउन सामग्री", + "Hold Up!": "पकड!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "हङकङ", + "Hungary": "हंगेरी", + "Iceland": "आइसल्याण्ड", + "ID": "आईडी", + "If you did not request a password reset, no further action is required.": "यदि तपाईंले पासवर्ड रिसेट अनुरोध गर्नुभएन भने, अगाडि कुनै कार्य आवश्यक पर्दैन।", + "Increase": "वृद्धि", + "India": "भारत", + "Indonesia": "इन्डोनेशिया", + "Iran, Islamic Republic Of": "इरान", + "Iraq": "इराक", + "Ireland": "आयरल्याण्ड", + "Isle Of Man": "मानिसको Isle", + "Israel": "इजरायल", + "Italy": "इटाली", + "Jamaica": "जमाइका", + "January": "जनवरी", + "Japan": "जापान", + "Jersey": "जर्सी", + "Jordan": "जोर्डन", + "July": "जुलाई", + "June": "जुन", + "Kazakhstan": "काजकिस्तान", + "Kenya": "केन्या", + "Key": "कुञ्जी", + "Kiribati": "किरिबाती", + "Korea": "दक्षिण कोरिया", + "Korea, Democratic People's Republic of": "उत्तर कोरिया", + "Kosovo": "कोसोभो", + "Kuwait": "कुवेत", + "Kyrgyzstan": "किर्गिस्तान", + "Lao People's Democratic Republic": "लाओस", + "Latvia": "लाटविया", + "Lebanon": "लेबनान", + "Lens": "चश्मा", + "Lesotho": "लेसोथो", + "Liberia": "लाइबेरिया", + "Libyan Arab Jamahiriya": "लिबिया", + "Liechtenstein": "लिएखटेन्स्टाइन", + "Lithuania": "मासेडोनिया", + "Load :perPage More": "लोड :perPage अधिक", + "Login": "लगइन", + "Logout": "लगआउट", + "Luxembourg": "लक्जमबर्ग", + "Macao": "मकाउ", + "Macedonia": "उत्तर म्यासिडोनिया", + "Madagascar": "मडागास्कर", + "Malawi": "मलावी", + "Malaysia": "मलेशिया", + "Maldives": "माल्दिभ्स", + "Mali": "सानो", + "Malta": "माल्टा", + "March": "मार्च", + "Marshall Islands": "मार्शल द्वीप", + "Martinique": "Martinique", + "Mauritania": "माउरिटानिया", + "Mauritius": "माउरिटिअस", + "May": "सक्छ", + "Mayotte": "मायो", + "Mexico": "मेक्सिको", + "Micronesia, Federated States Of": "माइक्रोनेशिया", + "Moldova": "Moldova", + "Monaco": "मोनाको", + "Mongolia": "मङ्गोलिया", + "Montenegro": "मोन्टेनेग्रो", + "Month To Date": "महिना मिति", + "Montserrat": "मोन्टसेर्राट", + "Morocco": "मोरक्को", + "Mozambique": "मोजाम्बिक", + "Myanmar": "म्यानमार", + "Namibia": "नामिबिया", + "Nauru": "नाउरु", + "Nepal": "नेपाल", + "Netherlands": "नेदरल्याण्ड", + "New": "नयाँ", + "New :resource": "नयाँ :resource", + "New Caledonia": "नयाँ कैलेडोनिया", + "New Zealand": "न्यूजील्याण्ड", + "Next": "अर्को", + "Nicaragua": "निकारागुआ", + "Niger": "नाइजर", + "Nigeria": "नाइजेरिया", + "Niue": "नियू", + "No": "कुनै", + "No :resource matched the given criteria.": "कुनै :resource मिलान दिइएको मापदण्ड छ । ", + "No additional information...": "कुनै अतिरिक्त जानकारी । ..", + "No Current Data": "कुनै हालको डाटा", + "No Data": "कुनै डाटा", + "no file selected": "कुनै फाइल चयन", + "No Increase": "कुनै वृद्धि", + "No Prior Data": "कुनै पूर्व डाटा", + "No Results Found.": "कुनै परिणाम फेला परेन । ", + "Norfolk Island": "नरफक टापु", + "Northern Mariana Islands": "उत्तरी मारिआना द्वीप", + "Norway": "नर्वे", + "Nova User": "नोवा प्रयोगकर्ता", + "November": "नोभेम्बर", + "October": "अक्टोबर", + "of": "को", + "Oman": "ओमान", + "Only Trashed": "मात्र फालिएको", + "Original": "मूल", + "Pakistan": "पाकिस्तान", + "Palau": "पलाउ", + "Palestinian Territory, Occupied": "प्यालेस्टाइनी इलाकामा", + "Panama": "Panama", + "Papua New Guinea": "पापुआ न्यु गिनी", + "Paraguay": "प्यारागुवा", + "Password": "पासवर्ड", + "Per Page": "प्रति पृष्ठ", + "Peru": "पेरु", + "Philippines": "फिलिपिन्स", + "Pitcairn": "पिटकाइर्न", + "Poland": "पोल्याण्ड", + "Portugal": "पोर्चुगल", + "Press \/ to search": "प्रेस \/ खोज", + "Preview": "पूर्वावलोकन", + "Previous": "पछिल्लो", + "Puerto Rico": "पोर्टो रीको", + "Qatar": "Qatar", + "Quarter To Date": "क्वाटरमा मिति", + "Reload": "रिलोड गर्नुहोस्", + "Remember Me": "मलाई सम्झनुहोस्", + "Reset Filters": "फिल्टरहरू रिसेट गर्नुहोस्", + "Reset Password": "पासवर्ड रिसेट गर्नुहोस्", + "Reset Password Notification": "पासवर्ड सूचना रिसेट गर्नुहोस्", + "resource": "स्रोत", + "Resources": "स्रोत", + "resources": "स्रोत", + "Restore": "बहाल", + "Restore Resource": "बहाल स्रोत", + "Restore Selected": "बहाल चयन", + "Reunion": "बैठक", + "Romania": "रोमानिया", + "Run Action": "कार्य सञ्चालन", + "Russian Federation": "रूसी संघ", + "Rwanda": "रवान्डा", + "Saint Barthelemy": "सेन्ट Barthélemy", + "Saint Helena": "सेन्ट हेलेना", + "Saint Kitts And Nevis": "सेन्ट किट्स र नेविस", + "Saint Lucia": "सेन्ट लुसिया", + "Saint Martin": "सेन्ट मार्टिन", + "Saint Pierre And Miquelon": "सेन्ट पियरे र मिक्युलोन", + "Saint Vincent And Grenadines": "सेन्ट भिन्सेन्ट र ग्रेनाडिन्स", + "Samoa": "समोआ", + "San Marino": "सान मारिनो", + "Sao Tome And Principe": "साओ टम र Príncipe", + "Saudi Arabia": "साउदी अरब", + "Search": "Search", + "Select Action": "कार्य चयन गर्नुहोस्", + "Select All": "सबै चयन गर्नुहोस्", + "Select All Matching": "चयन गर्नुहोस् सबै मिल्ने", + "Send Password Reset Link": "पासवर्ड रिसेट लिंक पठाउनुहोस्", + "Senegal": "सेनेगल", + "September": "सेप्टेम्बर", + "Serbia": "सर्बिया", + "Seychelles": "सेचिलिस", + "Show All Fields": "सबै फिल्ड देखाउनुहोस्", + "Show Content": "शो सामग्री", + "Sierra Leone": "सियरा लियोन", + "Singapore": "सिंगापुर", + "Sint Maarten (Dutch part)": "सिन्ट मार्टिन", + "Slovakia": "स्लोभाकिया", + "Slovenia": "स्लोभेनिया", + "Solomon Islands": "सुलेमान द्वीप", + "Somalia": "सोमालिया", + "Something went wrong.": "केही गलत भयो । ", + "Sorry! You are not authorized to perform this action.": "क्षमा गनुर्होला! You are not अधिकृत to perform this action.", + "Sorry, your session has expired.": "Sorry, your session has expired.", + "South Africa": "दक्षिण अफ्रिका", + "South Georgia And Sandwich Isl.": "दक्षिण जर्जिया र दक्षिण स्याण्डवीच द्वीप", + "South Sudan": "दक्षिण सुडान", + "Spain": "स्पेन", + "Sri Lanka": "श्रीलंका", + "Start Polling": "मतदान सुरु", + "Stop Polling": "रोक्न पोलिंग", + "Sudan": "सुडान", + "Suriname": "सुरिनाम", + "Svalbard And Jan Mayen": "स्वाल्बार्ड र मायेन", + "Swaziland": "Eswatini", + "Sweden": "स्वीडेन", + "Switzerland": "स्विट्जरल्याण्ड", + "Syrian Arab Republic": "सिरिया", + "Taiwan": "ताइवान", + "Tajikistan": "ताजिकिस्तान", + "Tanzania": "तान्जानिया", + "Thailand": "थाईल्याण्ड", + "The :resource was created!": "यो :resource सिर्जना गरिएको थियो!", + "The :resource was deleted!": "यो :resource मेटिएको थियो!", + "The :resource was restored!": "यो :resource पुनःस्थापित थियो!", + "The :resource was updated!": "यो :resource अद्यावधिक थियो!", + "The action ran successfully!": "कार्य भाग्यो सफलतापूर्वक!", + "The file was deleted!": "फाइल मेटिएको थियो!", + "The government won't let us show you what's behind these doors": "सरकार won ' t let us show you पछि के यी ढोका", + "The HasOne relationship has already been filled.": "यो HasOne सम्बन्ध छ पहिले नै गरिएको भरिएको । ", + "The resource was updated!": "स्रोत अद्यावधिक थियो!", + "There are no available options for this resource.": "There are no उपलब्ध विकल्प लागि यो संसाधन । ", + "There was a problem executing the action.": "त्यहाँ एउटा समस्या थियो कार्यान्वयनगर्दै कार्य । ", + "There was a problem submitting the form.": "त्यहाँ थियो एक समस्या फारम पेश.", + "This file field is read-only.": "यस क्षेत्र फाइल पढ्ने मात्र हो । ", + "This image": "यो छवि", + "This resource no longer exists": "यो संसाधन अब अवस्थित", + "Timor-Leste": "टिमोर-लेस्टे", + "Today": "आज", + "Togo": "टोगो", + "Tokelau": "तोगो", + "Tonga": "आउन", + "total": "कुल", + "Trashed": "फालिएको", + "Trinidad And Tobago": "त्रिनिदाद र टोबागो", + "Tunisia": "टुनिशिया", + "Turkey": "टर्की", + "Turkmenistan": "तुर्कमेनिस्तान", + "Turks And Caicos Islands": "तुर्क र काइकोस टापु", + "Tuvalu": "तुभालु", + "Uganda": "युगान्डा", + "Ukraine": "युक्रेन", + "United Arab Emirates": "संयुक्त अरब इमिरेट्स", + "United Kingdom": "संयुक्त राज्य अमेरिका", + "United States": "संयुक्त राज्य अमेरिका", + "United States Outlying Islands": "अमेरिकी आउटलाइंग द्वीप", + "Update": "अपडेट", + "Update & Continue Editing": "अपडेट & सम्पादन जारी राख्नुहोस्", + "Update :resource": "अपडेट :resource", + "Update :resource: :title": "अपडेट :resource: :title", + "Update attached :resource: :title": "अपडेट संलग्न :resource: :title", + "Uruguay": "उरुग्वे", + "Uzbekistan": "उज्बेकिस्तान", + "Value": "मूल्य", + "Vanuatu": "भानुआतु", + "Venezuela": "भेनेजुएला", + "Viet Nam": "Vietnam", + "View": "हेर्नुहोस्", + "Virgin Islands, British": "ब्रिटिश भर्जिन टापुहरू", + "Virgin Islands, U.S.": "अमेरिकी भर्जिन टापुहरू", + "Wallis And Futuna": "वालिस एन्ड फुटुना", + "We're lost in space. The page you were trying to view does not exist.": "We ' re lost in space. यो पेज तपाईं गर्न प्रयास गरेका थिए हेर्नुहोस् अवस्थित छैन । ", + "Welcome Back!": "फिर्ता स्वागत!", + "Western Sahara": "पश्चिमी सहारा", + "Whoops": "ओहो", + "Whoops!": "उफ्!", + "With Trashed": "संग फालिएको", + "Write": "लेख्न", + "Year To Date": "वर्ष तिथि", + "Yemen": "Yemeni", + "Yes": "हो", + "You are receiving this email because we received a password reset request for your account.": "तपाईं यो ईमेल प्राप्त गर्दै हुनुहुन्छ किनकि हामीले तपाईंको खाताको लागि पासवर्ड रिसेट अनुरोध प्राप्त गर्यौं।", + "Zambia": "जाम्बिया", + "Zimbabwe": "जिम्बाब्वे" +} diff --git a/locales/ne/packages/spark-paddle.json b/locales/ne/packages/spark-paddle.json new file mode 100644 index 00000000000..0489beaf7fc --- /dev/null +++ b/locales/ne/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "सेवा सर्तहरू", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "ओहो! केही गलत भयो । ", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/ne/packages/spark-stripe.json b/locales/ne/packages/spark-stripe.json new file mode 100644 index 00000000000..a5a0e783973 --- /dev/null +++ b/locales/ne/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "अफगानिस्तान", + "Albania": "अल्बानिया", + "Algeria": "अल्जेरिया", + "American Samoa": "अमेरिकी सामोआ", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "एन्डोरान", + "Angola": "अङ्गोला", + "Anguilla": "एन्जुइल्ला", + "Antarctica": "अन्टार्कटिका", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "अर्जेन्टिना", + "Armenia": "Armenia", + "Aruba": "आरूबा", + "Australia": "अष्ट्रेलिया", + "Austria": "Austria", + "Azerbaijan": "अजरबैजान", + "Bahamas": "बहामासको", + "Bahrain": "Bahrain", + "Bangladesh": "बंगलादेश", + "Barbados": "बार्बाडोस", + "Belarus": "बेलारुस", + "Belgium": "बेल्जियम", + "Belize": "Belize", + "Benin": "बेनिन", + "Bermuda": "बर्मुडा", + "Bhutan": "भुटान", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "बोट्सवाना", + "Bouvet Island": "बुभेट आइल्याण्ड", + "Brazil": "ब्राजिल", + "British Indian Ocean Territory": "बेलायतभारतसमुद्रीभूभाग", + "Brunei Darussalam": "Brunei", + "Bulgaria": "बुल्गेरिया", + "Burkina Faso": "बुर्किना फासो", + "Burundi": "बुरुण्डी", + "Cambodia": "कम्बोडिया", + "Cameroon": "क्यामरुन", + "Canada": "क्यानाडा", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Cape Verde", + "Card": "कार्ड", + "Cayman Islands": "केमैन द्वीप", + "Central African Republic": "मध्य अफ्रिकी गणतन्त्र", + "Chad": "चाड", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "चिली", + "China": "चीन", + "Christmas Island": "क्रिसमस टापु", + "City": "City", + "Cocos (Keeling) Islands": "कोकोस (कीलिंग) द्वीप", + "Colombia": "कोलम्बिया", + "Comoros": "कोमोरोस", + "Confirm Payment": "पुष्टि भुक्तान", + "Confirm your :amount payment": "Confirm your :amount भुक्तानी", + "Congo": "Congo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "कुक द्वीप", + "Costa Rica": "कोस्टा रिका", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "क्रोएटिया", + "Cuba": "क्युबा", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "साइप्रस", + "Czech Republic": "चेकिया", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "डेनमार्क", + "Djibouti": "डिजिबुटी", + "Dominica": "आइतबार", + "Dominican Republic": "डोमिनिकन गणतन्त्र", + "Download Receipt": "Download Receipt", + "Ecuador": "इक्वेडर", + "Egypt": "मिश्र", + "El Salvador": "साल्भाडोर", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "इक्वेटोरियल गिनी", + "Eritrea": "एरित्रिया", + "Estonia": "इस्टोनिया", + "Ethiopia": "इथोपिया", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "अतिरिक्त पुष्टि गर्न आवश्यक छ आफ्नो भुक्तानी प्रक्रिया. कृपया जारी गर्न भुक्तानी page by clicking on the button below.", + "Falkland Islands (Malvinas)": "फकल्यान्ड Inseln (माल्भिनास)", + "Faroe Islands": "फारोईद्वीप", + "Fiji": "फिजी", + "Finland": "फिनल्याण्ड", + "France": "फ्रान्स", + "French Guiana": "फ्रान्सेली गायना", + "French Polynesia": "फ्रान्सेली पोलिनेशिया", + "French Southern Territories": "फ्रान्सेली दक्षिणी क्षेत्र", + "Gabon": "गाबोन", + "Gambia": "गाम्बिया", + "Georgia": "जर्जिया", + "Germany": "जर्मनी", + "Ghana": "घाना", + "Gibraltar": "जिब्राल्टर", + "Greece": "ग्रीस", + "Greenland": "ग्रीनल्याण्ड", + "Grenada": "ग्रेनेडा", + "Guadeloupe": "ग्वाडेलोप", + "Guam": "गुवाम", + "Guatemala": "ग्वाटेमालामा", + "Guernsey": "गुएर्नेसी", + "Guinea": "गिनी", + "Guinea-Bissau": "गिनी-बिसाउ", + "Guyana": "गुयाना", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "हङकङ", + "Hungary": "हंगेरी", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "आइसल्याण्ड", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "भारत", + "Indonesia": "इन्डोनेशिया", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "इराक", + "Ireland": "आयरल्याण्ड", + "Isle of Man": "Isle of Man", + "Israel": "इजरायल", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "इटाली", + "Jamaica": "जमाइका", + "Japan": "जापान", + "Jersey": "जर्सी", + "Jordan": "जोर्डन", + "Kazakhstan": "काजकिस्तान", + "Kenya": "केन्या", + "Kiribati": "किरिबाती", + "Korea, Democratic People's Republic of": "उत्तर कोरिया", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "कुवेत", + "Kyrgyzstan": "किर्गिस्तान", + "Lao People's Democratic Republic": "लाओस", + "Latvia": "लाटविया", + "Lebanon": "लेबनान", + "Lesotho": "लेसोथो", + "Liberia": "लाइबेरिया", + "Libyan Arab Jamahiriya": "लिबिया", + "Liechtenstein": "लिएखटेन्स्टाइन", + "Lithuania": "मासेडोनिया", + "Luxembourg": "लक्जमबर्ग", + "Macao": "मकाउ", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "मडागास्कर", + "Malawi": "मलावी", + "Malaysia": "मलेशिया", + "Maldives": "माल्दिभ्स", + "Mali": "सानो", + "Malta": "माल्टा", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "मार्शल द्वीप", + "Martinique": "Martinique", + "Mauritania": "माउरिटानिया", + "Mauritius": "माउरिटिअस", + "Mayotte": "मायो", + "Mexico": "मेक्सिको", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "मोनाको", + "Mongolia": "मङ्गोलिया", + "Montenegro": "मोन्टेनेग्रो", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "मोन्टसेर्राट", + "Morocco": "मोरक्को", + "Mozambique": "मोजाम्बिक", + "Myanmar": "म्यानमार", + "Namibia": "नामिबिया", + "Nauru": "नाउरु", + "Nepal": "नेपाल", + "Netherlands": "नेदरल्याण्ड", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "नयाँ कैलेडोनिया", + "New Zealand": "न्यूजील्याण्ड", + "Nicaragua": "निकारागुआ", + "Niger": "नाइजर", + "Nigeria": "नाइजेरिया", + "Niue": "नियू", + "Norfolk Island": "नरफक टापु", + "Northern Mariana Islands": "उत्तरी मारिआना द्वीप", + "Norway": "नर्वे", + "Oman": "ओमान", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "पाकिस्तान", + "Palau": "पलाउ", + "Palestinian Territory, Occupied": "प्यालेस्टाइनी इलाकामा", + "Panama": "Panama", + "Papua New Guinea": "पापुआ न्यु गिनी", + "Paraguay": "प्यारागुवा", + "Payment Information": "Payment Information", + "Peru": "पेरु", + "Philippines": "फिलिपिन्स", + "Pitcairn": "पिटकाइर्न", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "पोल्याण्ड", + "Portugal": "पोर्चुगल", + "Puerto Rico": "पोर्टो रीको", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "रोमानिया", + "Russian Federation": "रूसी संघ", + "Rwanda": "रवान्डा", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "सेन्ट हेलेना", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "सेन्ट लुसिया", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "समोआ", + "San Marino": "सान मारिनो", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "साउदी अरब", + "Save": "बचत", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "सेनेगल", + "Serbia": "सर्बिया", + "Seychelles": "सेचिलिस", + "Sierra Leone": "सियरा लियोन", + "Signed in as": "Signed in as", + "Singapore": "सिंगापुर", + "Slovakia": "स्लोभाकिया", + "Slovenia": "स्लोभेनिया", + "Solomon Islands": "सुलेमान द्वीप", + "Somalia": "सोमालिया", + "South Africa": "दक्षिण अफ्रिका", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "स्पेन", + "Sri Lanka": "श्रीलंका", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "सुडान", + "Suriname": "सुरिनाम", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "स्वीडेन", + "Switzerland": "स्विट्जरल्याण्ड", + "Syrian Arab Republic": "सिरिया", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "ताजिकिस्तान", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "सेवा सर्तहरू", + "Thailand": "थाईल्याण्ड", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "टिमोर-लेस्टे", + "Togo": "टोगो", + "Tokelau": "तोगो", + "Tonga": "आउन", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "टुनिशिया", + "Turkey": "टर्की", + "Turkmenistan": "तुर्कमेनिस्तान", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "तुभालु", + "Uganda": "युगान्डा", + "Ukraine": "युक्रेन", + "United Arab Emirates": "संयुक्त अरब इमिरेट्स", + "United Kingdom": "संयुक्त राज्य अमेरिका", + "United States": "संयुक्त राज्य अमेरिका", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "अपडेट", + "Update Payment Information": "Update Payment Information", + "Uruguay": "उरुग्वे", + "Uzbekistan": "उज्बेकिस्तान", + "Vanuatu": "भानुआतु", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "ब्रिटिश भर्जिन टापुहरू", + "Virgin Islands, U.S.": "अमेरिकी भर्जिन टापुहरू", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "पश्चिमी सहारा", + "Whoops! Something went wrong.": "ओहो! केही गलत भयो । ", + "Yearly": "Yearly", + "Yemen": "Yemeni", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "जाम्बिया", + "Zimbabwe": "जिम्बाब्वे", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/nl/nl.json b/locales/nl/nl.json index c1f1bcd9ff4..c5a8cca7573 100644 --- a/locales/nl/nl.json +++ b/locales/nl/nl.json @@ -1,710 +1,48 @@ { - "30 Days": "30 dagen", - "60 Days": "60 dagen", - "90 Days": "90 dagen", - ":amount Total": ":amount Totaal", - ":days day trial": ":days dagen proberen", - ":resource Details": ":resource Informatie", - ":resource Details: :title": ":resource Informatie: :title", "A fresh verification link has been sent to your email address.": "Er is een nieuwe verificatielink naar je e-mailadres verstuurd.", - "A new verification link has been sent to the email address you provided during registration.": "Er is een nieuwe verificatielink verstuurd naar het e-mailadres dat je ingegeven hebt tijdens de registratie.", - "Accept Invitation": "Uitnodiging accepteren", - "Action": "Actie", - "Action Happened At": "Actie gebeurd op", - "Action Initiated By": "Actie uitgevoerd door", - "Action Name": "Actie naam", - "Action Status": "Actie status", - "Action Target": "Actie doel", - "Actions": "Acties", - "Add": "Toevoegen", - "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 additional security to your account using two factor authentication.": "Voeg extra beveiliging toe aan je account met twee-factor-authenticatie.", - "Add row": "Rij toevoegen", - "Add Team Member": "Teamlid toevoegen", - "Add VAT Number": "BTW-nummer toevoegen", - "Added.": "Toegevoegd.", - "Address": "Adres", - "Address Line 2": "Adres regel 2", - "Administrator": "Beheerder", - "Administrator users can perform any action.": "Beheerders kunnen elke actie uitvoeren.", - "Afghanistan": "Afghanistan", - "Aland Islands": "Åland", - "Albania": "Albanië", - "Algeria": "Algerije", - "All of the people that are part of this team.": "Alle mensen die deel uitmaken van dit team.", - "All resources loaded.": "Alle middelen geladen.", - "All rights reserved.": "Alle rechten voorbehouden.", - "Already registered?": "Al geregistreerd?", - "American Samoa": "Samoa", - "An error occured while uploading the file.": "Er is een fout opgetreden tijdens het uploaden van het bestand.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "Er is een onverwachte fout opgetreden en we hebben ons support team op de hoogte gesteld. Probeer het later nog eens.", - "Andorra": "Andorraans", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Een andere gebruiker heeft deze bron bijgewerkt sinds deze pagina is geladen. Vernieuw de pagina en probeer het opnieuw.", - "Antarctica": "Antarctica", - "Antigua and Barbuda": "Antigua en Barbuda", - "Antigua And Barbuda": "Antigua en Barbuda", - "API Token": "API-token", - "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 andere services zich als jou authenticeren in onze applicatie.", - "April": "April", - "Are you sure you want to delete the selected resources?": "Weet u zeker dat u de geselecteerde bronnen wilt verwijderen?", - "Are you sure you want to delete this file?": "Weet u zeker dat u dit bestand wilt verwijderen?", - "Are you sure you want to delete this resource?": "Weet u zeker dat u deze bron wilt verwijderen?", - "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 want to detach the selected resources?": "Weet u zeker dat u de geselecteerde bronnen wilt loskoppelen?", - "Are you sure you want to detach this resource?": "Weet u zeker dat u deze bron wilt loskoppelen?", - "Are you sure you want to force delete the selected resources?": "Weet u zeker dat u de geselecteerde bronnen wilt verwijderen?", - "Are you sure you want to force delete this resource?": "Weet u zeker dat u deze hulpbron wilt verwijderen?", - "Are you sure you want to restore the selected resources?": "Weet u zeker dat u de geselecteerde bronnen wilt herstellen?", - "Are you sure you want to restore this resource?": "Weet u zeker dat u deze bron wilt herstellen?", - "Are you sure you want to run this action?": "Weet je zeker dat je deze actie wilt uitvoeren?", - "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 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 je zeker dat je deze persoon uit het team wilt verwijderen?", - "Argentina": "Argentinië", - "Armenia": "Armenia", - "Aruba": "Aruba", - "Attach": "Hechten", - "Attach & Attach Another": "Een Andere Bijlage Toevoegen", - "Attach :resource": "Bijlage :resource", - "August": "Augustus", - "Australia": "Australië", - "Austria": "Oostenrijk", - "Azerbaijan": "Azerbeidzjan", - "Bahamas": "Bahama", - "Bahrain": "Bahrein", - "Bangladesh": "Bangladesh", - "Barbados": "Barbadiaanse", "Before proceeding, please check your email for a verification link.": "Om verder te gaan, check je e-mail voor een verificatielink.", - "Belarus": "Belarus", - "Belgium": "België", - "Belize": "Belizaanse", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bhutan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius en Sábado", - "Bosnia And Herzegovina": "Bosnië en Herzegovina", - "Bosnia and Herzegovina": "Bosnië en Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvet Island", - "Brazil": "Brazilië", - "British Indian Ocean Territory": "Brits Gebied Van De Indische Oceaan", - "Browser Sessions": "Browsersessies", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgarije", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundese", - "Cambodia": "Cambodja", - "Cameroon": "Kameroen", - "Canada": "Canada", - "Cancel": "Annuleren", - "Cancel Subscription": "Abonnement annuleren", - "Cape Verde": "Kaapverdië", - "Card": "Kaart", - "Cayman Islands": "Caymaneilanden", - "Central African Republic": "Centraal-Afrikaanse Republiek", - "Chad": "Tsjaad", - "Change Subscription Plan": "Wijzig abonnement", - "Changes": "Wijzigen", - "Chile": "Chili", - "China": "China", - "Choose": "Kiezen", - "Choose :field": "Kies :field", - "Choose :resource": "Kies :resource", - "Choose an option": "Kies een optie", - "Choose date": "Kies datum", - "Choose File": "Bestand Kiezen", - "Choose Type": "Kies Type", - "Christmas Island": "Christmaseiland", - "City": "Stad", "click here to request another": "klik hier om een ander aan te vragen", - "Click to choose": "Klik om te kiezen", - "Close": "Sluit", - "Cocos (Keeling) Islands": "Cocoseilanden", - "Code": "Code", - "Colombia": "Colombia", - "Comoros": "Comoro", - "Confirm": "Bevestig", - "Confirm Password": "Bevestig wachtwoord", - "Confirm Payment": "Betaling Bevestigen", - "Confirm your :amount payment": "Bevestig uw :amount betaling", - "Congo": "Congo", - "Congo, Democratic Republic": "Congo, Democratische Republiek", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Constant", - "Cook Islands": "Cookeilanden", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "kan niet worden gevonden.", - "Country": "Land", - "Coupon": "Bon", - "Create": "Maak aan", - "Create & Add Another": "Een Andere Aanmaken & Toevoegen", - "Create :resource": "Maak :resource", - "Create a new team to collaborate with others on projects.": "Maak een nieuw team aan om met anderen aan projecten samen te werken.", - "Create Account": "Account aanmaken", - "Create API Token": "Maak een API-token", - "Create New Team": "Maak nieuw team aan", - "Create Team": "Maak team aan", - "Created.": "Aangemaakt.", - "Croatia": "Kroatië", - "Cuba": "Cuba", - "Curaçao": "Curaçao", - "Current Password": "Huidig wachtwoord", - "Current Subscription Plan": "Huidig abonnement", - "Currently Subscribed": "Huidig abonnement", - "Customize": "Aanpassen", - "Cyprus": "Cyprus", - "Czech Republic": "Tsjechië", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Dashboard", - "December": "December", - "Decrease": "Verminderen", - "Delete": "Verwijder", - "Delete Account": "Account Verwijderen", - "Delete API Token": "API-token Verwijderen", - "Delete File": "Bestand Verwijderen", - "Delete Resource": "Hulpbron Verwijderen", - "Delete Selected": "Selectie Verwijderen", - "Delete Team": "Team Verwijderen", - "Denmark": "Denemarken", - "Detach": "Losmaken", - "Detach Resource": "Hulpbron Losmaken", - "Detach Selected": "Geselecteerde Losmaken", - "Details": "Informatie", - "Disable": "Schakel uit", - "Djibouti": "Djiboutiaanse", - "Do you really want to leave? You have unsaved changes.": "Wil je echt weg? Je hebt niet-opgeslagen veranderingen.", - "Dominica": "Zondag", - "Dominican Republic": "Dominicaanse Republiek", - "Done.": "Klaar.", - "Download": "Downloaden", - "Download Receipt": "Download bon", "E-Mail Address": "E-mailadres", - "Ecuador": "Ecuador", - "Edit": "Aanpassen", - "Edit :resource": "Aanpassen :resource", - "Edit Attached": "Bewerken Als Bijlage", - "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.", - "Egypt": "Egypte", - "El Salvador": "Salvador", - "Email": "E-mailadres", - "Email Address": "E-mailadres", - "Email Addresses": "E-mailadressen", - "Email Password Reset Link": "Verstuur link", - "Enable": "Schakel in", - "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.", - "Equatorial Guinea": "Equatoriaal-Guinea", - "Eritrea": "Eritrea", - "Estonia": "Estland", - "Ethiopia": "Ethiopië", - "ex VAT": "ex BTW", - "Extra Billing Information": "Extra koop informatie", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Extra bevestiging is nodig om uw betaling te verwerken. Bevestig uw betaling door hieronder uw betalingsgegevens in te vullen.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra bevestiging is nodig om uw betaling te verwerken. Ga naar de betaalpagina door op de onderstaande knop te klikken.", - "Falkland Islands (Malvinas)": "Falklandeilanden", - "Faroe Islands": "Faroer Eilanden", - "February": "Februari", - "Fiji": "Fiji", - "Finland": "Finland", - "For your security, please confirm your password to continue.": "Bevestig voor de zekerheid je wachtwoord om door te gaan.", "Forbidden": "Geen toegang", - "Force Delete": "Forceer Verwijderen", - "Force Delete Resource": "Bron Verwijderen Forceren", - "Force Delete Selected": "Verwijder Selectie Forceren", - "Forgot Your Password?": "Wachtwoord Vergeten?", - "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.", - "France": "Frankrijk", - "French Guiana": "Frans Guyana", - "French Polynesia": "Frans-Polynesië", - "French Southern Territories": "Franse Zuidelijke Gebieden", - "Full name": "Volledige naam", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Georgia", - "Germany": "Duitsland", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Terug", - "Go Home": "Terug naar de voorpagina", "Go to page :page": "Ga naar pagina :page", - "Great! You have accepted the invitation to join the :team team.": "Mooizo! Je hebt de uitnodiging om deel te nemen aan :team geaccepteerd.", - "Greece": "Griekenland", - "Greenland": "Groenland", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinee", - "Guinea-Bissau": "Guinee-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Kortingscode?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Twijfelt u over het annuleren van uw abonnement? U kunt uw abonnement op elk moment direct weer activeren tot het eind van het huidige betalingstermijn. Nadat uw huidige abonnement is afgelopen kunt u een ander abonnement kiezen.", - "Heard Island & Mcdonald Islands": "Heard Eiland & McDonald Eilanden", - "Heard Island and McDonald Islands": "Heard Eiland en McDonald Eilanden", "Hello!": "Hallo!", - "Hide Content": "Inhoud Verbergen", - "Hold Up!": "Wacht Even!", - "Holy See (Vatican City State)": "Vaticaanstad", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Hongarije", - "I agree to the :terms_of_service and :privacy_policy": "Ik ga akkoord met de :terms_of_service en de :privacy_policy", - "Iceland": "IJsland", - "ID": "ID", - "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 uitloggen bij al uw andere browsersessies op al uw apparaten. Sommige 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 bij te werken.", "If necessary, you may logout 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 kan je je afmelden op alle andere browser sessies op al je apparaten. Enkele van je recente sessies staan hieronder vermeld. Het is echter mogelijk dat deze lijst niet volledig is. Als je denkt dat je account is gehackt, is het ook verstandig om je wachtwoord aan te passen.", - "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 receive the email": "Als je de e-mail niet hebt ontvangen:", - "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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "Is het nodig om specifieke contact- of BTW gegevens toe te voegen aan je bonnen, zoals je volledige bedrijfsnaam, BTW-nummer, of adress, dan kan je dat hier toevoegen.", "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:", - "Increase": "Verhogen", - "India": "India", - "Indonesia": "Indonesië", "Invalid signature.": "Ongeldige handtekening.", - "Iran, Islamic Republic of": "Iran", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Irak", - "Ireland": "Ierland", - "Isle of Man": "Eiland Man", - "Isle Of Man": "Eiland Man", - "Israel": "Israël", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "Het lijkt erop dat je geen actief abonnement hebt. Je kunt een van de volgende abonnementen kiezen om te beginnen. Abonnementen kunnen altijd worden gewijzigd of gestopt wanneer het jou uitkomt.", - "Italy": "Italië", - "Jamaica": "Jamaïca", - "January": "Januari", - "Japan": "Japan", - "Jersey": "Jersey", - "Jordan": "Jordanië", - "July": "Juli", - "June": "Juni", - "Kazakhstan": "Kazachstan", - "Kenya": "Kenia", - "Key": "Toets", - "Kiribati": "Kiribati", - "Korea": "Korea", - "Korea, Democratic People's Republic of": "Noord-Korea", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Koeweit", - "Kyrgyzstan": "Kirgizië", - "Lao People's Democratic Republic": "Laos", - "Last active": "Laatst actief", - "Last used": "Laatst gebruikt", - "Latvia": "Letland", - "Leave": "Verlaat", - "Leave Team": "Team Verlaten", - "Lebanon": "Libanon", - "Lens": "Lens", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libië", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Litouwen", - "Load :perPage More": "Laad :perPage Meer", - "Log in": "Inloggen", "Log out": "Uitloggen", - "Log Out": "Uitloggen", - "Log Out Other Browser Sessions": "Uitloggen bij alle sessies", - "Login": "Inloggen", - "Logout": "Uitloggen", "Logout Other Browser Sessions": "Uitloggen bij alle sessies", - "Luxembourg": "Luxemburg", - "Macao": "Macau", - "Macedonia": "Noord-Macedonië", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagascar", - "Malawi": "Malawi", - "Malaysia": "Maleisië", - "Maldives": "Malediven", - "Mali": "Klein", - "Malta": "Malta", - "Manage Account": "Accountbeheer", - "Manage and log out your active sessions on other browsers and devices.": "Beheer je actieve sessies op andere browsers en andere apparaten.", "Manage and logout 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 Role": "Beheer Rol", - "Manage Team": "Beheer Team", - "Managing billing for :billableName": "Facturering beheren voor :billableName", - "March": "Maart", - "Marshall Islands": "Marshall-Eilanden", - "Martinique": "Martinique", - "Mauritania": "Mauritanië", - "Mauritius": "Mauritius", - "May": "Mei", - "Mayotte": "Mayotte", - "Mexico": "Mexico", - "Micronesia, Federated States Of": "Micronesië", - "Moldova": "Moldavië", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monaco", - "Mongolia": "Mongolië", - "Montenegro": "Montenegro", - "Month To Date": "Maand Tot Datum", - "Monthly": "Maandelijks", - "monthly": "maandelijks", - "Montserrat": "Montserrat", - "Morocco": "Marokko", - "Mozambique": "Mozambique", - "Myanmar": "Myanmar", - "Name": "Naam", - "Namibia": "Namibië", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Nederland", - "Netherlands Antilles": "Nederlandse Antillen", "Nevermind": "Laat maar", - "Nevermind, I'll keep my old plan": "Laar maar, ik hou mijn oude abonnement", - "New": "Nieuwe", - "New :resource": "Nieuwe :resource", - "New Caledonia": "Nieuw-Caledonië", - "New Password": "Nieuw wachtwoord", - "New Zealand": "Nieuw Zeeland", - "Next": "Volgende", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "Nee", - "No :resource matched the given criteria.": "Geen :resource stemt overeen met de gegeven criteria.", - "No additional information...": "Geen aanvullende informatie...", - "No Current Data": "Geen huidige gegevens", - "No Data": "Geen gegevens", - "no file selected": "geen bestand geselecteerd", - "No Increase": "Geen Verhoging", - "No Prior Data": "Geen Voorafgaande Gegevens", - "No Results Found.": "Geen Resultaten Gevonden.", - "Norfolk Island": "Min. Orde: 1set \/ Sets", - "Northern Mariana Islands": "Verpakkingen: Houten Doos", - "Norway": "Noorwegen", "Not Found": "Niet gevonden", - "Nova User": "Nova Gebruiker", - "November": "November", - "October": "Oktober", - "of": "van", "Oh no": "Oh nee", - "Oman": "Oman", - "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 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 Trashed": "Enkel Verwijderde", - "Original": "Origineel", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Ons betalingssysteem zorgt ervoor dat jij makkelijk je abonnement en betaalmethode kunt beheren, en recente facturen kunt downloaden.", "Page Expired": "Pagina niet meer geldig", "Pagination Navigation": "Paginanavigatie", - "Pakistan": "Pakistaanse", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Palestijnse Gebieden", - "Panama": "Panama", - "Papua New Guinea": "Papoea - Nieuw-Guinea", - "Paraguay": "Paraguay", - "Password": "Wachtwoord", - "Pay :amount": "Betaal :amount", - "Payment Cancelled": "Betaling geannuleerd", - "Payment Confirmation": "Betaalbevestiging", - "Payment Information": "Betalingsinformatie", - "Payment Successful": "Betaling succesvol", - "Pending Team Invitations": "Openstaande Team uitnodigingen", - "Per Page": "Per pagina", - "Permanently delete this team.": "Verwijder dit team definitief.", - "Permanently delete your account.": "Verwijder je account permanent.", - "Permissions": "Rechten", - "Peru": "Peru", - "Philippines": "Filipijnen", - "Photo": "Foto", - "Pitcairn": "Pitcairn-Eilanden", "Please click the button below to verify your email address.": "Klik op de knop hieronder om je e-mailadres te verifiëren.", - "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 your password before continuing.": "Bevestig je wachtwoord om verder te gaan.", - "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 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 enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Voer je wachtwoord in om te bevestigen dat je je wilt afmelden van je andere browsersessies op al je apparaten.", - "Please provide a maximum of three receipt emails addresses.": "Geef een maximum van drie factuur e-mailadressen.", - "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 provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Geef het e-mailadres op van de persoon die je aan dit team wilt toevoegen. Het e-mailadres moet zijn gekoppeld aan een bestaand account.", - "Please provide your name.": "Gelieve uw naam op te geven.", - "Poland": "Polen", - "Portugal": "Portugal", - "Press \/ to search": "Druk \/ om te zoeken", - "Preview": "Voorvertoning", - "Previous": "Vorige", - "Privacy Policy": "Privacybeleid", - "Profile": "Profiel", - "Profile Information": "Profiel Informatie", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Kwartaal Tot Heden", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Herstelcode", "Regards": "Met vriendelijke groet", - "Regenerate Recovery Codes": "Herstelcodes Opnieuw Genereren", - "Register": "Registreren", - "Reload": "Herladen", - "Remember me": "Onthouden", - "Remember Me": "Onthoud mij", - "Remove": "Verwijder", - "Remove Photo": "Foto Verwijderen", - "Remove Team Member": "Teamlid Verwijderen", - "Resend Verification Email": "Verificatiemail opnieuw versturen", - "Reset Filters": "Reset Alle Filters", - "Reset Password": "Wachtwoord herstellen", - "Reset Password Notification": "Wachtwoordherstel notificatie", - "resource": "bron", - "Resources": "Bronnen", - "resources": "bronnen", - "Restore": "Herstel", - "Restore Resource": "Herstel Bron", - "Restore Selected": "Herstel Geselecteerde", "results": "resultaten", - "Resume Subscription": "Verder met abonnement", - "Return to :appName": "Terug naar :appName", - "Reunion": "Vergadering", - "Role": "Rol", - "Romania": "Roemenië", - "Run Action": "Voer Actie Uit", - "Russian Federation": "Russische Federatie", - "Rwanda": "Rwandese", - "Réunion": "Réunion", - "Saint Barthelemy": "St. Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Sint-Helena", - "Saint Kitts and Nevis": "Saint Kitts en Nevis", - "Saint Kitts And Nevis": "St. Kitts En Nevis", - "Saint Lucia": "Saint Lucia", - "Saint Martin": "St. Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre en Miquelon", - "Saint Pierre And Miquelon": "Saint Pierre En Miquelon", - "Saint Vincent And Grenadines": "Saint Vincent En De Grenadines", - "Saint Vincent and the Grenadines": "Saint Vincent en de Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome en Principe", - "Sao Tome And Principe": "Sao Tomé En Principe", - "Saudi Arabia": "Saoedi-Arabië", - "Save": "Opslaan", - "Saved.": "Opgeslagen.", - "Search": "Zoek", - "Select": "Selecteer", - "Select a different plan": "Selecteer een ander abonnement", - "Select A New Photo": "Selecteer Een Nieuwe Foto", - "Select Action": "Selecteer Actie", - "Select All": "Selecteer Alle", - "Select All Matching": "Selecteer Alle Overeenkomstige", - "Send Password Reset Link": "Verstuur link voor wachtwoordherstel", - "Senegal": "Senegal", - "September": "September", - "Serbia": "Servië", "Server Error": "Server fout", "Service Unavailable": "Website onbeschikbaar", - "Seychelles": "Seychellen", - "Show All Fields": "Toon alle velden", - "Show Content": "Toon inhoud", - "Show Recovery Codes": "Toon herstelcodes", "Showing": "Toont", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Ingelogd als", - "Singapore": "Singapore", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slowakije", - "Slovenia": "Slovenië", - "Solomon Islands": "Solomon eilanden", - "Somalia": "Somalië", - "Something went wrong.": "Er ging iets mis.", - "Sorry! You are not authorized to perform this action.": "Sorry! Je bent niet bevoegd om deze actie uit te voeren.", - "Sorry, your session has expired.": "Sorry, je sessie is niet meer geldig.", - "South Africa": "Zuid Afrika", - "South Georgia And Sandwich Isl.": "Zuid-Georgië en Zuidelijke Sandwicheilanden", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Zuid Soedan", - "Spain": "Spanje", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Start Polling", - "State \/ County": "Provincie", - "Stop Polling": "Stop Polling", - "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 twee-factor-authenticatieapparaat verloren is gegaan.", - "Subscribe": "Aanmelden", - "Subscription Information": "Abonnementsinformatie", - "Sudan": "Soedan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Spitsbergen en Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Zweden", - "Switch Teams": "Wissel Van Team", - "Switzerland": "Zwitserland", - "Syrian Arab Republic": "Syrische Arabische Republiek", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tadzjikistan", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Teamdetails", - "Team Invitation": "Team uitnodiging", - "Team Members": "Teamleden", - "Team Name": "Teamnaam", - "Team Owner": "Team Eigenaar", - "Team Settings": "Team Instellingen", - "Terms of Service": "Algemene voorwaarden", - "Thailand": "Thailand", - "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 je registratie! Wil je voordat je begint je e-mailadres verifiëren door op de link te klikken die we je zojuist via mail hebben verstuurd? Als je de e-mail niet hebt ontvangen, sturen we je graag een nieuwe.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Bedankt voor je aanhoudende steun. We hebben een kopie van je factuur bijgevoegd. Laat het ons weten wanneer je vragen of bedenkingen hebt.", - "Thanks,": "Bedankt,", - "The :attribute must be a valid role.": "Het :attribute moet een geldige rol 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 and one number.": "De :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 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 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 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.": "Het :attribute moet minstens :length karakters lang zijn.", "The :attribute must contain at least one letter.": "Het :attribute moet minimaal één letter bevatten.", "The :attribute must contain at least one number.": "Het :attribute moet minimaal één cijfer bevatten .", "The :attribute must contain at least one symbol.": "Het :attribute moet minimaal één symbool bevatten.", "The :attribute must contain at least one uppercase and one lowercase letter.": "Het :attribute moet minimaal één hoofdletter en één kleine letter bevatten.", - "The :resource was created!": "De :resource werd gemaakt!", - "The :resource was deleted!": "De :resource is verwijderd!", - "The :resource was restored!": "De :resource werd gerestaureerd!", - "The :resource was updated!": "De :resource is bijgewerkt!", - "The action ran successfully!": "De actie liep met succes!", - "The file was deleted!": "Het bestand is verwijderd!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "Het :attribute is aangetroffen in een datalek. Geef een ander :attribute.", - "The government won't let us show you what's behind these doors": "De regering laat ons niet zien wat er achter deze deuren zit.", - "The HasOne relationship has already been filled.": "De HasOne relatie is al vervuld.", - "The payment was successful.": "De betaling was succesvol.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "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 twee-factor-authenticatiecode was ongeldig.", - "The provided VAT number is invalid.": "Het opgegeven BTW-nummer is niet geldig.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "De bron is bijgewerkt!", - "The selected country is invalid.": "Het geselecteerde land is ongeldig.", - "The selected plan is invalid.": "Het geselecteerde abonnement is ongeldig.", - "The team's name and owner information.": "De naam van het team en de informatie over de eigenaar.", - "There are no available options for this resource.": "Er zijn geen beschikbare opties voor deze bron.", - "There was a problem executing the action.": "Er was een probleem met de uitvoering van de actie.", - "There was a problem submitting the form.": "Er was een probleem met het indienen van het formulier.", - "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.", - "This account does not have an active subscription.": "Dit account heeft geen actief abonnement.", "This action is unauthorized.": "Deze actie is niet toegestaan.", - "This device": "Dit apparaat", - "This file field is read-only.": "Dit bestand veld is alleen-lezen.", - "This image": "Deze afbeelding", - "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 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 payment was already successfully confirmed.": "Deze betaling werd al met succes bevestigd.", - "This payment was cancelled.": "Deze betaling werd geannuleerd.", - "This resource no longer exists": "Deze hulpbron bestaat niet meer", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "Dit abonnement is verlopen en kan niet worden voortgezet. Maak een nieuwe abonnement aan.", - "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.", - "Timor-Leste": "Oost-Timor", "to": "tot", - "Today": "Vandaag", "Toggle navigation": "Schakel navigatie", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Token Naam", - "Tonga": "Tonga", "Too Many Attempts.": "Te veel pogingen.", "Too Many Requests": "Te veel serververzoeken", - "total": "totaal", - "Total:": "Total:", - "Trashed": "Verwijderd", - "Trinidad And Tobago": "Trinidad en Tobago", - "Tunisia": "Tunesië", - "Turkey": "Turkije", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Turks- en Caicoseilanden", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Twee-factor-authenticatie", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Twee-factor-authenticatie is nu ingeschakeld. Scan de volgende QR-code met de authenticatie applicatie op je telefoon.", - "Uganda": "Oeganda", - "Ukraine": "Oekraïne", "Unauthorized": "Onbevoegd", - "United Arab Emirates": "Verenigde Arabische Emiraten", - "United Kingdom": "Verenigd Koninkrijk", - "United States": "Verenigde Staten", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "Amerikaanse afgelegen eilanden", - "Update": "Bewerk", - "Update & Continue Editing": "Bewerk & Blijf Bewerken", - "Update :resource": "Bewerk :resource", - "Update :resource: :title": "Bewerk :resource: :title", - "Update attached :resource: :title": "Bewerk bijgevoegd :resource: :title", - "Update Password": "Wachtwoord Aanpassen", - "Update Payment Information": "Bewerk betalingsinformatie", - "Update your account's profile information and email address.": "Pas je profiel informatie en e-mailadres aan.", - "Uruguay": "Uruguayaanse", - "Use a recovery code": "Gebruik een herstelcode", - "Use an authentication code": "Gebruik een autorisatiecode", - "Uzbekistan": "Oezbekistan", - "Value": "Waarde", - "Vanuatu": "Vanuatu", - "VAT Number": "BTW-nummer", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Verifieer e-mailadres", "Verify Your Email Address": "Verifieer je e-mailadres", - "Viet Nam": "Vietnam", - "View": "Bekijk", - "Virgin Islands, British": "Britse Maagdeneilanden", - "Virgin Islands, U.S.": "Amerikaanse Maagdeneilanden", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis en Futuna", - "We are unable to process your payment. Please contact customer support.": "We kunnen uw betaling niet verwerken. Neem contact op met de klantenservice.", - "We were unable to find a registered user with this email address.": "Er is geen gebruiker met dit mailadres.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "We zullen je de komende uren niet nogmaals om je wachtwoord vragen.", - "We're lost in space. The page you were trying to view does not exist.": "We zijn verloren in de ruimte. De opgevraagde pagina bestaat niet.", - "Welcome Back!": "Welkom terug!", - "Western Sahara": "Westelijke Sahara", - "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 twee-factor-authenticatie is ingeschakeld, wordt je tijdens de authenticatie om een veilige, willekeurige token gevraagd. Je kunt dit token ophalen uit de Google Authenticator-applicatie op je telefoon.", - "Whoops": "Oeps", - "Whoops!": "Oeps!", - "Whoops! Something went wrong.": "Oeps! Er is iets misgelopen.", - "With Trashed": "Met Verwijderde", - "Write": "Schrijven", - "Year To Date": "Jaar Tot Heden", - "Yearly": "Jaarlijks", - "Yemen": "Jemen", - "Yes": "Ja", - "You are currently within your free trial period. Your trial will expire on :date.": "Je maakt nu gebruik van een gratis proefabonnement. Je proefabonnement verloopt op :date.", "You are logged in!": "Je bent ingelogd!", - "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 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 twee-factor-authenticatie ingeschakeld.", - "You have not enabled two factor authentication.": "Je hebt twee-factor-authenticatie niet ingeschakeld.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "Je kunt je abonnement op elk moment stoppen. Wanneer je abonnement is gestopt heb je de mogelijkheid het abonnement voort te zetten tot het eind van je betalingsperiode.", - "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.", - "Your :invoiceName invoice is now available!": "Je factuur :invoiceName is nu beschikbaar!", - "Your card was declined. Please contact your card issuer for more information.": "Je kaart is geweigerd. Gelieve contact op te nemen met je kaart aanbieder voor meer informatie.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Je huidige betalingsmethode is een creditkaart eindigend op :lastFour die verloopt op :expiration.", - "Your email address is not verified.": "Je e-mailadres is niet geverifieerd.", - "Your registered VAT Number is :vatNumber.": "Je geregistreerde BTW-nummer is :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Postcode" + "Your email address is not verified.": "Je e-mailadres is niet geverifieerd." } diff --git a/locales/nl/packages/cashier.json b/locales/nl/packages/cashier.json new file mode 100644 index 00000000000..babd5654102 --- /dev/null +++ b/locales/nl/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Alle rechten voorbehouden.", + "Card": "Kaart", + "Confirm Payment": "Betaling Bevestigen", + "Confirm your :amount payment": "Bevestig uw :amount betaling", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Extra bevestiging is nodig om uw betaling te verwerken. Bevestig uw betaling door hieronder uw betalingsgegevens in te vullen.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra bevestiging is nodig om uw betaling te verwerken. Ga naar de betaalpagina door op de onderstaande knop te klikken.", + "Full name": "Volledige naam", + "Go back": "Terug", + "Jane Doe": "Jane Doe", + "Pay :amount": "Betaal :amount", + "Payment Cancelled": "Betaling geannuleerd", + "Payment Confirmation": "Betaalbevestiging", + "Payment Successful": "Betaling succesvol", + "Please provide your name.": "Gelieve uw naam op te geven.", + "The payment was successful.": "De betaling was succesvol.", + "This payment was already successfully confirmed.": "Deze betaling werd al met succes bevestigd.", + "This payment was cancelled.": "Deze betaling werd geannuleerd." +} diff --git a/locales/nl/packages/fortify.json b/locales/nl/packages/fortify.json new file mode 100644 index 00000000000..bad9db8ef69 --- /dev/null +++ b/locales/nl/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and one number.": "De :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 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 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 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.": "Het :attribute moet minstens :length karakters lang zijn.", + "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 twee-factor-authenticatiecode was ongeldig." +} diff --git a/locales/nl/packages/jetstream.json b/locales/nl/packages/jetstream.json new file mode 100644 index 00000000000..9277488b5d5 --- /dev/null +++ b/locales/nl/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Er is een nieuwe verificatielink verstuurd naar het e-mailadres dat je ingegeven hebt tijdens de registratie.", + "Accept Invitation": "Uitnodiging accepteren", + "Add": "Toevoegen", + "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 additional security to your account using two factor authentication.": "Voeg extra beveiliging toe aan je account met twee-factor-authenticatie.", + "Add Team Member": "Teamlid toevoegen", + "Added.": "Toegevoegd.", + "Administrator": "Beheerder", + "Administrator users can perform any action.": "Beheerders kunnen elke actie uitvoeren.", + "All of the people that are part of this team.": "Alle mensen die deel uitmaken van dit team.", + "Already registered?": "Al geregistreerd?", + "API Token": "API-token", + "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 andere services zich als jou authenticeren in onze applicatie.", + "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 delete this API token?": "Weet je zeker dat je deze API-token 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 je zeker dat je deze persoon uit het team wilt verwijderen?", + "Browser Sessions": "Browsersessies", + "Cancel": "Annuleren", + "Close": "Sluit", + "Code": "Code", + "Confirm": "Bevestig", + "Confirm Password": "Bevestig wachtwoord", + "Create": "Maak 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 Account": "Account aanmaken", + "Create API Token": "Maak een API-token", + "Create New Team": "Maak nieuw team aan", + "Create Team": "Maak team aan", + "Created.": "Aangemaakt.", + "Current Password": "Huidig wachtwoord", + "Dashboard": "Dashboard", + "Delete": "Verwijder", + "Delete Account": "Account Verwijderen", + "Delete API Token": "API-token Verwijderen", + "Delete Team": "Team Verwijderen", + "Disable": "Schakel uit", + "Done.": "Klaar.", + "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.", + "Email": "E-mailadres", + "Email Password Reset Link": "Verstuur link", + "Enable": "Schakel in", + "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.", + "For your security, please confirm your password to continue.": "Bevestig voor de zekerheid je wachtwoord om door te gaan.", + "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.", + "Great! You have accepted the invitation to join the :team team.": "Mooizo! Je hebt de uitnodiging om deel te nemen aan :team geaccepteerd.", + "I agree to the :terms_of_service and :privacy_policy": "Ik ga akkoord met de :terms_of_service en de :privacy_policy", + "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 uitloggen bij al uw andere browsersessies op al uw apparaten. Sommige 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 bij te werken.", + "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 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 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:", + "Last active": "Laatst actief", + "Last used": "Laatst gebruikt", + "Leave": "Verlaat", + "Leave Team": "Team Verlaten", + "Log in": "Inloggen", + "Log Out": "Uitloggen", + "Log Out Other Browser Sessions": "Uitloggen bij alle sessies", + "Manage Account": "Accountbeheer", + "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 Role": "Beheer Rol", + "Manage Team": "Beheer Team", + "Name": "Naam", + "New Password": "Nieuw wachtwoord", + "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 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.", + "Password": "Wachtwoord", + "Pending Team Invitations": "Openstaande Team uitnodigingen", + "Permanently delete this team.": "Verwijder dit team definitief.", + "Permanently delete your account.": "Verwijder je account permanent.", + "Permissions": "Rechten", + "Photo": "Foto", + "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 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 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 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.", + "Privacy Policy": "Privacybeleid", + "Profile": "Profiel", + "Profile Information": "Profiel Informatie", + "Recovery Code": "Herstelcode", + "Regenerate Recovery Codes": "Herstelcodes Opnieuw Genereren", + "Register": "Registreren", + "Remember me": "Onthouden", + "Remove": "Verwijder", + "Remove Photo": "Foto Verwijderen", + "Remove Team Member": "Teamlid Verwijderen", + "Resend Verification Email": "Verificatiemail opnieuw versturen", + "Reset Password": "Wachtwoord herstellen", + "Role": "Rol", + "Save": "Opslaan", + "Saved.": "Opgeslagen.", + "Select A New Photo": "Selecteer Een Nieuwe Foto", + "Show Recovery Codes": "Toon herstelcodes", + "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 twee-factor-authenticatieapparaat verloren is gegaan.", + "Switch Teams": "Wissel Van Team", + "Team Details": "Teamdetails", + "Team Invitation": "Team uitnodiging", + "Team Members": "Teamleden", + "Team Name": "Teamnaam", + "Team Owner": "Team Eigenaar", + "Team Settings": "Team Instellingen", + "Terms of Service": "Algemene voorwaarden", + "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 je registratie! Wil je voordat je begint je e-mailadres verifiëren door op de link te klikken die we je zojuist via mail hebben verstuurd? Als je de e-mail niet hebt ontvangen, sturen we je graag een nieuwe.", + "The :attribute must be a valid role.": "Het :attribute moet een geldige rol 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 and one number.": "De :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 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 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 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.": "Het :attribute moet minstens :length karakters lang zijn.", + "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 twee-factor-authenticatiecode was ongeldig.", + "The team's name and owner information.": "De naam van het team en de informatie over de eigenaar.", + "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.", + "This device": "Dit apparaat", + "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 password does not match our records.": "Het wachtwoord is onbekend.", + "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.", + "Token Name": "Token Naam", + "Two Factor Authentication": "Twee-factor-authenticatie", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Twee-factor-authenticatie is nu ingeschakeld. Scan de volgende QR-code met de authenticatie applicatie op je telefoon.", + "Update Password": "Wachtwoord Aanpassen", + "Update your account's profile information and email address.": "Pas je profiel informatie en e-mailadres aan.", + "Use a recovery code": "Gebruik een herstelcode", + "Use an authentication code": "Gebruik een autorisatiecode", + "We were unable to find a registered user with this email address.": "Er is geen gebruiker met dit mailadres.", + "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 twee-factor-authenticatie is ingeschakeld, wordt je tijdens de authenticatie om een veilige, willekeurige token gevraagd. Je kunt dit token ophalen uit de Google Authenticator-applicatie op je telefoon.", + "Whoops! Something went wrong.": "Oeps! Er is iets misgelopen.", + "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 twee-factor-authenticatie ingeschakeld.", + "You have not enabled two factor authentication.": "Je hebt twee-factor-authenticatie niet ingeschakeld.", + "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.": "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." +} diff --git a/locales/nl/packages/nova.json b/locales/nl/packages/nova.json new file mode 100644 index 00000000000..228d3754b5d --- /dev/null +++ b/locales/nl/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 dagen", + "60 Days": "60 dagen", + "90 Days": "90 dagen", + ":amount Total": ":amount Totaal", + ":resource Details": ":resource Informatie", + ":resource Details: :title": ":resource Informatie: :title", + "Action": "Actie", + "Action Happened At": "Actie gebeurd op", + "Action Initiated By": "Actie uitgevoerd door", + "Action Name": "Actie naam", + "Action Status": "Actie status", + "Action Target": "Actie doel", + "Actions": "Acties", + "Add row": "Rij toevoegen", + "Afghanistan": "Afghanistan", + "Aland Islands": "Åland", + "Albania": "Albanië", + "Algeria": "Algerije", + "All resources loaded.": "Alle middelen geladen.", + "American Samoa": "Samoa", + "An error occured while uploading the file.": "Er is een fout opgetreden tijdens het uploaden van het bestand.", + "Andorra": "Andorraans", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Een andere gebruiker heeft deze bron bijgewerkt sinds deze pagina is geladen. Vernieuw de pagina en probeer het opnieuw.", + "Antarctica": "Antarctica", + "Antigua And Barbuda": "Antigua en Barbuda", + "April": "April", + "Are you sure you want to delete the selected resources?": "Weet u zeker dat u de geselecteerde bronnen wilt verwijderen?", + "Are you sure you want to delete this file?": "Weet u zeker dat u dit bestand wilt verwijderen?", + "Are you sure you want to delete this resource?": "Weet u zeker dat u deze bron wilt verwijderen?", + "Are you sure you want to detach the selected resources?": "Weet u zeker dat u de geselecteerde bronnen wilt loskoppelen?", + "Are you sure you want to detach this resource?": "Weet u zeker dat u deze bron wilt loskoppelen?", + "Are you sure you want to force delete the selected resources?": "Weet u zeker dat u de geselecteerde bronnen wilt verwijderen?", + "Are you sure you want to force delete this resource?": "Weet u zeker dat u deze hulpbron wilt verwijderen?", + "Are you sure you want to restore the selected resources?": "Weet u zeker dat u de geselecteerde bronnen wilt herstellen?", + "Are you sure you want to restore this resource?": "Weet u zeker dat u deze bron wilt herstellen?", + "Are you sure you want to run this action?": "Weet je zeker dat je deze actie wilt uitvoeren?", + "Argentina": "Argentinië", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Attach": "Hechten", + "Attach & Attach Another": "Een Andere Bijlage Toevoegen", + "Attach :resource": "Bijlage :resource", + "August": "Augustus", + "Australia": "Australië", + "Austria": "Oostenrijk", + "Azerbaijan": "Azerbeidzjan", + "Bahamas": "Bahama", + "Bahrain": "Bahrein", + "Bangladesh": "Bangladesh", + "Barbados": "Barbadiaanse", + "Belarus": "Belarus", + "Belgium": "België", + "Belize": "Belizaanse", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius en Sábado", + "Bosnia And Herzegovina": "Bosnië en Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brazilië", + "British Indian Ocean Territory": "Brits Gebied Van De Indische Oceaan", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgarije", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundese", + "Cambodia": "Cambodja", + "Cameroon": "Kameroen", + "Canada": "Canada", + "Cancel": "Annuleren", + "Cape Verde": "Kaapverdië", + "Cayman Islands": "Caymaneilanden", + "Central African Republic": "Centraal-Afrikaanse Republiek", + "Chad": "Tsjaad", + "Changes": "Wijzigen", + "Chile": "Chili", + "China": "China", + "Choose": "Kiezen", + "Choose :field": "Kies :field", + "Choose :resource": "Kies :resource", + "Choose an option": "Kies een optie", + "Choose date": "Kies datum", + "Choose File": "Bestand Kiezen", + "Choose Type": "Kies Type", + "Christmas Island": "Christmaseiland", + "Click to choose": "Klik om te kiezen", + "Cocos (Keeling) Islands": "Cocoseilanden", + "Colombia": "Colombia", + "Comoros": "Comoro", + "Confirm Password": "Bevestig wachtwoord", + "Congo": "Congo", + "Congo, Democratic Republic": "Congo, Democratische Republiek", + "Constant": "Constant", + "Cook Islands": "Cookeilanden", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "kan niet worden gevonden.", + "Create": "Maak aan", + "Create & Add Another": "Een Andere Aanmaken & Toevoegen", + "Create :resource": "Maak :resource", + "Croatia": "Kroatië", + "Cuba": "Cuba", + "Curaçao": "Curaçao", + "Customize": "Aanpassen", + "Cyprus": "Cyprus", + "Czech Republic": "Tsjechië", + "Dashboard": "Dashboard", + "December": "December", + "Decrease": "Verminderen", + "Delete": "Verwijder", + "Delete File": "Bestand Verwijderen", + "Delete Resource": "Hulpbron Verwijderen", + "Delete Selected": "Selectie Verwijderen", + "Denmark": "Denemarken", + "Detach": "Losmaken", + "Detach Resource": "Hulpbron Losmaken", + "Detach Selected": "Geselecteerde Losmaken", + "Details": "Informatie", + "Djibouti": "Djiboutiaanse", + "Do you really want to leave? You have unsaved changes.": "Wil je echt weg? Je hebt niet-opgeslagen veranderingen.", + "Dominica": "Zondag", + "Dominican Republic": "Dominicaanse Republiek", + "Download": "Downloaden", + "Ecuador": "Ecuador", + "Edit": "Aanpassen", + "Edit :resource": "Aanpassen :resource", + "Edit Attached": "Bewerken Als Bijlage", + "Egypt": "Egypte", + "El Salvador": "Salvador", + "Email Address": "E-mailadres", + "Equatorial Guinea": "Equatoriaal-Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estland", + "Ethiopia": "Ethiopië", + "Falkland Islands (Malvinas)": "Falklandeilanden", + "Faroe Islands": "Faroer Eilanden", + "February": "Februari", + "Fiji": "Fiji", + "Finland": "Finland", + "Force Delete": "Forceer Verwijderen", + "Force Delete Resource": "Bron Verwijderen Forceren", + "Force Delete Selected": "Verwijder Selectie Forceren", + "Forgot Your Password?": "Wachtwoord Vergeten?", + "Forgot your password?": "Wachtwoord vergeten?", + "France": "Frankrijk", + "French Guiana": "Frans Guyana", + "French Polynesia": "Frans-Polynesië", + "French Southern Territories": "Franse Zuidelijke Gebieden", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Duitsland", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "Terug naar de voorpagina", + "Greece": "Griekenland", + "Greenland": "Groenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinee", + "Guinea-Bissau": "Guinee-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Heard Eiland & McDonald Eilanden", + "Hide Content": "Inhoud Verbergen", + "Hold Up!": "Wacht Even!", + "Holy See (Vatican City State)": "Vaticaanstad", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hongarije", + "Iceland": "IJsland", + "ID": "ID", + "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.", + "Increase": "Verhogen", + "India": "India", + "Indonesia": "Indonesië", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Irak", + "Ireland": "Ierland", + "Isle Of Man": "Eiland Man", + "Israel": "Israël", + "Italy": "Italië", + "Jamaica": "Jamaïca", + "January": "Januari", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordanië", + "July": "Juli", + "June": "Juni", + "Kazakhstan": "Kazachstan", + "Kenya": "Kenia", + "Key": "Toets", + "Kiribati": "Kiribati", + "Korea": "Korea", + "Korea, Democratic People's Republic of": "Noord-Korea", + "Kosovo": "Kosovo", + "Kuwait": "Koeweit", + "Kyrgyzstan": "Kirgizië", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Letland", + "Lebanon": "Libanon", + "Lens": "Lens", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libië", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litouwen", + "Load :perPage More": "Laad :perPage Meer", + "Login": "Inloggen", + "Logout": "Uitloggen", + "Luxembourg": "Luxemburg", + "Macao": "Macau", + "Macedonia": "Noord-Macedonië", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Maleisië", + "Maldives": "Malediven", + "Mali": "Klein", + "Malta": "Malta", + "March": "Maart", + "Marshall Islands": "Marshall-Eilanden", + "Martinique": "Martinique", + "Mauritania": "Mauritanië", + "Mauritius": "Mauritius", + "May": "Mei", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States Of": "Micronesië", + "Moldova": "Moldavië", + "Monaco": "Monaco", + "Mongolia": "Mongolië", + "Montenegro": "Montenegro", + "Month To Date": "Maand Tot Datum", + "Montserrat": "Montserrat", + "Morocco": "Marokko", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibië", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Nederland", + "New": "Nieuwe", + "New :resource": "Nieuwe :resource", + "New Caledonia": "Nieuw-Caledonië", + "New Zealand": "Nieuw Zeeland", + "Next": "Volgende", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "Nee", + "No :resource matched the given criteria.": "Geen :resource stemt overeen met de gegeven criteria.", + "No additional information...": "Geen aanvullende informatie...", + "No Current Data": "Geen huidige gegevens", + "No Data": "Geen gegevens", + "no file selected": "geen bestand geselecteerd", + "No Increase": "Geen Verhoging", + "No Prior Data": "Geen Voorafgaande Gegevens", + "No Results Found.": "Geen Resultaten Gevonden.", + "Norfolk Island": "Min. Orde: 1set \/ Sets", + "Northern Mariana Islands": "Verpakkingen: Houten Doos", + "Norway": "Noorwegen", + "Nova User": "Nova Gebruiker", + "November": "November", + "October": "Oktober", + "of": "van", + "Oman": "Oman", + "Only Trashed": "Enkel Verwijderde", + "Original": "Origineel", + "Pakistan": "Pakistaanse", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestijnse Gebieden", + "Panama": "Panama", + "Papua New Guinea": "Papoea - Nieuw-Guinea", + "Paraguay": "Paraguay", + "Password": "Wachtwoord", + "Per Page": "Per pagina", + "Peru": "Peru", + "Philippines": "Filipijnen", + "Pitcairn": "Pitcairn-Eilanden", + "Poland": "Polen", + "Portugal": "Portugal", + "Press \/ to search": "Druk \/ om te zoeken", + "Preview": "Voorvertoning", + "Previous": "Vorige", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Kwartaal Tot Heden", + "Reload": "Herladen", + "Remember Me": "Onthoud mij", + "Reset Filters": "Reset Alle Filters", + "Reset Password": "Wachtwoord herstellen", + "Reset Password Notification": "Wachtwoordherstel notificatie", + "resource": "bron", + "Resources": "Bronnen", + "resources": "bronnen", + "Restore": "Herstel", + "Restore Resource": "Herstel Bron", + "Restore Selected": "Herstel Geselecteerde", + "Reunion": "Vergadering", + "Romania": "Roemenië", + "Run Action": "Voer Actie Uit", + "Russian Federation": "Russische Federatie", + "Rwanda": "Rwandese", + "Saint Barthelemy": "St. Barthélemy", + "Saint Helena": "Sint-Helena", + "Saint Kitts And Nevis": "St. Kitts En Nevis", + "Saint Lucia": "Saint Lucia", + "Saint Martin": "St. Martin", + "Saint Pierre And Miquelon": "Saint Pierre En Miquelon", + "Saint Vincent And Grenadines": "Saint Vincent En De Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "Sao Tomé En Principe", + "Saudi Arabia": "Saoedi-Arabië", + "Search": "Zoek", + "Select Action": "Selecteer Actie", + "Select All": "Selecteer Alle", + "Select All Matching": "Selecteer Alle Overeenkomstige", + "Send Password Reset Link": "Verstuur link voor wachtwoordherstel", + "Senegal": "Senegal", + "September": "September", + "Serbia": "Servië", + "Seychelles": "Seychellen", + "Show All Fields": "Toon alle velden", + "Show Content": "Toon inhoud", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapore", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slowakije", + "Slovenia": "Slovenië", + "Solomon Islands": "Solomon eilanden", + "Somalia": "Somalië", + "Something went wrong.": "Er ging iets mis.", + "Sorry! You are not authorized to perform this action.": "Sorry! Je bent niet bevoegd om deze actie uit te voeren.", + "Sorry, your session has expired.": "Sorry, je sessie is niet meer geldig.", + "South Africa": "Zuid Afrika", + "South Georgia And Sandwich Isl.": "Zuid-Georgië en Zuidelijke Sandwicheilanden", + "South Sudan": "Zuid Soedan", + "Spain": "Spanje", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Start Polling", + "Stop Polling": "Stop Polling", + "Sudan": "Soedan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Spitsbergen en Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Zweden", + "Switzerland": "Zwitserland", + "Syrian Arab Republic": "Syrische Arabische Republiek", + "Taiwan": "Taiwan", + "Tajikistan": "Tadzjikistan", + "Tanzania": "Tanzania", + "Thailand": "Thailand", + "The :resource was created!": "De :resource werd gemaakt!", + "The :resource was deleted!": "De :resource is verwijderd!", + "The :resource was restored!": "De :resource werd gerestaureerd!", + "The :resource was updated!": "De :resource is bijgewerkt!", + "The action ran successfully!": "De actie liep met succes!", + "The file was deleted!": "Het bestand is verwijderd!", + "The government won't let us show you what's behind these doors": "De regering laat ons niet zien wat er achter deze deuren zit.", + "The HasOne relationship has already been filled.": "De HasOne relatie is al vervuld.", + "The resource was updated!": "De bron is bijgewerkt!", + "There are no available options for this resource.": "Er zijn geen beschikbare opties voor deze bron.", + "There was a problem executing the action.": "Er was een probleem met de uitvoering van de actie.", + "There was a problem submitting the form.": "Er was een probleem met het indienen van het formulier.", + "This file field is read-only.": "Dit bestand veld is alleen-lezen.", + "This image": "Deze afbeelding", + "This resource no longer exists": "Deze hulpbron bestaat niet meer", + "Timor-Leste": "Oost-Timor", + "Today": "Vandaag", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "total": "totaal", + "Trashed": "Verwijderd", + "Trinidad And Tobago": "Trinidad en Tobago", + "Tunisia": "Tunesië", + "Turkey": "Turkije", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Turks- en Caicoseilanden", + "Tuvalu": "Tuvalu", + "Uganda": "Oeganda", + "Ukraine": "Oekraïne", + "United Arab Emirates": "Verenigde Arabische Emiraten", + "United Kingdom": "Verenigd Koninkrijk", + "United States": "Verenigde Staten", + "United States Outlying Islands": "Amerikaanse afgelegen eilanden", + "Update": "Bewerk", + "Update & Continue Editing": "Bewerk & Blijf Bewerken", + "Update :resource": "Bewerk :resource", + "Update :resource: :title": "Bewerk :resource: :title", + "Update attached :resource: :title": "Bewerk bijgevoegd :resource: :title", + "Uruguay": "Uruguayaanse", + "Uzbekistan": "Oezbekistan", + "Value": "Waarde", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Bekijk", + "Virgin Islands, British": "Britse Maagdeneilanden", + "Virgin Islands, U.S.": "Amerikaanse Maagdeneilanden", + "Wallis And Futuna": "Wallis en Futuna", + "We're lost in space. The page you were trying to view does not exist.": "We zijn verloren in de ruimte. De opgevraagde pagina bestaat niet.", + "Welcome Back!": "Welkom terug!", + "Western Sahara": "Westelijke Sahara", + "Whoops": "Oeps", + "Whoops!": "Oeps!", + "With Trashed": "Met Verwijderde", + "Write": "Schrijven", + "Year To Date": "Jaar Tot Heden", + "Yemen": "Jemen", + "Yes": "Ja", + "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.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/nl/packages/spark-paddle.json b/locales/nl/packages/spark-paddle.json new file mode 100644 index 00000000000..9cc43ff9c13 --- /dev/null +++ b/locales/nl/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "Er is een onverwachte fout opgetreden en we hebben ons support team op de hoogte gesteld. Probeer het later nog eens.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Abonnement annuleren", + "Change Subscription Plan": "Wijzig abonnement", + "Current Subscription Plan": "Huidig abonnement", + "Currently Subscribed": "Huidig abonnement", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Twijfelt u over het annuleren van uw abonnement? U kunt uw abonnement op elk moment direct weer activeren tot het eind van het huidige betalingstermijn. Nadat uw huidige abonnement is afgelopen kunt u een ander abonnement kiezen.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "Het lijkt erop dat je geen actief abonnement hebt. Je kunt een van de volgende abonnementen kiezen om te beginnen. Abonnementen kunnen altijd worden gewijzigd of gestopt wanneer het jou uitkomt.", + "Managing billing for :billableName": "Facturering beheren voor :billableName", + "Monthly": "Maandelijks", + "Nevermind, I'll keep my old plan": "Laar maar, ik hou mijn oude abonnement", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Ons betalingssysteem zorgt ervoor dat jij makkelijk je abonnement en betaalmethode kunt beheren, en recente facturen kunt downloaden.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Verder met abonnement", + "Return to :appName": "Terug naar :appName", + "Signed in as": "Ingelogd als", + "Subscribe": "Aanmelden", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Algemene voorwaarden", + "The selected plan is invalid.": "Het geselecteerde abonnement is ongeldig.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "Dit account heeft geen actief abonnement.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Oeps! Er is iets misgelopen.", + "Yearly": "Jaarlijks", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "Je kunt je abonnement op elk moment stoppen. Wanneer je abonnement is gestopt heb je de mogelijkheid het abonnement voort te zetten tot het eind van je betalingsperiode.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Je huidige betalingsmethode is een creditkaart eindigend op :lastFour die verloopt op :expiration." +} diff --git a/locales/nl/packages/spark-stripe.json b/locales/nl/packages/spark-stripe.json new file mode 100644 index 00000000000..06d91d444e5 --- /dev/null +++ b/locales/nl/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days dagen proberen", + "Add VAT Number": "BTW-nummer toevoegen", + "Address": "Adres", + "Address Line 2": "Adres regel 2", + "Afghanistan": "Afghanistan", + "Albania": "Albanië", + "Algeria": "Algerije", + "American Samoa": "Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "Er is een onverwachte fout opgetreden en we hebben ons support team op de hoogte gesteld. Probeer het later nog eens.", + "Andorra": "Andorraans", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarctica", + "Antigua and Barbuda": "Antigua en Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentinië", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Australia": "Australië", + "Austria": "Oostenrijk", + "Azerbaijan": "Azerbeidzjan", + "Bahamas": "Bahama", + "Bahrain": "Bahrein", + "Bangladesh": "Bangladesh", + "Barbados": "Barbadiaanse", + "Belarus": "Belarus", + "Belgium": "België", + "Belize": "Belizaanse", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnië en Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brazilië", + "British Indian Ocean Territory": "Brits Gebied Van De Indische Oceaan", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgarije", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundese", + "Cambodia": "Cambodja", + "Cameroon": "Kameroen", + "Canada": "Canada", + "Cancel Subscription": "Abonnement annuleren", + "Cape Verde": "Kaapverdië", + "Card": "Kaart", + "Cayman Islands": "Caymaneilanden", + "Central African Republic": "Centraal-Afrikaanse Republiek", + "Chad": "Tsjaad", + "Change Subscription Plan": "Wijzig abonnement", + "Chile": "Chili", + "China": "China", + "Christmas Island": "Christmaseiland", + "City": "Stad", + "Cocos (Keeling) Islands": "Cocoseilanden", + "Colombia": "Colombia", + "Comoros": "Comoro", + "Confirm Payment": "Betaling Bevestigen", + "Confirm your :amount payment": "Bevestig uw :amount betaling", + "Congo": "Congo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Cookeilanden", + "Costa Rica": "Costa Rica", + "Country": "Land", + "Coupon": "Bon", + "Croatia": "Kroatië", + "Cuba": "Cuba", + "Current Subscription Plan": "Huidig abonnement", + "Currently Subscribed": "Huidig abonnement", + "Cyprus": "Cyprus", + "Czech Republic": "Tsjechië", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Denemarken", + "Djibouti": "Djiboutiaanse", + "Dominica": "Zondag", + "Dominican Republic": "Dominicaanse Republiek", + "Download Receipt": "Download bon", + "Ecuador": "Ecuador", + "Egypt": "Egypte", + "El Salvador": "Salvador", + "Email Addresses": "E-mailadressen", + "Equatorial Guinea": "Equatoriaal-Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estland", + "Ethiopia": "Ethiopië", + "ex VAT": "ex BTW", + "Extra Billing Information": "Extra koop informatie", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra bevestiging is nodig om uw betaling te verwerken. Ga naar de betaalpagina door op de onderstaande knop te klikken.", + "Falkland Islands (Malvinas)": "Falklandeilanden", + "Faroe Islands": "Faroer Eilanden", + "Fiji": "Fiji", + "Finland": "Finland", + "France": "Frankrijk", + "French Guiana": "Frans Guyana", + "French Polynesia": "Frans-Polynesië", + "French Southern Territories": "Franse Zuidelijke Gebieden", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Duitsland", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Griekenland", + "Greenland": "Groenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinee", + "Guinea-Bissau": "Guinee-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Kortingscode?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Twijfelt u over het annuleren van uw abonnement? U kunt uw abonnement op elk moment direct weer activeren tot het eind van het huidige betalingstermijn. Nadat uw huidige abonnement is afgelopen kunt u een ander abonnement kiezen.", + "Heard Island and McDonald Islands": "Heard Eiland en McDonald Eilanden", + "Holy See (Vatican City State)": "Vaticaanstad", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hongarije", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "IJsland", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "Is het nodig om specifieke contact- of BTW gegevens toe te voegen aan je bonnen, zoals je volledige bedrijfsnaam, BTW-nummer, of adress, dan kan je dat hier toevoegen.", + "India": "India", + "Indonesia": "Indonesië", + "Iran, Islamic Republic of": "Iran", + "Iraq": "Irak", + "Ireland": "Ierland", + "Isle of Man": "Eiland Man", + "Israel": "Israël", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "Het lijkt erop dat je geen actief abonnement hebt. Je kunt een van de volgende abonnementen kiezen om te beginnen. Abonnementen kunnen altijd worden gewijzigd of gestopt wanneer het jou uitkomt.", + "Italy": "Italië", + "Jamaica": "Jamaïca", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordanië", + "Kazakhstan": "Kazachstan", + "Kenya": "Kenia", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Noord-Korea", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Koeweit", + "Kyrgyzstan": "Kirgizië", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Letland", + "Lebanon": "Libanon", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libië", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litouwen", + "Luxembourg": "Luxemburg", + "Macao": "Macau", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Maleisië", + "Maldives": "Malediven", + "Mali": "Klein", + "Malta": "Malta", + "Managing billing for :billableName": "Facturering beheren voor :billableName", + "Marshall Islands": "Marshall-Eilanden", + "Martinique": "Martinique", + "Mauritania": "Mauritanië", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monaco", + "Mongolia": "Mongolië", + "Montenegro": "Montenegro", + "Monthly": "Maandelijks", + "monthly": "maandelijks", + "Montserrat": "Montserrat", + "Morocco": "Marokko", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibië", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Nederland", + "Netherlands Antilles": "Nederlandse Antillen", + "Nevermind, I'll keep my old plan": "Laar maar, ik hou mijn oude abonnement", + "New Caledonia": "Nieuw-Caledonië", + "New Zealand": "Nieuw Zeeland", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Min. Orde: 1set \/ Sets", + "Northern Mariana Islands": "Verpakkingen: Houten Doos", + "Norway": "Noorwegen", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Ons betalingssysteem zorgt ervoor dat jij makkelijk je abonnement en betaalmethode kunt beheren, en recente facturen kunt downloaden.", + "Pakistan": "Pakistaanse", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestijnse Gebieden", + "Panama": "Panama", + "Papua New Guinea": "Papoea - Nieuw-Guinea", + "Paraguay": "Paraguay", + "Payment Information": "Betalingsinformatie", + "Peru": "Peru", + "Philippines": "Filipijnen", + "Pitcairn": "Pitcairn-Eilanden", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Geef een maximum van drie factuur e-mailadressen.", + "Poland": "Polen", + "Portugal": "Portugal", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Verder met abonnement", + "Return to :appName": "Terug naar :appName", + "Romania": "Roemenië", + "Russian Federation": "Russische Federatie", + "Rwanda": "Rwandese", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Sint-Helena", + "Saint Kitts and Nevis": "Saint Kitts en Nevis", + "Saint Lucia": "Saint Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre en Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent en de Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome en Principe", + "Saudi Arabia": "Saoedi-Arabië", + "Save": "Opslaan", + "Select": "Selecteer", + "Select a different plan": "Selecteer een ander abonnement", + "Senegal": "Senegal", + "Serbia": "Servië", + "Seychelles": "Seychellen", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Ingelogd als", + "Singapore": "Singapore", + "Slovakia": "Slowakije", + "Slovenia": "Slovenië", + "Solomon Islands": "Solomon eilanden", + "Somalia": "Somalië", + "South Africa": "Zuid Afrika", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Spanje", + "Sri Lanka": "Sri Lanka", + "State \/ County": "Provincie", + "Subscribe": "Aanmelden", + "Subscription Information": "Abonnementsinformatie", + "Sudan": "Soedan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Zweden", + "Switzerland": "Zwitserland", + "Syrian Arab Republic": "Syrische Arabische Republiek", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tadzjikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Algemene voorwaarden", + "Thailand": "Thailand", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Bedankt voor je aanhoudende steun. We hebben een kopie van je factuur bijgevoegd. Laat het ons weten wanneer je vragen of bedenkingen hebt.", + "Thanks,": "Bedankt,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "Het opgegeven BTW-nummer is niet geldig.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "Het geselecteerde land is ongeldig.", + "The selected plan is invalid.": "Het geselecteerde abonnement is ongeldig.", + "This account does not have an active subscription.": "Dit account heeft geen actief abonnement.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "Dit abonnement is verlopen en kan niet worden voortgezet. Maak een nieuwe abonnement aan.", + "Timor-Leste": "Oost-Timor", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunesië", + "Turkey": "Turkije", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Oeganda", + "Ukraine": "Oekraïne", + "United Arab Emirates": "Verenigde Arabische Emiraten", + "United Kingdom": "Verenigd Koninkrijk", + "United States": "Verenigde Staten", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Bewerk", + "Update Payment Information": "Bewerk betalingsinformatie", + "Uruguay": "Uruguayaanse", + "Uzbekistan": "Oezbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "BTW-nummer", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Britse Maagdeneilanden", + "Virgin Islands, U.S.": "Amerikaanse Maagdeneilanden", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We kunnen uw betaling niet verwerken. Neem contact op met de klantenservice.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Westelijke Sahara", + "Whoops! Something went wrong.": "Oeps! Er is iets misgelopen.", + "Yearly": "Jaarlijks", + "Yemen": "Jemen", + "You are currently within your free trial period. Your trial will expire on :date.": "Je maakt nu gebruik van een gratis proefabonnement. Je proefabonnement verloopt op :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "Je kunt je abonnement op elk moment stoppen. Wanneer je abonnement is gestopt heb je de mogelijkheid het abonnement voort te zetten tot het eind van je betalingsperiode.", + "Your :invoiceName invoice is now available!": "Je factuur :invoiceName is nu beschikbaar!", + "Your card was declined. Please contact your card issuer for more information.": "Je kaart is geweigerd. Gelieve contact op te nemen met je kaart aanbieder voor meer informatie.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Je huidige betalingsmethode is een creditkaart eindigend op :lastFour die verloopt op :expiration.", + "Your registered VAT Number is :vatNumber.": "Je geregistreerde BTW-nummer is :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Postcode", + "Åland Islands": "Åland Islands" +} diff --git a/locales/nn/nn.json b/locales/nn/nn.json index ee646fcbb47..60c24ba94fb 100644 --- a/locales/nn/nn.json +++ b/locales/nn/nn.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Days", - "60 Days": "60 Days", - "90 Days": "90 Days", - ":amount Total": ":amount Total", - ":days day trial": ":days day trial", - ":resource Details": ":resource Details", - ":resource Details: :title": ":resource Details: :title", "A fresh verification link has been sent to your email address.": "Ei ny stadfestingslenke har blitt sendt til e-postadressa di.", - "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.", - "Accept Invitation": "Accept Invitation", - "Action": "Action", - "Action Happened At": "Happened At", - "Action Initiated By": "Initiated By", - "Action Name": "Name", - "Action Status": "Status", - "Action Target": "Target", - "Actions": "Actions", - "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 additional security to your account using two factor authentication.": "Add additional security to your account using two factor authentication.", - "Add row": "Add row", - "Add Team Member": "Add Team Member", - "Add VAT Number": "Add VAT Number", - "Added.": "Added.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administrator", - "Administrator users can perform any action.": "Administrator users can perform any action.", - "Afghanistan": "Afghanistan", - "Aland Islands": "Åland Islands", - "Albania": "Albania", - "Algeria": "Algeria", - "All of the people that are part of this team.": "All of the people that are part of this team.", - "All resources loaded.": "All resources loaded.", - "All rights reserved.": "Alle rettar reservert.", - "Already registered?": "Already registered?", - "American Samoa": "American Samoa", - "An error occured while uploading the file.": "An error occured while uploading the file.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Another user has updated this resource since this page was loaded. Please refresh the page and try again.", - "Antarctica": "Antarctica", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua and Barbuda", - "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.", - "April": "April", - "Are you sure you want to delete the selected resources?": "Are you sure you want to delete the selected resources?", - "Are you sure you want to delete this file?": "Are you sure you want to delete this file?", - "Are you sure you want to delete this resource?": "Are you sure you want to delete this resource?", - "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 want to detach the selected resources?": "Are you sure you want to detach the selected resources?", - "Are you sure you want to detach this resource?": "Are you sure you want to detach this resource?", - "Are you sure you want to force delete the selected resources?": "Are you sure you want to force delete the selected resources?", - "Are you sure you want to force delete this resource?": "Are you sure you want to force delete this resource?", - "Are you sure you want to restore the selected resources?": "Are you sure you want to restore the selected resources?", - "Are you sure you want to restore this resource?": "Are you sure you want to restore this resource?", - "Are you sure you want to run this action?": "Are you sure you want to run this action?", - "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 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?", - "Argentina": "Argentina", - "Armenia": "Armenia", - "Aruba": "Aruba", - "Attach": "Attach", - "Attach & Attach Another": "Attach & Attach Another", - "Attach :resource": "Attach :resource", - "August": "August", - "Australia": "Australia", - "Austria": "Austria", - "Azerbaijan": "Azerbaijan", - "Bahamas": "Bahamas", - "Bahrain": "Bahrain", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Før du fortsett, vennligst sjekk e-posten din og sjå etter ei stadfestingslenke.", - "Belarus": "Belarus", - "Belgium": "Belgium", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bhutan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Saba", - "Bosnia And Herzegovina": "Bosnia and Herzegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvet Island", - "Brazil": "Brazil", - "British Indian Ocean Territory": "British Indian Ocean Territory", - "Browser Sessions": "Browser Sessions", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgaria", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Cambodia", - "Cameroon": "Cameroon", - "Canada": "Canada", - "Cancel": "Cancel", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Cape Verde", - "Card": "Card", - "Cayman Islands": "Cayman Islands", - "Central African Republic": "Central African Republic", - "Chad": "Chad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Changes", - "Chile": "Chile", - "China": "China", - "Choose": "Choose", - "Choose :field": "Choose :field", - "Choose :resource": "Choose :resource", - "Choose an option": "Choose an option", - "Choose date": "Choose date", - "Choose File": "Choose File", - "Choose Type": "Choose Type", - "Christmas Island": "Christmas Island", - "City": "City", "click here to request another": "klikk her for å be om ei ny", - "Click to choose": "Click to choose", - "Close": "Close", - "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", - "Code": "Code", - "Colombia": "Colombia", - "Comoros": "Comoros", - "Confirm": "Confirm", - "Confirm Password": "Bekreft passord", - "Confirm Payment": "Confirm Payment", - "Confirm your :amount payment": "Confirm your :amount payment", - "Congo": "Congo", - "Congo, Democratic Republic": "Congo, Democratic Republic", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Constant", - "Cook Islands": "Cook Islands", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "could not be found.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Create", - "Create & Add Another": "Create & Add Another", - "Create :resource": "Create :resource", - "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 API Token": "Create API Token", - "Create New Team": "Create New Team", - "Create Team": "Create Team", - "Created.": "Created.", - "Croatia": "Croatia", - "Cuba": "Cuba", - "Curaçao": "Curaçao", - "Current Password": "Current Password", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Customize", - "Cyprus": "Cyprus", - "Czech Republic": "Czechia", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Dashboard", - "December": "December", - "Decrease": "Decrease", - "Delete": "Delete", - "Delete Account": "Delete Account", - "Delete API Token": "Delete API Token", - "Delete File": "Delete File", - "Delete Resource": "Delete Resource", - "Delete Selected": "Delete Selected", - "Delete Team": "Delete Team", - "Denmark": "Denmark", - "Detach": "Detach", - "Detach Resource": "Detach Resource", - "Detach Selected": "Detach Selected", - "Details": "Details", - "Disable": "Disable", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Do you really want to leave? You have unsaved changes.", - "Dominica": "Dominica", - "Dominican Republic": "Dominican Republic", - "Done.": "Done.", - "Download": "Download", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-postadresse", - "Ecuador": "Ecuador", - "Edit": "Edit", - "Edit :resource": "Edit :resource", - "Edit Attached": "Edit Attached", - "Editor": "Editor", - "Editor users have the ability to read, create, and update.": "Editor users have the ability to read, create, and update.", - "Egypt": "Egypt", - "El Salvador": "El Salvador", - "Email": "Email", - "Email Address": "Email Address", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Email Password Reset Link", - "Enable": "Enable", - "Ensure your account is using a long, random password to stay secure.": "Ensure your account is using a long, random password to stay secure.", - "Equatorial Guinea": "Equatorial Guinea", - "Eritrea": "Eritrea", - "Estonia": "Estonia", - "Ethiopia": "Ethiopia", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", - "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", - "Faroe Islands": "Faroe Islands", - "February": "February", - "Fiji": "Fiji", - "Finland": "Finland", - "For your security, please confirm your password to continue.": "For your security, please confirm your password to continue.", "Forbidden": "Forbode", - "Force Delete": "Force Delete", - "Force Delete Resource": "Force Delete Resource", - "Force Delete Selected": "Force Delete Selected", - "Forgot Your Password?": "Gløymd passordet ditt?", - "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.", - "France": "France", - "French Guiana": "French Guiana", - "French Polynesia": "French Polynesia", - "French Southern Territories": "French Southern Territories", - "Full name": "Full name", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Georgia", - "Germany": "Germany", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Go back", - "Go Home": "Gå til forsida", "Go to page :page": "Go to page :page", - "Great! You have accepted the invitation to join the :team team.": "Great! You have accepted the invitation to join the :team team.", - "Greece": "Greece", - "Greenland": "Greenland", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Heard Island and McDonald Islands", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Hallo!", - "Hide Content": "Hide Content", - "Hold Up!": "Hold Up!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Hungary", - "I agree to the :terms_of_service and :privacy_policy": "I agree to the :terms_of_service and :privacy_policy", - "Iceland": "Iceland", - "ID": "ID", - "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 necessary, you may logout 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 logout 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 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.": "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.": "If you did not expect to receive an invitation to this team, you may discard this email.", "If you did not receive the email": "Dersom du ikkje har motteke e-posten", - "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:": "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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "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:", - "Increase": "Increase", - "India": "India", - "Indonesia": "Indonesia", "Invalid signature.": "Ugyldig signatur.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Iraq", - "Ireland": "Ireland", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Isle of Man", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italy", - "Jamaica": "Jamaica", - "January": "January", - "Japan": "Japan", - "Jersey": "Jersey", - "Jordan": "Jordan", - "July": "July", - "June": "June", - "Kazakhstan": "Kazakhstan", - "Kenya": "Kenya", - "Key": "Key", - "Kiribati": "Kiribati", - "Korea": "South Korea", - "Korea, Democratic People's Republic of": "North Korea", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuwait", - "Kyrgyzstan": "Kyrgyzstan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Last active", - "Last used": "Last used", - "Latvia": "Latvia", - "Leave": "Leave", - "Leave Team": "Leave Team", - "Lebanon": "Lebanon", - "Lens": "Lens", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libya", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Lithuania", - "Load :perPage More": "Load :perPage More", - "Log in": "Log in", "Log out": "Log out", - "Log Out": "Log Out", - "Log Out Other Browser Sessions": "Log Out Other Browser Sessions", - "Login": "Logg inn", - "Logout": "Logg ut", "Logout Other Browser Sessions": "Logout Other Browser Sessions", - "Luxembourg": "Luxembourg", - "Macao": "Macao", - "Macedonia": "North Macedonia", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagascar", - "Malawi": "Malawi", - "Malaysia": "Malaysia", - "Maldives": "Maldives", - "Mali": "Mali", - "Malta": "Malta", - "Manage Account": "Manage Account", - "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 and logout your active sessions on other browsers and devices.": "Manage and logout your active sessions on other browsers and devices.", - "Manage API Tokens": "Manage API Tokens", - "Manage Role": "Manage Role", - "Manage Team": "Manage Team", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "March", - "Marshall Islands": "Marshall Islands", - "Martinique": "Martinique", - "Mauritania": "Mauritania", - "Mauritius": "Mauritius", - "May": "May", - "Mayotte": "Mayotte", - "Mexico": "Mexico", - "Micronesia, Federated States Of": "Micronesia", - "Moldova": "Moldova", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monaco", - "Mongolia": "Mongolia", - "Montenegro": "Montenegro", - "Month To Date": "Month To Date", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Morocco", - "Mozambique": "Mozambique", - "Myanmar": "Myanmar", - "Name": "Namn", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Netherlands", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Nevermind", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "New", - "New :resource": "New :resource", - "New Caledonia": "New Caledonia", - "New Password": "New Password", - "New Zealand": "New Zealand", - "Next": "Next", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "No", - "No :resource matched the given criteria.": "No :resource matched the given criteria.", - "No additional information...": "No additional information...", - "No Current Data": "No Current Data", - "No Data": "No Data", - "no file selected": "no file selected", - "No Increase": "No Increase", - "No Prior Data": "No Prior Data", - "No Results Found.": "No Results Found.", - "Norfolk Island": "Norfolk Island", - "Northern Mariana Islands": "Northern Mariana Islands", - "Norway": "Norway", "Not Found": "Ikkje funne", - "Nova User": "Nova User", - "November": "November", - "October": "October", - "of": "of", "Oh no": "Å nei", - "Oman": "Oman", - "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 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 Trashed": "Only Trashed", - "Original": "Original", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Sida har utløpt", "Pagination Navigation": "Pagination Navigation", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Palestinian Territories", - "Panama": "Panama", - "Papua New Guinea": "Papua New Guinea", - "Paraguay": "Paraguay", - "Password": "Passord", - "Pay :amount": "Pay :amount", - "Payment Cancelled": "Payment Cancelled", - "Payment Confirmation": "Payment Confirmation", - "Payment Information": "Payment Information", - "Payment Successful": "Payment Successful", - "Pending Team Invitations": "Pending Team Invitations", - "Per Page": "Per Page", - "Permanently delete this team.": "Permanently delete this team.", - "Permanently delete your account.": "Permanently delete your account.", - "Permissions": "Permissions", - "Peru": "Peru", - "Philippines": "Philippines", - "Photo": "Photo", - "Pitcairn": "Pitcairn Islands", "Please click the button below to verify your email address.": "Ver snill og klikk på knappen nedanfor for å bekrefte e-postadressa di.", - "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 confirm your password before continuing.": "Please confirm your password before continuing.", - "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 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 enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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 provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.", - "Please provide your name.": "Please provide your name.", - "Poland": "Poland", - "Portugal": "Portugal", - "Press \/ to search": "Press \/ to search", - "Preview": "Preview", - "Previous": "Previous", - "Privacy Policy": "Privacy Policy", - "Profile": "Profile", - "Profile Information": "Profile Information", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Quarter To Date", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Recovery Code", "Regards": "Venleg helsing", - "Regenerate Recovery Codes": "Regenerate Recovery Codes", - "Register": "Registrer", - "Reload": "Reload", - "Remember me": "Remember me", - "Remember Me": "Hugs meg", - "Remove": "Remove", - "Remove Photo": "Remove Photo", - "Remove Team Member": "Remove Team Member", - "Resend Verification Email": "Resend Verification Email", - "Reset Filters": "Reset Filters", - "Reset Password": "Nullstill passord", - "Reset Password Notification": "Varsling om å nullstille passord", - "resource": "resource", - "Resources": "Resources", - "resources": "resources", - "Restore": "Restore", - "Restore Resource": "Restore Resource", - "Restore Selected": "Restore Selected", "results": "results", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Réunion", - "Role": "Role", - "Romania": "Romania", - "Run Action": "Run Action", - "Russian Federation": "Russian Federation", - "Rwanda": "Rwanda", - "Réunion": "Réunion", - "Saint Barthelemy": "St. Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "St. Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "St. Kitts and Nevis", - "Saint Lucia": "St. Lucia", - "Saint Martin": "St. Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "St. Pierre and Miquelon", - "Saint Vincent And Grenadines": "St. Vincent and Grenadines", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "São Tomé and Príncipe", - "Saudi Arabia": "Saudi Arabia", - "Save": "Save", - "Saved.": "Saved.", - "Search": "Search", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Select A New Photo", - "Select Action": "Select Action", - "Select All": "Select All", - "Select All Matching": "Select All Matching", - "Send Password Reset Link": "Send lenke for å nullstille passordet", - "Senegal": "Senegal", - "September": "September", - "Serbia": "Serbia", "Server Error": "Server-feil", "Service Unavailable": "Tenesta er ikkje tilgjengeleg", - "Seychelles": "Seychelles", - "Show All Fields": "Show All Fields", - "Show Content": "Show Content", - "Show Recovery Codes": "Show Recovery Codes", "Showing": "Showing", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapore", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovakia", - "Slovenia": "Slovenia", - "Solomon Islands": "Solomon Islands", - "Somalia": "Somalia", - "Something went wrong.": "Something went wrong.", - "Sorry! You are not authorized to perform this action.": "Sorry! You are not authorized to perform this action.", - "Sorry, your session has expired.": "Sorry, your session has expired.", - "South Africa": "South Africa", - "South Georgia And Sandwich Isl.": "South Georgia and South Sandwich Islands", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "South Sudan", - "Spain": "Spain", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Start Polling", - "State \/ County": "State \/ County", - "Stop Polling": "Stop Polling", - "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.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard and Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Sweden", - "Switch Teams": "Switch Teams", - "Switzerland": "Switzerland", - "Syrian Arab Republic": "Syria", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tajikistan", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Team Details", - "Team Invitation": "Team Invitation", - "Team Members": "Team Members", - "Team Name": "Team Name", - "Team Owner": "Team Owner", - "Team Settings": "Team Settings", - "Terms of Service": "Terms of Service", - "Thailand": "Thailand", - "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.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "The :attribute must be a valid role.", - "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 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 contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "The :resource was created!", - "The :resource was deleted!": "The :resource was deleted!", - "The :resource was restored!": "The :resource was restored!", - "The :resource was updated!": "The :resource was updated!", - "The action ran successfully!": "The action ran successfully!", - "The file was deleted!": "The file was deleted!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "The government won't let us show you what's behind these doors", - "The HasOne relationship has already been filled.": "The HasOne relationship has already been filled.", - "The payment was successful.": "The payment was successful.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "The resource was updated!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "The team's name and owner information.", - "There are no available options for this resource.": "There are no available options for this resource.", - "There was a problem executing the action.": "There was a problem executing the action.", - "There was a problem submitting the form.": "There was a problem submitting the form.", - "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.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Denne handlinga er uautorisert.", - "This device": "This device", - "This file field is read-only.": "This file field is read-only.", - "This image": "This image", - "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 password does not match our records.": "This password does not match our records.", "This password reset link will expire in :count minutes.": "Lenka for å nullstille passordet vil utløpe om :count minutt.", - "This payment was already successfully confirmed.": "This payment was already successfully confirmed.", - "This payment was cancelled.": "This payment was cancelled.", - "This resource no longer exists": "This resource no longer exists", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "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.", - "Timor-Leste": "Timor-Leste", "to": "to", - "Today": "Today", "Toggle navigation": "Vis\/skjul navigasjon", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Token Name", - "Tonga": "Tonga", "Too Many Attempts.": "For mange forsøk.", "Too Many Requests": "For mange førespurnader", - "total": "total", - "Total:": "Total:", - "Trashed": "Trashed", - "Trinidad And Tobago": "Trinidad and Tobago", - "Tunisia": "Tunisia", - "Turkey": "Turkey", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Turks and Caicos Islands", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Two Factor Authentication", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.", - "Uganda": "Uganda", - "Ukraine": "Ukraine", "Unauthorized": "Uautorisert", - "United Arab Emirates": "United Arab Emirates", - "United Kingdom": "United Kingdom", - "United States": "United States", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "U.S. Outlying Islands", - "Update": "Update", - "Update & Continue Editing": "Update & Continue Editing", - "Update :resource": "Update :resource", - "Update :resource: :title": "Update :resource: :title", - "Update attached :resource: :title": "Update attached :resource: :title", - "Update Password": "Update Password", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Update your account's profile information and email address.", - "Uruguay": "Uruguay", - "Use a recovery code": "Use a recovery code", - "Use an authentication code": "Use an authentication code", - "Uzbekistan": "Uzbekistan", - "Value": "Value", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Bekreft e-postadresse", "Verify Your Email Address": "Bekreft e-postadressa din", - "Viet Nam": "Vietnam", - "View": "View", - "Virgin Islands, British": "British Virgin Islands", - "Virgin Islands, U.S.": "U.S. Virgin Islands", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis and Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "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 will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "We won't ask for your password again for a few hours.", - "We're lost in space. The page you were trying to view does not exist.": "We're lost in space. The page you were trying to view does not exist.", - "Welcome Back!": "Welcome Back!", - "Western Sahara": "Western Sahara", - "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.", - "Whoops": "Whoops", - "Whoops!": "Oisann!", - "Whoops! Something went wrong.": "Whoops! Something went wrong.", - "With Trashed": "With Trashed", - "Write": "Write", - "Year To Date": "Year To Date", - "Yearly": "Yearly", - "Yemen": "Yemen", - "Yes": "Yes", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "You are logged in!", - "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 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 may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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 :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "E-postadressa di er ikkje bekrefta.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "E-postadressa di er ikkje bekrefta." } diff --git a/locales/nn/packages/cashier.json b/locales/nn/packages/cashier.json new file mode 100644 index 00000000000..719fc123973 --- /dev/null +++ b/locales/nn/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Alle rettar reservert.", + "Card": "Card", + "Confirm Payment": "Confirm Payment", + "Confirm your :amount payment": "Confirm your :amount payment", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", + "Full name": "Full name", + "Go back": "Go back", + "Jane Doe": "Jane Doe", + "Pay :amount": "Pay :amount", + "Payment Cancelled": "Payment Cancelled", + "Payment Confirmation": "Payment Confirmation", + "Payment Successful": "Payment Successful", + "Please provide your name.": "Please provide your name.", + "The payment was successful.": "The payment was successful.", + "This payment was already successfully confirmed.": "This payment was already successfully confirmed.", + "This payment was cancelled.": "This payment was cancelled." +} diff --git a/locales/nn/packages/fortify.json b/locales/nn/packages/fortify.json new file mode 100644 index 00000000000..fa4b05c7684 --- /dev/null +++ b/locales/nn/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 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 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." +} diff --git a/locales/nn/packages/jetstream.json b/locales/nn/packages/jetstream.json new file mode 100644 index 00000000000..e909d489c55 --- /dev/null +++ b/locales/nn/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "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.", + "Accept Invitation": "Accept Invitation", + "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 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", + "Added.": "Added.", + "Administrator": "Administrator", + "Administrator users can perform any action.": "Administrator users can perform any action.", + "All of the people that are part of this team.": "All of the people that are part of this team.", + "Already registered?": "Already registered?", + "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.", + "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 delete this API token?": "Are you sure you would like to delete this API token?", + "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?", + "Browser Sessions": "Browser Sessions", + "Cancel": "Cancel", + "Close": "Close", + "Code": "Code", + "Confirm": "Confirm", + "Confirm Password": "Bekreft passord", + "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 API Token": "Create API Token", + "Create New Team": "Create New Team", + "Create Team": "Create Team", + "Created.": "Created.", + "Current Password": "Current Password", + "Dashboard": "Dashboard", + "Delete": "Delete", + "Delete Account": "Delete Account", + "Delete API Token": "Delete API Token", + "Delete Team": "Delete Team", + "Disable": "Disable", + "Done.": "Done.", + "Editor": "Editor", + "Editor users have the ability to read, create, and update.": "Editor users have the ability to read, create, and update.", + "Email": "Email", + "Email Password Reset Link": "Email Password Reset Link", + "Enable": "Enable", + "Ensure your account is using a long, random password to stay secure.": "Ensure your account is using a long, random password to stay secure.", + "For your security, please confirm your password to continue.": "For your security, please confirm your password to continue.", + "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.", + "Great! You have accepted the invitation to join the :team team.": "Great! You have accepted the invitation to join the :team team.", + "I agree to the :terms_of_service and :privacy_policy": "I agree to the :terms_of_service and :privacy_policy", + "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 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 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 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:", + "Last active": "Last active", + "Last used": "Last used", + "Leave": "Leave", + "Leave Team": "Leave Team", + "Log in": "Log in", + "Log Out": "Log Out", + "Log Out Other Browser Sessions": "Log Out Other Browser Sessions", + "Manage Account": "Manage Account", + "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 Role": "Manage Role", + "Manage Team": "Manage Team", + "Name": "Namn", + "New Password": "New Password", + "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 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.", + "Password": "Passord", + "Pending Team Invitations": "Pending Team Invitations", + "Permanently delete this team.": "Permanently delete this team.", + "Permanently delete your account.": "Permanently delete your account.", + "Permissions": "Permissions", + "Photo": "Photo", + "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 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 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.", + "Privacy Policy": "Privacy Policy", + "Profile": "Profile", + "Profile Information": "Profile Information", + "Recovery Code": "Recovery Code", + "Regenerate Recovery Codes": "Regenerate Recovery Codes", + "Register": "Registrer", + "Remember me": "Remember me", + "Remove": "Remove", + "Remove Photo": "Remove Photo", + "Remove Team Member": "Remove Team Member", + "Resend Verification Email": "Resend Verification Email", + "Reset Password": "Nullstill passord", + "Role": "Role", + "Save": "Save", + "Saved.": "Saved.", + "Select A New Photo": "Select A New Photo", + "Show Recovery Codes": "Show Recovery Codes", + "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.", + "Switch Teams": "Switch Teams", + "Team Details": "Team Details", + "Team Invitation": "Team Invitation", + "Team Members": "Team Members", + "Team Name": "Team Name", + "Team Owner": "Team Owner", + "Team Settings": "Team Settings", + "Terms of Service": "Terms of Service", + "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 a valid role.": "The :attribute must be a valid role.", + "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 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 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 team's name and owner information.": "The team's name and owner information.", + "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.", + "This device": "This device", + "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 password does not match our records.": "This password does not match our records.", + "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.", + "Token Name": "Token Name", + "Two Factor Authentication": "Two Factor Authentication", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.", + "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", + "Use an authentication code": "Use an authentication code", + "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.", + "Whoops! Something went wrong.": "Whoops! Something went wrong.", + "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 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." +} diff --git a/locales/nn/packages/nova.json b/locales/nn/packages/nova.json new file mode 100644 index 00000000000..8a0beed0d36 --- /dev/null +++ b/locales/nn/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Days", + "60 Days": "60 Days", + "90 Days": "90 Days", + ":amount Total": ":amount Total", + ":resource Details": ":resource Details", + ":resource Details: :title": ":resource Details: :title", + "Action": "Action", + "Action Happened At": "Happened At", + "Action Initiated By": "Initiated By", + "Action Name": "Name", + "Action Status": "Status", + "Action Target": "Target", + "Actions": "Actions", + "Add row": "Add row", + "Afghanistan": "Afghanistan", + "Aland Islands": "Åland Islands", + "Albania": "Albania", + "Algeria": "Algeria", + "All resources loaded.": "All resources loaded.", + "American Samoa": "American Samoa", + "An error occured while uploading the file.": "An error occured while uploading the file.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Another user has updated this resource since this page was loaded. Please refresh the page and try again.", + "Antarctica": "Antarctica", + "Antigua And Barbuda": "Antigua and Barbuda", + "April": "April", + "Are you sure you want to delete the selected resources?": "Are you sure you want to delete the selected resources?", + "Are you sure you want to delete this file?": "Are you sure you want to delete this file?", + "Are you sure you want to delete this resource?": "Are you sure you want to delete this resource?", + "Are you sure you want to detach the selected resources?": "Are you sure you want to detach the selected resources?", + "Are you sure you want to detach this resource?": "Are you sure you want to detach this resource?", + "Are you sure you want to force delete the selected resources?": "Are you sure you want to force delete the selected resources?", + "Are you sure you want to force delete this resource?": "Are you sure you want to force delete this resource?", + "Are you sure you want to restore the selected resources?": "Are you sure you want to restore the selected resources?", + "Are you sure you want to restore this resource?": "Are you sure you want to restore this resource?", + "Are you sure you want to run this action?": "Are you sure you want to run this action?", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Attach": "Attach", + "Attach & Attach Another": "Attach & Attach Another", + "Attach :resource": "Attach :resource", + "August": "August", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgium", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Saba", + "Bosnia And Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brazil", + "British Indian Ocean Territory": "British Indian Ocean Territory", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Cameroon", + "Canada": "Canada", + "Cancel": "Cancel", + "Cape Verde": "Cape Verde", + "Cayman Islands": "Cayman Islands", + "Central African Republic": "Central African Republic", + "Chad": "Chad", + "Changes": "Changes", + "Chile": "Chile", + "China": "China", + "Choose": "Choose", + "Choose :field": "Choose :field", + "Choose :resource": "Choose :resource", + "Choose an option": "Choose an option", + "Choose date": "Choose date", + "Choose File": "Choose File", + "Choose Type": "Choose Type", + "Christmas Island": "Christmas Island", + "Click to choose": "Click to choose", + "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", + "Colombia": "Colombia", + "Comoros": "Comoros", + "Confirm Password": "Bekreft passord", + "Congo": "Congo", + "Congo, Democratic Republic": "Congo, Democratic Republic", + "Constant": "Constant", + "Cook Islands": "Cook Islands", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "could not be found.", + "Create": "Create", + "Create & Add Another": "Create & Add Another", + "Create :resource": "Create :resource", + "Croatia": "Croatia", + "Cuba": "Cuba", + "Curaçao": "Curaçao", + "Customize": "Customize", + "Cyprus": "Cyprus", + "Czech Republic": "Czechia", + "Dashboard": "Dashboard", + "December": "December", + "Decrease": "Decrease", + "Delete": "Delete", + "Delete File": "Delete File", + "Delete Resource": "Delete Resource", + "Delete Selected": "Delete Selected", + "Denmark": "Denmark", + "Detach": "Detach", + "Detach Resource": "Detach Resource", + "Detach Selected": "Detach Selected", + "Details": "Details", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Do you really want to leave? You have unsaved changes.", + "Dominica": "Dominica", + "Dominican Republic": "Dominican Republic", + "Download": "Download", + "Ecuador": "Ecuador", + "Edit": "Edit", + "Edit :resource": "Edit :resource", + "Edit Attached": "Edit Attached", + "Egypt": "Egypt", + "El Salvador": "El Salvador", + "Email Address": "Email Address", + "Equatorial Guinea": "Equatorial Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Ethiopia", + "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", + "Faroe Islands": "Faroe Islands", + "February": "February", + "Fiji": "Fiji", + "Finland": "Finland", + "Force Delete": "Force Delete", + "Force Delete Resource": "Force Delete Resource", + "Force Delete Selected": "Force Delete Selected", + "Forgot Your Password?": "Gløymd passordet ditt?", + "Forgot your password?": "Forgot your password?", + "France": "France", + "French Guiana": "French Guiana", + "French Polynesia": "French Polynesia", + "French Southern Territories": "French Southern Territories", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Germany", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "Gå til forsida", + "Greece": "Greece", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Heard Island and McDonald Islands", + "Hide Content": "Hide Content", + "Hold Up!": "Hold Up!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungary", + "Iceland": "Iceland", + "ID": "ID", + "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.", + "Increase": "Increase", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Iraq", + "Ireland": "Ireland", + "Isle Of Man": "Isle of Man", + "Israel": "Israel", + "Italy": "Italy", + "Jamaica": "Jamaica", + "January": "January", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "July": "July", + "June": "June", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Key": "Key", + "Kiribati": "Kiribati", + "Korea": "South Korea", + "Korea, Democratic People's Republic of": "North Korea", + "Kosovo": "Kosovo", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvia", + "Lebanon": "Lebanon", + "Lens": "Lens", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lithuania", + "Load :perPage More": "Load :perPage More", + "Login": "Logg inn", + "Logout": "Logg ut", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia": "North Macedonia", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Mali", + "Malta": "Malta", + "March": "March", + "Marshall Islands": "Marshall Islands", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "May": "May", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States Of": "Micronesia", + "Moldova": "Moldova", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Month To Date": "Month To Date", + "Montserrat": "Montserrat", + "Morocco": "Morocco", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Netherlands", + "New": "New", + "New :resource": "New :resource", + "New Caledonia": "New Caledonia", + "New Zealand": "New Zealand", + "Next": "Next", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "No", + "No :resource matched the given criteria.": "No :resource matched the given criteria.", + "No additional information...": "No additional information...", + "No Current Data": "No Current Data", + "No Data": "No Data", + "no file selected": "no file selected", + "No Increase": "No Increase", + "No Prior Data": "No Prior Data", + "No Results Found.": "No Results Found.", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Northern Mariana Islands", + "Norway": "Norway", + "Nova User": "Nova User", + "November": "November", + "October": "October", + "of": "of", + "Oman": "Oman", + "Only Trashed": "Only Trashed", + "Original": "Original", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinian Territories", + "Panama": "Panama", + "Papua New Guinea": "Papua New Guinea", + "Paraguay": "Paraguay", + "Password": "Passord", + "Per Page": "Per Page", + "Peru": "Peru", + "Philippines": "Philippines", + "Pitcairn": "Pitcairn Islands", + "Poland": "Poland", + "Portugal": "Portugal", + "Press \/ to search": "Press \/ to search", + "Preview": "Preview", + "Previous": "Previous", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Quarter To Date", + "Reload": "Reload", + "Remember Me": "Hugs meg", + "Reset Filters": "Reset Filters", + "Reset Password": "Nullstill passord", + "Reset Password Notification": "Varsling om å nullstille passord", + "resource": "resource", + "Resources": "Resources", + "resources": "resources", + "Restore": "Restore", + "Restore Resource": "Restore Resource", + "Restore Selected": "Restore Selected", + "Reunion": "Réunion", + "Romania": "Romania", + "Run Action": "Run Action", + "Russian Federation": "Russian Federation", + "Rwanda": "Rwanda", + "Saint Barthelemy": "St. Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts And Nevis": "St. Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin": "St. Martin", + "Saint Pierre And Miquelon": "St. Pierre and Miquelon", + "Saint Vincent And Grenadines": "St. Vincent and Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "São Tomé and Príncipe", + "Saudi Arabia": "Saudi Arabia", + "Search": "Search", + "Select Action": "Select Action", + "Select All": "Select All", + "Select All Matching": "Select All Matching", + "Send Password Reset Link": "Send lenke for å nullstille passordet", + "Senegal": "Senegal", + "September": "September", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Show All Fields": "Show All Fields", + "Show Content": "Show Content", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapore", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Solomon Islands", + "Somalia": "Somalia", + "Something went wrong.": "Something went wrong.", + "Sorry! You are not authorized to perform this action.": "Sorry! You are not authorized to perform this action.", + "Sorry, your session has expired.": "Sorry, your session has expired.", + "South Africa": "South Africa", + "South Georgia And Sandwich Isl.": "South Georgia and South Sandwich Islands", + "South Sudan": "South Sudan", + "Spain": "Spain", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Start Polling", + "Stop Polling": "Stop Polling", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sweden", + "Switzerland": "Switzerland", + "Syrian Arab Republic": "Syria", + "Taiwan": "Taiwan", + "Tajikistan": "Tajikistan", + "Tanzania": "Tanzania", + "Thailand": "Thailand", + "The :resource was created!": "The :resource was created!", + "The :resource was deleted!": "The :resource was deleted!", + "The :resource was restored!": "The :resource was restored!", + "The :resource was updated!": "The :resource was updated!", + "The action ran successfully!": "The action ran successfully!", + "The file was deleted!": "The file was deleted!", + "The government won't let us show you what's behind these doors": "The government won't let us show you what's behind these doors", + "The HasOne relationship has already been filled.": "The HasOne relationship has already been filled.", + "The resource was updated!": "The resource was updated!", + "There are no available options for this resource.": "There are no available options for this resource.", + "There was a problem executing the action.": "There was a problem executing the action.", + "There was a problem submitting the form.": "There was a problem submitting the form.", + "This file field is read-only.": "This file field is read-only.", + "This image": "This image", + "This resource no longer exists": "This resource no longer exists", + "Timor-Leste": "Timor-Leste", + "Today": "Today", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "total": "total", + "Trashed": "Trashed", + "Trinidad And Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turkey", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "United Arab Emirates", + "United Kingdom": "United Kingdom", + "United States": "United States", + "United States Outlying Islands": "U.S. Outlying Islands", + "Update": "Update", + "Update & Continue Editing": "Update & Continue Editing", + "Update :resource": "Update :resource", + "Update :resource: :title": "Update :resource: :title", + "Update attached :resource: :title": "Update attached :resource: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Value": "Value", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "View", + "Virgin Islands, British": "British Virgin Islands", + "Virgin Islands, U.S.": "U.S. Virgin Islands", + "Wallis And Futuna": "Wallis and Futuna", + "We're lost in space. The page you were trying to view does not exist.": "We're lost in space. The page you were trying to view does not exist.", + "Welcome Back!": "Welcome Back!", + "Western Sahara": "Western Sahara", + "Whoops": "Whoops", + "Whoops!": "Oisann!", + "With Trashed": "With Trashed", + "Write": "Write", + "Year To Date": "Year To Date", + "Yemen": "Yemen", + "Yes": "Yes", + "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.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/nn/packages/spark-paddle.json b/locales/nn/packages/spark-paddle.json new file mode 100644 index 00000000000..d3b44a5fcae --- /dev/null +++ b/locales/nn/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Terms of Service", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Whoops! Something went wrong.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/nn/packages/spark-stripe.json b/locales/nn/packages/spark-stripe.json new file mode 100644 index 00000000000..69f478bd749 --- /dev/null +++ b/locales/nn/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afghanistan", + "Albania": "Albania", + "Algeria": "Algeria", + "American Samoa": "American Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarctica", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgium", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brazil", + "British Indian Ocean Territory": "British Indian Ocean Territory", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Cameroon", + "Canada": "Canada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Cape Verde", + "Card": "Card", + "Cayman Islands": "Cayman Islands", + "Central African Republic": "Central African Republic", + "Chad": "Chad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Chile", + "China": "China", + "Christmas Island": "Christmas Island", + "City": "City", + "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", + "Colombia": "Colombia", + "Comoros": "Comoros", + "Confirm Payment": "Confirm Payment", + "Confirm your :amount payment": "Confirm your :amount payment", + "Congo": "Congo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Cook Islands", + "Costa Rica": "Costa Rica", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Croatia", + "Cuba": "Cuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Cyprus", + "Czech Republic": "Czechia", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Denmark", + "Djibouti": "Djibouti", + "Dominica": "Dominica", + "Dominican Republic": "Dominican Republic", + "Download Receipt": "Download Receipt", + "Ecuador": "Ecuador", + "Egypt": "Egypt", + "El Salvador": "El Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Equatorial Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Ethiopia", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", + "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", + "Faroe Islands": "Faroe Islands", + "Fiji": "Fiji", + "Finland": "Finland", + "France": "France", + "French Guiana": "French Guiana", + "French Polynesia": "French Polynesia", + "French Southern Territories": "French Southern Territories", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Germany", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Greece", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungary", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Iceland", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Iraq", + "Ireland": "Ireland", + "Isle of Man": "Isle of Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italy", + "Jamaica": "Jamaica", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "North Korea", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvia", + "Lebanon": "Lebanon", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lithuania", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Mali", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marshall Islands", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Morocco", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Netherlands", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "New Caledonia", + "New Zealand": "New Zealand", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Northern Mariana Islands", + "Norway": "Norway", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinian Territories", + "Panama": "Panama", + "Papua New Guinea": "Papua New Guinea", + "Paraguay": "Paraguay", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Philippines", + "Pitcairn": "Pitcairn Islands", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Poland", + "Portugal": "Portugal", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Romania", + "Russian Federation": "Russian Federation", + "Rwanda": "Rwanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saudi Arabia", + "Save": "Save", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapore", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Solomon Islands", + "Somalia": "Somalia", + "South Africa": "South Africa", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Spain", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sweden", + "Switzerland": "Switzerland", + "Syrian Arab Republic": "Syria", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tajikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Terms of Service", + "Thailand": "Thailand", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turkey", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "United Arab Emirates", + "United Kingdom": "United Kingdom", + "United States": "United States", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Update", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "British Virgin Islands", + "Virgin Islands, U.S.": "U.S. Virgin Islands", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Western Sahara", + "Whoops! Something went wrong.": "Whoops! Something went wrong.", + "Yearly": "Yearly", + "Yemen": "Yemen", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/oc/oc.json b/locales/oc/oc.json index 7fe2e63dd96..62151bbcded 100644 --- a/locales/oc/oc.json +++ b/locales/oc/oc.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Days", - "60 Days": "60 Days", - "90 Days": "90 Days", - ":amount Total": ":amount Total", - ":days day trial": ":days day trial", - ":resource Details": ":resource Details", - ":resource Details: :title": ":resource Details: :title", "A fresh verification link has been sent to your email address.": "A fresh verification link has been sent to your email address.", - "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.", - "Accept Invitation": "Accept Invitation", - "Action": "Action", - "Action Happened At": "Happened At", - "Action Initiated By": "Initiated By", - "Action Name": "Name", - "Action Status": "Status", - "Action Target": "Target", - "Actions": "Actions", - "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 additional security to your account using two factor authentication.": "Add additional security to your account using two factor authentication.", - "Add row": "Add row", - "Add Team Member": "Add Team Member", - "Add VAT Number": "Add VAT Number", - "Added.": "Added.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administrator", - "Administrator users can perform any action.": "Administrator users can perform any action.", - "Afghanistan": "Afghanistan", - "Aland Islands": "Åland Islands", - "Albania": "Albania", - "Algeria": "Algeria", - "All of the people that are part of this team.": "All of the people that are part of this team.", - "All resources loaded.": "All resources loaded.", - "All rights reserved.": "All rights reserved.", - "Already registered?": "Already registered?", - "American Samoa": "American Samoa", - "An error occured while uploading the file.": "An error occured while uploading the file.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Another user has updated this resource since this page was loaded. Please refresh the page and try again.", - "Antarctica": "Antarctica", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua and Barbuda", - "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.", - "April": "April", - "Are you sure you want to delete the selected resources?": "Are you sure you want to delete the selected resources?", - "Are you sure you want to delete this file?": "Are you sure you want to delete this file?", - "Are you sure you want to delete this resource?": "Are you sure you want to delete this resource?", - "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 want to detach the selected resources?": "Are you sure you want to detach the selected resources?", - "Are you sure you want to detach this resource?": "Are you sure you want to detach this resource?", - "Are you sure you want to force delete the selected resources?": "Are you sure you want to force delete the selected resources?", - "Are you sure you want to force delete this resource?": "Are you sure you want to force delete this resource?", - "Are you sure you want to restore the selected resources?": "Are you sure you want to restore the selected resources?", - "Are you sure you want to restore this resource?": "Are you sure you want to restore this resource?", - "Are you sure you want to run this action?": "Are you sure you want to run this action?", - "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 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?", - "Argentina": "Argentina", - "Armenia": "Armenia", - "Aruba": "Aruba", - "Attach": "Attach", - "Attach & Attach Another": "Attach & Attach Another", - "Attach :resource": "Attach :resource", - "August": "August", - "Australia": "Australia", - "Austria": "Austria", - "Azerbaijan": "Azerbaijan", - "Bahamas": "Bahamas", - "Bahrain": "Bahrain", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Before proceeding, please check your email for a verification link.", - "Belarus": "Belarus", - "Belgium": "Belgium", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bhutan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Saba", - "Bosnia And Herzegovina": "Bosnia and Herzegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvet Island", - "Brazil": "Brazil", - "British Indian Ocean Territory": "British Indian Ocean Territory", - "Browser Sessions": "Browser Sessions", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgaria", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Cambodia", - "Cameroon": "Cameroon", - "Canada": "Canada", - "Cancel": "Cancel", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Cape Verde", - "Card": "Card", - "Cayman Islands": "Cayman Islands", - "Central African Republic": "Central African Republic", - "Chad": "Chad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Changes", - "Chile": "Chile", - "China": "China", - "Choose": "Choose", - "Choose :field": "Choose :field", - "Choose :resource": "Choose :resource", - "Choose an option": "Choose an option", - "Choose date": "Choose date", - "Choose File": "Choose File", - "Choose Type": "Choose Type", - "Christmas Island": "Christmas Island", - "City": "City", "click here to request another": "click here to request another", - "Click to choose": "Click to choose", - "Close": "Close", - "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", - "Code": "Code", - "Colombia": "Colombia", - "Comoros": "Comoros", - "Confirm": "Confirm", - "Confirm Password": "Confirm Password", - "Confirm Payment": "Confirm Payment", - "Confirm your :amount payment": "Confirm your :amount payment", - "Congo": "Congo", - "Congo, Democratic Republic": "Congo, Democratic Republic", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Constant", - "Cook Islands": "Cook Islands", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "could not be found.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Create", - "Create & Add Another": "Create & Add Another", - "Create :resource": "Create :resource", - "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 API Token": "Create API Token", - "Create New Team": "Create New Team", - "Create Team": "Create Team", - "Created.": "Created.", - "Croatia": "Croatia", - "Cuba": "Cuba", - "Curaçao": "Curaçao", - "Current Password": "Current Password", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Customize", - "Cyprus": "Cyprus", - "Czech Republic": "Czechia", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Dashboard", - "December": "December", - "Decrease": "Decrease", - "Delete": "Delete", - "Delete Account": "Delete Account", - "Delete API Token": "Delete API Token", - "Delete File": "Delete File", - "Delete Resource": "Delete Resource", - "Delete Selected": "Delete Selected", - "Delete Team": "Delete Team", - "Denmark": "Denmark", - "Detach": "Detach", - "Detach Resource": "Detach Resource", - "Detach Selected": "Detach Selected", - "Details": "Details", - "Disable": "Disable", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Do you really want to leave? You have unsaved changes.", - "Dominica": "Dominica", - "Dominican Republic": "Dominican Republic", - "Done.": "Done.", - "Download": "Download", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-Mail Address", - "Ecuador": "Ecuador", - "Edit": "Edit", - "Edit :resource": "Edit :resource", - "Edit Attached": "Edit Attached", - "Editor": "Editor", - "Editor users have the ability to read, create, and update.": "Editor users have the ability to read, create, and update.", - "Egypt": "Egypt", - "El Salvador": "El Salvador", - "Email": "Email", - "Email Address": "Email Address", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Email Password Reset Link", - "Enable": "Enable", - "Ensure your account is using a long, random password to stay secure.": "Ensure your account is using a long, random password to stay secure.", - "Equatorial Guinea": "Equatorial Guinea", - "Eritrea": "Eritrea", - "Estonia": "Estonia", - "Ethiopia": "Ethiopia", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", - "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", - "Faroe Islands": "Faroe Islands", - "February": "February", - "Fiji": "Fiji", - "Finland": "Finland", - "For your security, please confirm your password to continue.": "For your security, please confirm your password to continue.", "Forbidden": "Forbidden", - "Force Delete": "Force Delete", - "Force Delete Resource": "Force Delete Resource", - "Force Delete Selected": "Force Delete Selected", - "Forgot Your Password?": "Forgot Your Password?", - "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.", - "France": "France", - "French Guiana": "French Guiana", - "French Polynesia": "French Polynesia", - "French Southern Territories": "French Southern Territories", - "Full name": "Full name", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Georgia", - "Germany": "Germany", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Go back", - "Go Home": "Go Home", "Go to page :page": "Go to page :page", - "Great! You have accepted the invitation to join the :team team.": "Great! You have accepted the invitation to join the :team team.", - "Greece": "Greece", - "Greenland": "Greenland", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Heard Island and McDonald Islands", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Hello!", - "Hide Content": "Hide Content", - "Hold Up!": "Hold Up!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Hungary", - "I agree to the :terms_of_service and :privacy_policy": "I agree to the :terms_of_service and :privacy_policy", - "Iceland": "Iceland", - "ID": "ID", - "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 necessary, you may logout 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 logout 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 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 receive the email": "If you did not receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "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:", - "Increase": "Increase", - "India": "India", - "Indonesia": "Indonesia", "Invalid signature.": "Invalid signature.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Iraq", - "Ireland": "Ireland", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Isle of Man", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italy", - "Jamaica": "Jamaica", - "January": "January", - "Japan": "Japan", - "Jersey": "Jersey", - "Jordan": "Jordan", - "July": "July", - "June": "June", - "Kazakhstan": "Kazakhstan", - "Kenya": "Kenya", - "Key": "Key", - "Kiribati": "Kiribati", - "Korea": "South Korea", - "Korea, Democratic People's Republic of": "North Korea", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuwait", - "Kyrgyzstan": "Kyrgyzstan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Last active", - "Last used": "Last used", - "Latvia": "Latvia", - "Leave": "Leave", - "Leave Team": "Leave Team", - "Lebanon": "Lebanon", - "Lens": "Lens", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libya", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Lithuania", - "Load :perPage More": "Load :perPage More", - "Log in": "Log in", "Log out": "Log out", - "Log Out": "Log Out", - "Log Out Other Browser Sessions": "Log Out Other Browser Sessions", - "Login": "Login", - "Logout": "Logout", "Logout Other Browser Sessions": "Logout Other Browser Sessions", - "Luxembourg": "Luxembourg", - "Macao": "Macao", - "Macedonia": "North Macedonia", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagascar", - "Malawi": "Malawi", - "Malaysia": "Malaysia", - "Maldives": "Maldives", - "Mali": "Mali", - "Malta": "Malta", - "Manage Account": "Manage Account", - "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 and logout your active sessions on other browsers and devices.": "Manage and logout your active sessions on other browsers and devices.", - "Manage API Tokens": "Manage API Tokens", - "Manage Role": "Manage Role", - "Manage Team": "Manage Team", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "March", - "Marshall Islands": "Marshall Islands", - "Martinique": "Martinique", - "Mauritania": "Mauritania", - "Mauritius": "Mauritius", - "May": "May", - "Mayotte": "Mayotte", - "Mexico": "Mexico", - "Micronesia, Federated States Of": "Micronesia", - "Moldova": "Moldova", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monaco", - "Mongolia": "Mongolia", - "Montenegro": "Montenegro", - "Month To Date": "Month To Date", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Morocco", - "Mozambique": "Mozambique", - "Myanmar": "Myanmar", - "Name": "Name", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Netherlands", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Nevermind", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "New", - "New :resource": "New :resource", - "New Caledonia": "New Caledonia", - "New Password": "New Password", - "New Zealand": "New Zealand", - "Next": "Next", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "No", - "No :resource matched the given criteria.": "No :resource matched the given criteria.", - "No additional information...": "No additional information...", - "No Current Data": "No Current Data", - "No Data": "No Data", - "no file selected": "no file selected", - "No Increase": "No Increase", - "No Prior Data": "No Prior Data", - "No Results Found.": "No Results Found.", - "Norfolk Island": "Norfolk Island", - "Northern Mariana Islands": "Northern Mariana Islands", - "Norway": "Norway", "Not Found": "Not Found", - "Nova User": "Nova User", - "November": "November", - "October": "October", - "of": "of", "Oh no": "Oh no", - "Oman": "Oman", - "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 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 Trashed": "Only Trashed", - "Original": "Original", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Page Expired", "Pagination Navigation": "Pagination Navigation", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Palestinian Territories", - "Panama": "Panama", - "Papua New Guinea": "Papua New Guinea", - "Paraguay": "Paraguay", - "Password": "Password", - "Pay :amount": "Pay :amount", - "Payment Cancelled": "Payment Cancelled", - "Payment Confirmation": "Payment Confirmation", - "Payment Information": "Payment Information", - "Payment Successful": "Payment Successful", - "Pending Team Invitations": "Pending Team Invitations", - "Per Page": "Per Page", - "Permanently delete this team.": "Permanently delete this team.", - "Permanently delete your account.": "Permanently delete your account.", - "Permissions": "Permissions", - "Peru": "Peru", - "Philippines": "Philippines", - "Photo": "Photo", - "Pitcairn": "Pitcairn Islands", "Please click the button below to verify your email address.": "Please click the button below to verify your email address.", - "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 confirm your password before continuing.": "Please confirm your password before continuing.", - "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 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 enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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 provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.", - "Please provide your name.": "Please provide your name.", - "Poland": "Poland", - "Portugal": "Portugal", - "Press \/ to search": "Press \/ to search", - "Preview": "Preview", - "Previous": "Previous", - "Privacy Policy": "Privacy Policy", - "Profile": "Profile", - "Profile Information": "Profile Information", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Quarter To Date", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Recovery Code", "Regards": "Regards", - "Regenerate Recovery Codes": "Regenerate Recovery Codes", - "Register": "Register", - "Reload": "Reload", - "Remember me": "Remember me", - "Remember Me": "Remember Me", - "Remove": "Remove", - "Remove Photo": "Remove Photo", - "Remove Team Member": "Remove Team Member", - "Resend Verification Email": "Resend Verification Email", - "Reset Filters": "Reset Filters", - "Reset Password": "Reset Password", - "Reset Password Notification": "Reset Password Notification", - "resource": "resource", - "Resources": "Resources", - "resources": "resources", - "Restore": "Restore", - "Restore Resource": "Restore Resource", - "Restore Selected": "Restore Selected", "results": "results", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Réunion", - "Role": "Role", - "Romania": "Romania", - "Run Action": "Run Action", - "Russian Federation": "Russian Federation", - "Rwanda": "Rwanda", - "Réunion": "Réunion", - "Saint Barthelemy": "St. Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "St. Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "St. Kitts and Nevis", - "Saint Lucia": "St. Lucia", - "Saint Martin": "St. Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "St. Pierre and Miquelon", - "Saint Vincent And Grenadines": "St. Vincent and Grenadines", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "São Tomé and Príncipe", - "Saudi Arabia": "Saudi Arabia", - "Save": "Save", - "Saved.": "Saved.", - "Search": "Search", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Select A New Photo", - "Select Action": "Select Action", - "Select All": "Select All", - "Select All Matching": "Select All Matching", - "Send Password Reset Link": "Send Password Reset Link", - "Senegal": "Senegal", - "September": "September", - "Serbia": "Serbia", "Server Error": "Server Error", "Service Unavailable": "Service Unavailable", - "Seychelles": "Seychelles", - "Show All Fields": "Show All Fields", - "Show Content": "Show Content", - "Show Recovery Codes": "Show Recovery Codes", "Showing": "Showing", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapore", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovakia", - "Slovenia": "Slovenia", - "Solomon Islands": "Solomon Islands", - "Somalia": "Somalia", - "Something went wrong.": "Something went wrong.", - "Sorry! You are not authorized to perform this action.": "Sorry! You are not authorized to perform this action.", - "Sorry, your session has expired.": "Sorry, your session has expired.", - "South Africa": "South Africa", - "South Georgia And Sandwich Isl.": "South Georgia and South Sandwich Islands", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "South Sudan", - "Spain": "Spain", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Start Polling", - "State \/ County": "State \/ County", - "Stop Polling": "Stop Polling", - "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.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard and Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Sweden", - "Switch Teams": "Switch Teams", - "Switzerland": "Switzerland", - "Syrian Arab Republic": "Syria", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tajikistan", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Team Details", - "Team Invitation": "Team Invitation", - "Team Members": "Team Members", - "Team Name": "Team Name", - "Team Owner": "Team Owner", - "Team Settings": "Team Settings", - "Terms of Service": "Terms of Service", - "Thailand": "Thailand", - "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.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "The :attribute must be a valid role.", - "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 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 contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "The :resource was created!", - "The :resource was deleted!": "The :resource was deleted!", - "The :resource was restored!": "The :resource was restored!", - "The :resource was updated!": "The :resource was updated!", - "The action ran successfully!": "The action ran successfully!", - "The file was deleted!": "The file was deleted!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "The government won't let us show you what's behind these doors", - "The HasOne relationship has already been filled.": "The HasOne relationship has already been filled.", - "The payment was successful.": "The payment was successful.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "The resource was updated!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "The team's name and owner information.", - "There are no available options for this resource.": "There are no available options for this resource.", - "There was a problem executing the action.": "There was a problem executing the action.", - "There was a problem submitting the form.": "There was a problem submitting the form.", - "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.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "This action is unauthorized.", - "This device": "This device", - "This file field is read-only.": "This file field is read-only.", - "This image": "This image", - "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 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 payment was already successfully confirmed.": "This payment was already successfully confirmed.", - "This payment was cancelled.": "This payment was cancelled.", - "This resource no longer exists": "This resource no longer exists", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "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.", - "Timor-Leste": "Timor-Leste", "to": "to", - "Today": "Today", "Toggle navigation": "Toggle navigation", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Token Name", - "Tonga": "Tonga", "Too Many Attempts.": "Too Many Attempts.", "Too Many Requests": "Too Many Requests", - "total": "total", - "Total:": "Total:", - "Trashed": "Trashed", - "Trinidad And Tobago": "Trinidad and Tobago", - "Tunisia": "Tunisia", - "Turkey": "Turkey", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Turks and Caicos Islands", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Two Factor Authentication", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.", - "Uganda": "Uganda", - "Ukraine": "Ukraine", "Unauthorized": "Unauthorized", - "United Arab Emirates": "United Arab Emirates", - "United Kingdom": "United Kingdom", - "United States": "United States", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "U.S. Outlying Islands", - "Update": "Update", - "Update & Continue Editing": "Update & Continue Editing", - "Update :resource": "Update :resource", - "Update :resource: :title": "Update :resource: :title", - "Update attached :resource: :title": "Update attached :resource: :title", - "Update Password": "Update Password", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Update your account's profile information and email address.", - "Uruguay": "Uruguay", - "Use a recovery code": "Use a recovery code", - "Use an authentication code": "Use an authentication code", - "Uzbekistan": "Uzbekistan", - "Value": "Value", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Verify Email Address", "Verify Your Email Address": "Verify Your Email Address", - "Viet Nam": "Vietnam", - "View": "View", - "Virgin Islands, British": "British Virgin Islands", - "Virgin Islands, U.S.": "U.S. Virgin Islands", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis and Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "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 will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "We won't ask for your password again for a few hours.", - "We're lost in space. The page you were trying to view does not exist.": "We're lost in space. The page you were trying to view does not exist.", - "Welcome Back!": "Welcome Back!", - "Western Sahara": "Western Sahara", - "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.", - "Whoops": "Whoops", - "Whoops!": "Whoops!", - "Whoops! Something went wrong.": "Whoops! Something went wrong.", - "With Trashed": "With Trashed", - "Write": "Write", - "Year To Date": "Year To Date", - "Yearly": "Yearly", - "Yemen": "Yemen", - "Yes": "Yes", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "You are logged in!", - "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 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 may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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 :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Your email address is not verified.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Your email address is not verified." } diff --git a/locales/oc/packages/cashier.json b/locales/oc/packages/cashier.json new file mode 100644 index 00000000000..d815141a0b5 --- /dev/null +++ b/locales/oc/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "All rights reserved.", + "Card": "Card", + "Confirm Payment": "Confirm Payment", + "Confirm your :amount payment": "Confirm your :amount payment", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", + "Full name": "Full name", + "Go back": "Go back", + "Jane Doe": "Jane Doe", + "Pay :amount": "Pay :amount", + "Payment Cancelled": "Payment Cancelled", + "Payment Confirmation": "Payment Confirmation", + "Payment Successful": "Payment Successful", + "Please provide your name.": "Please provide your name.", + "The payment was successful.": "The payment was successful.", + "This payment was already successfully confirmed.": "This payment was already successfully confirmed.", + "This payment was cancelled.": "This payment was cancelled." +} diff --git a/locales/oc/packages/fortify.json b/locales/oc/packages/fortify.json new file mode 100644 index 00000000000..fa4b05c7684 --- /dev/null +++ b/locales/oc/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 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 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." +} diff --git a/locales/oc/packages/jetstream.json b/locales/oc/packages/jetstream.json new file mode 100644 index 00000000000..0f42c7ba1ac --- /dev/null +++ b/locales/oc/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "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.", + "Accept Invitation": "Accept Invitation", + "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 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", + "Added.": "Added.", + "Administrator": "Administrator", + "Administrator users can perform any action.": "Administrator users can perform any action.", + "All of the people that are part of this team.": "All of the people that are part of this team.", + "Already registered?": "Already registered?", + "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.", + "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 delete this API token?": "Are you sure you would like to delete this API token?", + "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?", + "Browser Sessions": "Browser Sessions", + "Cancel": "Cancel", + "Close": "Close", + "Code": "Code", + "Confirm": "Confirm", + "Confirm Password": "Confirm Password", + "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 API Token": "Create API Token", + "Create New Team": "Create New Team", + "Create Team": "Create Team", + "Created.": "Created.", + "Current Password": "Current Password", + "Dashboard": "Dashboard", + "Delete": "Delete", + "Delete Account": "Delete Account", + "Delete API Token": "Delete API Token", + "Delete Team": "Delete Team", + "Disable": "Disable", + "Done.": "Done.", + "Editor": "Editor", + "Editor users have the ability to read, create, and update.": "Editor users have the ability to read, create, and update.", + "Email": "Email", + "Email Password Reset Link": "Email Password Reset Link", + "Enable": "Enable", + "Ensure your account is using a long, random password to stay secure.": "Ensure your account is using a long, random password to stay secure.", + "For your security, please confirm your password to continue.": "For your security, please confirm your password to continue.", + "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.", + "Great! You have accepted the invitation to join the :team team.": "Great! You have accepted the invitation to join the :team team.", + "I agree to the :terms_of_service and :privacy_policy": "I agree to the :terms_of_service and :privacy_policy", + "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 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 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 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:", + "Last active": "Last active", + "Last used": "Last used", + "Leave": "Leave", + "Leave Team": "Leave Team", + "Log in": "Log in", + "Log Out": "Log Out", + "Log Out Other Browser Sessions": "Log Out Other Browser Sessions", + "Manage Account": "Manage Account", + "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 Role": "Manage Role", + "Manage Team": "Manage Team", + "Name": "Name", + "New Password": "New Password", + "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 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.", + "Password": "Password", + "Pending Team Invitations": "Pending Team Invitations", + "Permanently delete this team.": "Permanently delete this team.", + "Permanently delete your account.": "Permanently delete your account.", + "Permissions": "Permissions", + "Photo": "Photo", + "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 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 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.", + "Privacy Policy": "Privacy Policy", + "Profile": "Profile", + "Profile Information": "Profile Information", + "Recovery Code": "Recovery Code", + "Regenerate Recovery Codes": "Regenerate Recovery Codes", + "Register": "Register", + "Remember me": "Remember me", + "Remove": "Remove", + "Remove Photo": "Remove Photo", + "Remove Team Member": "Remove Team Member", + "Resend Verification Email": "Resend Verification Email", + "Reset Password": "Reset Password", + "Role": "Role", + "Save": "Save", + "Saved.": "Saved.", + "Select A New Photo": "Select A New Photo", + "Show Recovery Codes": "Show Recovery Codes", + "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.", + "Switch Teams": "Switch Teams", + "Team Details": "Team Details", + "Team Invitation": "Team Invitation", + "Team Members": "Team Members", + "Team Name": "Team Name", + "Team Owner": "Team Owner", + "Team Settings": "Team Settings", + "Terms of Service": "Terms of Service", + "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 a valid role.": "The :attribute must be a valid role.", + "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 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 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 team's name and owner information.": "The team's name and owner information.", + "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.", + "This device": "This device", + "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 password does not match our records.": "This password does not match our records.", + "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.", + "Token Name": "Token Name", + "Two Factor Authentication": "Two Factor Authentication", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.", + "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", + "Use an authentication code": "Use an authentication code", + "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.", + "Whoops! Something went wrong.": "Whoops! Something went wrong.", + "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 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." +} diff --git a/locales/oc/packages/nova.json b/locales/oc/packages/nova.json new file mode 100644 index 00000000000..4b295ddfca3 --- /dev/null +++ b/locales/oc/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Days", + "60 Days": "60 Days", + "90 Days": "90 Days", + ":amount Total": ":amount Total", + ":resource Details": ":resource Details", + ":resource Details: :title": ":resource Details: :title", + "Action": "Action", + "Action Happened At": "Happened At", + "Action Initiated By": "Initiated By", + "Action Name": "Name", + "Action Status": "Status", + "Action Target": "Target", + "Actions": "Actions", + "Add row": "Add row", + "Afghanistan": "Afghanistan", + "Aland Islands": "Åland Islands", + "Albania": "Albania", + "Algeria": "Algeria", + "All resources loaded.": "All resources loaded.", + "American Samoa": "American Samoa", + "An error occured while uploading the file.": "An error occured while uploading the file.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Another user has updated this resource since this page was loaded. Please refresh the page and try again.", + "Antarctica": "Antarctica", + "Antigua And Barbuda": "Antigua and Barbuda", + "April": "April", + "Are you sure you want to delete the selected resources?": "Are you sure you want to delete the selected resources?", + "Are you sure you want to delete this file?": "Are you sure you want to delete this file?", + "Are you sure you want to delete this resource?": "Are you sure you want to delete this resource?", + "Are you sure you want to detach the selected resources?": "Are you sure you want to detach the selected resources?", + "Are you sure you want to detach this resource?": "Are you sure you want to detach this resource?", + "Are you sure you want to force delete the selected resources?": "Are you sure you want to force delete the selected resources?", + "Are you sure you want to force delete this resource?": "Are you sure you want to force delete this resource?", + "Are you sure you want to restore the selected resources?": "Are you sure you want to restore the selected resources?", + "Are you sure you want to restore this resource?": "Are you sure you want to restore this resource?", + "Are you sure you want to run this action?": "Are you sure you want to run this action?", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Attach": "Attach", + "Attach & Attach Another": "Attach & Attach Another", + "Attach :resource": "Attach :resource", + "August": "August", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgium", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Saba", + "Bosnia And Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brazil", + "British Indian Ocean Territory": "British Indian Ocean Territory", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Cameroon", + "Canada": "Canada", + "Cancel": "Cancel", + "Cape Verde": "Cape Verde", + "Cayman Islands": "Cayman Islands", + "Central African Republic": "Central African Republic", + "Chad": "Chad", + "Changes": "Changes", + "Chile": "Chile", + "China": "China", + "Choose": "Choose", + "Choose :field": "Choose :field", + "Choose :resource": "Choose :resource", + "Choose an option": "Choose an option", + "Choose date": "Choose date", + "Choose File": "Choose File", + "Choose Type": "Choose Type", + "Christmas Island": "Christmas Island", + "Click to choose": "Click to choose", + "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", + "Colombia": "Colombia", + "Comoros": "Comoros", + "Confirm Password": "Confirm Password", + "Congo": "Congo", + "Congo, Democratic Republic": "Congo, Democratic Republic", + "Constant": "Constant", + "Cook Islands": "Cook Islands", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "could not be found.", + "Create": "Create", + "Create & Add Another": "Create & Add Another", + "Create :resource": "Create :resource", + "Croatia": "Croatia", + "Cuba": "Cuba", + "Curaçao": "Curaçao", + "Customize": "Customize", + "Cyprus": "Cyprus", + "Czech Republic": "Czechia", + "Dashboard": "Dashboard", + "December": "December", + "Decrease": "Decrease", + "Delete": "Delete", + "Delete File": "Delete File", + "Delete Resource": "Delete Resource", + "Delete Selected": "Delete Selected", + "Denmark": "Denmark", + "Detach": "Detach", + "Detach Resource": "Detach Resource", + "Detach Selected": "Detach Selected", + "Details": "Details", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Do you really want to leave? You have unsaved changes.", + "Dominica": "Dominica", + "Dominican Republic": "Dominican Republic", + "Download": "Download", + "Ecuador": "Ecuador", + "Edit": "Edit", + "Edit :resource": "Edit :resource", + "Edit Attached": "Edit Attached", + "Egypt": "Egypt", + "El Salvador": "El Salvador", + "Email Address": "Email Address", + "Equatorial Guinea": "Equatorial Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Ethiopia", + "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", + "Faroe Islands": "Faroe Islands", + "February": "February", + "Fiji": "Fiji", + "Finland": "Finland", + "Force Delete": "Force Delete", + "Force Delete Resource": "Force Delete Resource", + "Force Delete Selected": "Force Delete Selected", + "Forgot Your Password?": "Forgot Your Password?", + "Forgot your password?": "Forgot your password?", + "France": "France", + "French Guiana": "French Guiana", + "French Polynesia": "French Polynesia", + "French Southern Territories": "French Southern Territories", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Germany", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "Go Home", + "Greece": "Greece", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Heard Island and McDonald Islands", + "Hide Content": "Hide Content", + "Hold Up!": "Hold Up!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungary", + "Iceland": "Iceland", + "ID": "ID", + "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.", + "Increase": "Increase", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Iraq", + "Ireland": "Ireland", + "Isle Of Man": "Isle of Man", + "Israel": "Israel", + "Italy": "Italy", + "Jamaica": "Jamaica", + "January": "January", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "July": "July", + "June": "June", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Key": "Key", + "Kiribati": "Kiribati", + "Korea": "South Korea", + "Korea, Democratic People's Republic of": "North Korea", + "Kosovo": "Kosovo", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvia", + "Lebanon": "Lebanon", + "Lens": "Lens", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lithuania", + "Load :perPage More": "Load :perPage More", + "Login": "Login", + "Logout": "Logout", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia": "North Macedonia", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Mali", + "Malta": "Malta", + "March": "March", + "Marshall Islands": "Marshall Islands", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "May": "May", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States Of": "Micronesia", + "Moldova": "Moldova", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Month To Date": "Month To Date", + "Montserrat": "Montserrat", + "Morocco": "Morocco", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Netherlands", + "New": "New", + "New :resource": "New :resource", + "New Caledonia": "New Caledonia", + "New Zealand": "New Zealand", + "Next": "Next", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "No", + "No :resource matched the given criteria.": "No :resource matched the given criteria.", + "No additional information...": "No additional information...", + "No Current Data": "No Current Data", + "No Data": "No Data", + "no file selected": "no file selected", + "No Increase": "No Increase", + "No Prior Data": "No Prior Data", + "No Results Found.": "No Results Found.", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Northern Mariana Islands", + "Norway": "Norway", + "Nova User": "Nova User", + "November": "November", + "October": "October", + "of": "of", + "Oman": "Oman", + "Only Trashed": "Only Trashed", + "Original": "Original", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinian Territories", + "Panama": "Panama", + "Papua New Guinea": "Papua New Guinea", + "Paraguay": "Paraguay", + "Password": "Password", + "Per Page": "Per Page", + "Peru": "Peru", + "Philippines": "Philippines", + "Pitcairn": "Pitcairn Islands", + "Poland": "Poland", + "Portugal": "Portugal", + "Press \/ to search": "Press \/ to search", + "Preview": "Preview", + "Previous": "Previous", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Quarter To Date", + "Reload": "Reload", + "Remember Me": "Remember Me", + "Reset Filters": "Reset Filters", + "Reset Password": "Reset Password", + "Reset Password Notification": "Reset Password Notification", + "resource": "resource", + "Resources": "Resources", + "resources": "resources", + "Restore": "Restore", + "Restore Resource": "Restore Resource", + "Restore Selected": "Restore Selected", + "Reunion": "Réunion", + "Romania": "Romania", + "Run Action": "Run Action", + "Russian Federation": "Russian Federation", + "Rwanda": "Rwanda", + "Saint Barthelemy": "St. Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts And Nevis": "St. Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin": "St. Martin", + "Saint Pierre And Miquelon": "St. Pierre and Miquelon", + "Saint Vincent And Grenadines": "St. Vincent and Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "São Tomé and Príncipe", + "Saudi Arabia": "Saudi Arabia", + "Search": "Search", + "Select Action": "Select Action", + "Select All": "Select All", + "Select All Matching": "Select All Matching", + "Send Password Reset Link": "Send Password Reset Link", + "Senegal": "Senegal", + "September": "September", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Show All Fields": "Show All Fields", + "Show Content": "Show Content", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapore", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Solomon Islands", + "Somalia": "Somalia", + "Something went wrong.": "Something went wrong.", + "Sorry! You are not authorized to perform this action.": "Sorry! You are not authorized to perform this action.", + "Sorry, your session has expired.": "Sorry, your session has expired.", + "South Africa": "South Africa", + "South Georgia And Sandwich Isl.": "South Georgia and South Sandwich Islands", + "South Sudan": "South Sudan", + "Spain": "Spain", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Start Polling", + "Stop Polling": "Stop Polling", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sweden", + "Switzerland": "Switzerland", + "Syrian Arab Republic": "Syria", + "Taiwan": "Taiwan", + "Tajikistan": "Tajikistan", + "Tanzania": "Tanzania", + "Thailand": "Thailand", + "The :resource was created!": "The :resource was created!", + "The :resource was deleted!": "The :resource was deleted!", + "The :resource was restored!": "The :resource was restored!", + "The :resource was updated!": "The :resource was updated!", + "The action ran successfully!": "The action ran successfully!", + "The file was deleted!": "The file was deleted!", + "The government won't let us show you what's behind these doors": "The government won't let us show you what's behind these doors", + "The HasOne relationship has already been filled.": "The HasOne relationship has already been filled.", + "The resource was updated!": "The resource was updated!", + "There are no available options for this resource.": "There are no available options for this resource.", + "There was a problem executing the action.": "There was a problem executing the action.", + "There was a problem submitting the form.": "There was a problem submitting the form.", + "This file field is read-only.": "This file field is read-only.", + "This image": "This image", + "This resource no longer exists": "This resource no longer exists", + "Timor-Leste": "Timor-Leste", + "Today": "Today", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "total": "total", + "Trashed": "Trashed", + "Trinidad And Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turkey", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "United Arab Emirates", + "United Kingdom": "United Kingdom", + "United States": "United States", + "United States Outlying Islands": "U.S. Outlying Islands", + "Update": "Update", + "Update & Continue Editing": "Update & Continue Editing", + "Update :resource": "Update :resource", + "Update :resource: :title": "Update :resource: :title", + "Update attached :resource: :title": "Update attached :resource: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Value": "Value", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "View", + "Virgin Islands, British": "British Virgin Islands", + "Virgin Islands, U.S.": "U.S. Virgin Islands", + "Wallis And Futuna": "Wallis and Futuna", + "We're lost in space. The page you were trying to view does not exist.": "We're lost in space. The page you were trying to view does not exist.", + "Welcome Back!": "Welcome Back!", + "Western Sahara": "Western Sahara", + "Whoops": "Whoops", + "Whoops!": "Whoops!", + "With Trashed": "With Trashed", + "Write": "Write", + "Year To Date": "Year To Date", + "Yemen": "Yemen", + "Yes": "Yes", + "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.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/oc/packages/spark-paddle.json b/locales/oc/packages/spark-paddle.json new file mode 100644 index 00000000000..d3b44a5fcae --- /dev/null +++ b/locales/oc/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Terms of Service", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Whoops! Something went wrong.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/oc/packages/spark-stripe.json b/locales/oc/packages/spark-stripe.json new file mode 100644 index 00000000000..69f478bd749 --- /dev/null +++ b/locales/oc/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afghanistan", + "Albania": "Albania", + "Algeria": "Algeria", + "American Samoa": "American Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarctica", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgium", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brazil", + "British Indian Ocean Territory": "British Indian Ocean Territory", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Cameroon", + "Canada": "Canada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Cape Verde", + "Card": "Card", + "Cayman Islands": "Cayman Islands", + "Central African Republic": "Central African Republic", + "Chad": "Chad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Chile", + "China": "China", + "Christmas Island": "Christmas Island", + "City": "City", + "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", + "Colombia": "Colombia", + "Comoros": "Comoros", + "Confirm Payment": "Confirm Payment", + "Confirm your :amount payment": "Confirm your :amount payment", + "Congo": "Congo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Cook Islands", + "Costa Rica": "Costa Rica", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Croatia", + "Cuba": "Cuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Cyprus", + "Czech Republic": "Czechia", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Denmark", + "Djibouti": "Djibouti", + "Dominica": "Dominica", + "Dominican Republic": "Dominican Republic", + "Download Receipt": "Download Receipt", + "Ecuador": "Ecuador", + "Egypt": "Egypt", + "El Salvador": "El Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Equatorial Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Ethiopia", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", + "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", + "Faroe Islands": "Faroe Islands", + "Fiji": "Fiji", + "Finland": "Finland", + "France": "France", + "French Guiana": "French Guiana", + "French Polynesia": "French Polynesia", + "French Southern Territories": "French Southern Territories", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Germany", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Greece", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungary", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Iceland", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Iraq", + "Ireland": "Ireland", + "Isle of Man": "Isle of Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italy", + "Jamaica": "Jamaica", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "North Korea", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvia", + "Lebanon": "Lebanon", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lithuania", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Mali", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marshall Islands", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Morocco", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Netherlands", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "New Caledonia", + "New Zealand": "New Zealand", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Northern Mariana Islands", + "Norway": "Norway", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinian Territories", + "Panama": "Panama", + "Papua New Guinea": "Papua New Guinea", + "Paraguay": "Paraguay", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Philippines", + "Pitcairn": "Pitcairn Islands", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Poland", + "Portugal": "Portugal", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Romania", + "Russian Federation": "Russian Federation", + "Rwanda": "Rwanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saudi Arabia", + "Save": "Save", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapore", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Solomon Islands", + "Somalia": "Somalia", + "South Africa": "South Africa", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Spain", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sweden", + "Switzerland": "Switzerland", + "Syrian Arab Republic": "Syria", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tajikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Terms of Service", + "Thailand": "Thailand", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turkey", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "United Arab Emirates", + "United Kingdom": "United Kingdom", + "United States": "United States", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Update", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "British Virgin Islands", + "Virgin Islands, U.S.": "U.S. Virgin Islands", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Western Sahara", + "Whoops! Something went wrong.": "Whoops! Something went wrong.", + "Yearly": "Yearly", + "Yemen": "Yemen", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/pl/packages/cashier.json b/locales/pl/packages/cashier.json new file mode 100644 index 00000000000..efb55f76f95 --- /dev/null +++ b/locales/pl/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Wszelkie prawa zastrzeżone", + "Card": "Karta", + "Confirm Payment": "Potwierdź Płatność", + "Confirm your :amount payment": "Potwierdź płatność :amount", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Dodatkowe potwierdzenie jest potrzebne do przetworzenia płatności. Potwierdź płatność, wypełniając dane dotyczące płatności poniżej.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Dodatkowe potwierdzenie jest potrzebne do przetworzenia płatności. Przejdź do strony płatności, klikając poniższy przycisk.", + "Full name": "Imię i nazwisko", + "Go back": "Wróć", + "Jane Doe": "Jane Doe", + "Pay :amount": "Zapłać :amount", + "Payment Cancelled": "Płatność Anulowana", + "Payment Confirmation": "Potwierdzenie Płatności", + "Payment Successful": "Płatność Udana", + "Please provide your name.": "Proszę podać swoje imię i nazwisko.", + "The payment was successful.": "Płatność się powiodła.", + "This payment was already successfully confirmed.": "Płatność ta została już pomyślnie potwierdzona.", + "This payment was cancelled.": "Ta płatność została anulowana." +} diff --git a/locales/pl/packages/fortify.json b/locales/pl/packages/fortify.json new file mode 100644 index 00000000000..2a16110ca98 --- /dev/null +++ b/locales/pl/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 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 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 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 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.": "Pole :attribute musi mieć co najmniej :length znaków.", + "The provided password does not match your current password.": "Podane hasło nie jest zgodne z aktualnym hasłem.", + "The provided password was incorrect.": "Podany hasło jest nieprawidłowe.", + "The provided two factor authentication code was invalid.": "Podany kod uwierzytelniania dwuskładnikowego jest nieprawidłowe." +} diff --git a/locales/pl/packages/jetstream.json b/locales/pl/packages/jetstream.json new file mode 100644 index 00000000000..991598d4fce --- /dev/null +++ b/locales/pl/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Nowy link weryfikacyjny został wysłany na adres email podany podczas rejestracji.", + "Accept Invitation": "Przyjmij zaproszenie", + "Add": "Dodaj", + "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 additional security to your account using two factor authentication.": "Dodaj dodatkowe zabezpieczenia do swojego konta, korzystając z uwierzytelniania dwuskładnikowego.", + "Add Team Member": "Dodaj członka zespołu", + "Added.": "Dodany.", + "Administrator": "Administrator", + "Administrator users can perform any action.": "Użytkownicy będący Administratorem mogą wykonywać dowolne czynności.", + "All of the people that are part of this team.": "Wszystkie osoby, które są częścią tego zespołu.", + "Already registered?": "Zarejestrowany już?", + "API Token": "Token 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 zewnętrznym uwierzytelnianie w naszej aplikacji w Twoim imieniu.", + "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 delete this API token?": "Czy na pewno chcesz usunąć ten token API?", + "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?", + "Browser Sessions": "Sesje przeglądarki", + "Cancel": "Anuluj", + "Close": "Zamknij", + "Code": "Kod", + "Confirm": "Potwierdź", + "Confirm Password": "Potwierdź hasło", + "Create": "Utworz", + "Create a new team to collaborate with others on projects.": "Utwórz nowy zespół do współpracy z innymi projektami.", + "Create Account": "Utwórz konto", + "Create API Token": "Utwórz token API", + "Create New Team": "Utwórz nowy zespół", + "Create Team": "Utwórz zespół", + "Created.": "Tworzone.", + "Current Password": "Aktualne hasło", + "Dashboard": "Panel", + "Delete": "Usuń", + "Delete Account": "Usuń konto", + "Delete API Token": "Usuń token API", + "Delete Team": "Usuń zespół", + "Disable": "Wyłącz", + "Done.": "Zrobione.", + "Editor": "Edytor", + "Editor users have the ability to read, create, and update.": "Użytkownicy Edytor mają możliwość czytania, tworzenia i aktualizowania.", + "Email": "Email", + "Email Password Reset Link": "Link do resetowania hasła email-em", + "Enable": "Włącz", + "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.", + "For your security, please confirm your password to continue.": "Ze względów bezpieczeństwa potwierdź hasło, aby kontynuować.", + "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 email, a wyślemy Ci link do resetowania hasła, który pozwoli Ci wprowadzić nowe.", + "Great! You have accepted the invitation to join the :team team.": "Świetny! Zaakceptowałeś zaproszenie do zespołu :team.", + "I agree to the :terms_of_service and :privacy_policy": "Wyrażam zgodę na :terms_of_service i :privacy_policy", + "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 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 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 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:", + "Last active": "Ostatnio aktywny", + "Last used": "Ostatnio używany", + "Leave": "Opuszcz", + "Leave Team": "Opuść zespół", + "Log in": "Zaloguj się", + "Log Out": "Wyloguj Się", + "Log Out Other Browser Sessions": "Wyloguj Inne Sesje Przeglądarki", + "Manage Account": "Zarządzaj kontem", + "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 Role": "Zarządzaj rolami", + "Manage Team": "Zarządzaj zespołem", + "Name": "Imię i nazwisko", + "New Password": "Nowe hasło", + "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 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ć.", + "Password": "Hasło", + "Pending Team Invitations": "Oczekujące zaproszenia do zespołu", + "Permanently delete this team.": "Trwale usuń ten zespół.", + "Permanently delete your account.": "Trwale usuń swoje konto.", + "Permissions": "Uprawnienia", + "Photo": "Zdjęcie", + "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 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 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 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.", + "Privacy Policy": "Polityka prywatności", + "Profile": "Profil", + "Profile Information": "Informacje o Profilu", + "Recovery Code": "Kod odzyskiwania", + "Regenerate Recovery Codes": "Regeneruj kody odzyskiwania", + "Register": "Zarejestruj się", + "Remember me": "Zapamiętaj mnie", + "Remove": "Usuń", + "Remove Photo": "Usuń zdjęcie", + "Remove Team Member": "Usuń członka zespołu", + "Resend Verification Email": "Wyślij ponownie email weryfikacyjny", + "Reset Password": "Zresetuj hasło", + "Role": "Rola", + "Save": "Zapisz", + "Saved.": "Zapisane.", + "Select A New Photo": "Wybierz nowe zdjęcie", + "Show Recovery Codes": "Pokaż kody odzyskiwania", + "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.": "Przechowuj te kody odzyskiwania w bezpiecznym menedżerze haseł. Można ich użyć do odzyskania dostępu do konta w przypadku utraty urządzenia do uwierzytelniania dwuskładnikowego.", + "Switch Teams": "Przełącz zespół", + "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", + "Terms of Service": "Warunki korzystania z usługi", + "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ę! Przed rozpoczęciem proszę zweryfikować swój adres e-mail, klikając w link, który właśnie wysłaliśmy do Ciebie e-mailem. Jeśli nie otrzymałeś e-maila, z przyjemnością prześlemy Ci kolejny.", + "The :attribute must be a valid role.": "Pole :attribute musi być prawidłową rolą.", + "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 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 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 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 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.": "Pole :attribute musi mieć co najmniej :length znaków.", + "The provided password does not match your current password.": "Podane hasło nie jest zgodne z aktualnym hasłem.", + "The provided password was incorrect.": "Podany hasło jest nieprawidłowe.", + "The provided two factor authentication code was invalid.": "Podany kod uwierzytelniania dwuskładnikowego jest nieprawidłowe.", + "The team's name and owner information.": "Nazwa zespołu i informacje o właścicielu.", + "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.", + "This device": "Te urządzenie", + "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 password does not match our records.": "To hasło nie pasuje do naszych rekordów.", + "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.", + "Token Name": "Nazwa tokena", + "Two Factor Authentication": "Uwierzytelnianie dwuskładnikowe", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Uwierzytelnianie dwuskładnikowe jest teraz włączone. Uwierzytelnianie dwuskładnikowe jest teraz włączone. Zeskanować poniższy kod QR przy użyciu aplikacji Authenticator w telefonie.", + "Update Password": "Zaktualizuj hasło", + "Update your account's profile information and email address.": "Zaktualizuj informacje profilowe i adres email swojego konta.", + "Use a recovery code": "Użyj kodu odzyskiwania", + "Use an authentication code": "Użyj kodu uwierzytelniającego", + "We were unable to find a registered user with this email address.": "Nie udało nam się znaleźć zarejestrowanego użytkownika z tym adresem email.", + "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.", + "Whoops! Something went wrong.": "Ups! Coś poszło nie tak.", + "You have been invited to join the :team team!": "Zostałeś zaproszony do zespołu :team!", + "You have enabled two factor authentication.": "Włączono dwa uwierzytelnienie.", + "You have not enabled two factor authentication.": "Nie włączono uwierzytelniania dwuskładnikowego.", + "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.": "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ć zespołu, które stworzyłeś" +} diff --git a/locales/pl/packages/nova.json b/locales/pl/packages/nova.json new file mode 100644 index 00000000000..bd9bb918a50 --- /dev/null +++ b/locales/pl/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 dni", + "60 Days": "60 dni", + "90 Days": "90 dni", + ":amount Total": ":amount razem", + ":resource Details": ":resource szczegóły", + ":resource Details: :title": ":resource odsłon: :title", + "Action": "Działanie", + "Action Happened At": "Stało Się W", + "Action Initiated By": "Zainicjowany Przez", + "Action Name": "Nazwa", + "Action Status": "Status", + "Action Target": "Cel", + "Actions": "Działania", + "Add row": "Dodaj wiersz", + "Afghanistan": "Afganistan", + "Aland Islands": "Wyspy Alandzkie", + "Albania": "Albania", + "Algeria": "Algieria", + "All resources loaded.": "Wszystkie zasoby załadowane.", + "American Samoa": "Samoa Amerykańskie", + "An error occured while uploading the file.": "Wystąpił błąd podczas przesyłania pliku.", + "Andorra": "Andora", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Inny użytkownik zaktualizował ten zasób od momentu załadowania tej strony. Odśwież stronę i spróbuj ponownie.", + "Antarctica": "Antarktyda", + "Antigua And Barbuda": "Antigua i Barbuda", + "April": "Kwiecień", + "Are you sure you want to delete the selected resources?": "Czy na pewno chcesz usunąć wybrane zasoby?", + "Are you sure you want to delete this file?": "Na pewno chcesz usunąć ten plik?", + "Are you sure you want to delete this resource?": "Czy na pewno chcesz usunąć ten zasób?", + "Are you sure you want to detach the selected resources?": "Czy na pewno chcesz odłączyć wybrane zasoby?", + "Are you sure you want to detach this resource?": "Jesteś pewien, że chcesz odłączyć ten zasób?", + "Are you sure you want to force delete the selected resources?": "Czy na pewno chcesz wymusić usunięcie wybranych zasobów?", + "Are you sure you want to force delete this resource?": "Czy na pewno chcesz wymusić usunięcie tego zasobu?", + "Are you sure you want to restore the selected resources?": "Czy na pewno chcesz przywrócić wybrane zasoby?", + "Are you sure you want to restore this resource?": "Czy na pewno chcesz przywrócić ten zasób?", + "Are you sure you want to run this action?": "Jesteś pewien, że chcesz prowadzić tę akcję?", + "Argentina": "Argentyna", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Attach": "Dołącz", + "Attach & Attach Another": "Dołącz I Dołącz Inny", + "Attach :resource": "\/ Align = \"left\" \/ :resource", + "August": "Sierpień", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbejdżan", + "Bahamas": "Bahamy", + "Bahrain": "Bahrajn", + "Bangladesh": "Bangladesz", + "Barbados": "Barbados", + "Belarus": "Białoruś", + "Belgium": "Belgia", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermudy", + "Bhutan": "Bhutan", + "Bolivia": "Boliwia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sabbath", + "Bosnia And Herzegovina": "Bośnia I Hercegowina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brazylia", + "British Indian Ocean Territory": "Brytyjskie Terytorium Oceanu Indyjskiego", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bułgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodża", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel": "Anuluj", + "Cape Verde": "Republika Zielonego Przylądka", + "Cayman Islands": "Kajmany", + "Central African Republic": "Republika Środkowoafrykańska", + "Chad": "Czad", + "Changes": "Zmiany", + "Chile": "Chile", + "China": "Chiny", + "Choose": "Wybierz", + "Choose :field": "Wybierz :field", + "Choose :resource": "Wybierz :resource", + "Choose an option": "Wybierz opcję", + "Choose date": "Wybierz datę", + "Choose File": "Wybierz Plik", + "Choose Type": "Wybierz Typ", + "Christmas Island": "Wyspa Bożego Narodzenia", + "Click to choose": "Kliknij aby wybrać", + "Cocos (Keeling) Islands": "Wyspy Kokosowe (Keeling)", + "Colombia": "Niob", + "Comoros": "Komory", + "Confirm Password": "Potwierdź hasło", + "Congo": "Kongo", + "Congo, Democratic Republic": "Kongo, Republika Demokratyczna", + "Constant": "Stała", + "Cook Islands": "Wyspy Cooka", + "Costa Rica": "Kostaryka", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "nie można znaleźć.", + "Create": "Utworz", + "Create & Add Another": "Utwórz I Dodaj Kolejną", + "Create :resource": "Twórz stronę :resource", + "Croatia": "Chorwacja", + "Cuba": "Kuba", + "Curaçao": "Curaçao", + "Customize": "Dostosuj", + "Cyprus": "Cypr", + "Czech Republic": "Czechia", + "Dashboard": "Panel", + "December": "Grudzień", + "Decrease": "Spadek", + "Delete": "Usuń", + "Delete File": "Usuń Plik", + "Delete Resource": "Usuń Zasób", + "Delete Selected": "Usuń Zaznaczone", + "Denmark": "Dania", + "Detach": "Detach", + "Detach Resource": "Odłącz Zasób", + "Detach Selected": "Odłącz Wybrane", + "Details": "Szczegóły", + "Djibouti": "Dżibuti", + "Do you really want to leave? You have unsaved changes.": "Naprawdę chcesz odejść? Masz niezapisane zmiany.", + "Dominica": "Niedziela", + "Dominican Republic": "Dominikana", + "Download": "Pobierz", + "Ecuador": "Ekwador", + "Edit": "Edytuj", + "Edit :resource": "Edytuj :resource", + "Edit Attached": "Edycja Dołączona", + "Egypt": "Egipt", + "El Salvador": "Zbawiciel", + "Email Address": "Adres E-Mail", + "Equatorial Guinea": "Gwinea Równikowa", + "Eritrea": "Erytrea", + "Estonia": "Estonia", + "Ethiopia": "Etiopia", + "Falkland Islands (Malvinas)": "Falklandy (Malwiny)", + "Faroe Islands": "Wyspy Owcze", + "February": "Luty", + "Fiji": "Fidżi", + "Finland": "Finlandia", + "Force Delete": "Wymuś Usuń", + "Force Delete Resource": "Wymuś Usuń Zasób", + "Force Delete Selected": "Wymuś Usuń Zaznaczone", + "Forgot Your Password?": "Nie pamiętasz hasła?", + "Forgot your password?": "Nie pamiętasz hasła?", + "France": "Francja", + "French Guiana": "Gujana Francuska", + "French Polynesia": "Polinezja Francuska", + "French Southern Territories": "Francuskie Terytoria Południowe", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Gruzja", + "Germany": "Niemcy", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "Przejdź do strony głównej", + "Greece": "Grecja", + "Greenland": "Grenlandia", + "Grenada": "Grenada", + "Guadeloupe": "Gwadelupa", + "Guam": "Guam", + "Guatemala": "Gwatemala", + "Guernsey": "Guernsey", + "Guinea": "Gwinea", + "Guinea-Bissau": "Gwinea Bissau", + "Guyana": "Gujana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Wyspy Heard i McDonalda", + "Hide Content": "Ukryj Zawartość", + "Hold Up!": "Czekaj!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "HongKong", + "Hungary": "Węgry", + "Iceland": "Islandia", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "Jeśli nie chcesz resetować hasła, zignoruj tę wiadomość.", + "Increase": "Zwiększenie", + "India": "Indie", + "Indonesia": "Indonezja", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Irak", + "Ireland": "Irlandia", + "Isle Of Man": "Wyspa Man", + "Israel": "Izrael", + "Italy": "Włochy", + "Jamaica": "Jamajka", + "January": "Styczeń", + "Japan": "Japonia", + "Jersey": "Jersey", + "Jordan": "Jordania", + "July": "Lipiec", + "June": "Czerwiec", + "Kazakhstan": "Kazachstan", + "Kenya": "Kenia", + "Key": "Klucz", + "Kiribati": "Kiribati", + "Korea": "Korea Południowa", + "Korea, Democratic People's Republic of": "Korea Północna", + "Kosovo": "Kosowo", + "Kuwait": "Kuwejt", + "Kyrgyzstan": "Kirgistan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Łotwa", + "Lebanon": "Liban", + "Lens": "Obiektyw", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libia", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litwa", + "Load :perPage More": "Załaduj :perPage więcej", + "Login": "Zaloguj się", + "Logout": "Wyloguj się", + "Luxembourg": "Luxembourg", + "Macao": "Makau", + "Macedonia": "Macedonia Północna", + "Madagascar": "Madagaskar", + "Malawi": "Malawi", + "Malaysia": "Malezja", + "Maldives": "Malediwy", + "Mali": "Mała", + "Malta": "Malta", + "March": "Marzec", + "Marshall Islands": "Wyspy Marshalla", + "Martinique": "Martynika", + "Mauritania": "Mauretania", + "Mauritius": "Mauritius", + "May": "Maj", + "Mayotte": "Majott", + "Mexico": "Meksyk", + "Micronesia, Federated States Of": "Mikronezja", + "Moldova": "Mołdawia", + "Monaco": "Monako", + "Mongolia": "Mongolia", + "Montenegro": "Czarnogóra", + "Month To Date": "Miesiąc Do Daty", + "Montserrat": "Montserrat", + "Morocco": "Maroko", + "Mozambique": "Mozambik", + "Myanmar": "Mjanma", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Niderlandy", + "New": "Nowe", + "New :resource": "New :resource", + "New Caledonia": "Nowa Kaledonia", + "New Zealand": "Nowa Zelandia", + "Next": "Następny", + "Nicaragua": "Nikaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "Nie.", + "No :resource matched the given criteria.": "No :resource pasowało do podanych kryteriów.", + "No additional information...": "Brak dodatkowych informacji...", + "No Current Data": "Brak Aktualnych Danych", + "No Data": "Brak Danych", + "no file selected": "nie wybrano pliku", + "No Increase": "Brak Wzrostu", + "No Prior Data": "Brak Wcześniejszych Danych", + "No Results Found.": "Nie Znaleziono Wyników.", + "Norfolk Island": "Norfolk", + "Northern Mariana Islands": "Mariany Północne", + "Norway": "Norwegia", + "Nova User": "Nova User", + "November": "Listopad", + "October": "Październik", + "of": "z", + "Oman": "Oman", + "Only Trashed": "\/ Align = \"Left\" \/ ", + "Original": "Oryginał", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Terytoria Palestyńskie", + "Panama": "Panama", + "Papua New Guinea": "Papua - Nowa Gwinea", + "Paraguay": "Paragwaj", + "Password": "Hasło", + "Per Page": "Na Stronę", + "Peru": "Peru", + "Philippines": "Filipiny", + "Pitcairn": "Wyspy Pitcairn", + "Poland": "Polska", + "Portugal": "Portugalia", + "Press \/ to search": "Naciśnij \/ aby wyszukać", + "Preview": "Podgląd", + "Previous": "Poprzedni", + "Puerto Rico": "Portoryko", + "Qatar": "Qatar", + "Quarter To Date": "Quarter To Date", + "Reload": "Przeładuj", + "Remember Me": "Zapamiętaj mnie", + "Reset Filters": "Resetuj Filtry", + "Reset Password": "Zresetuj hasło", + "Reset Password Notification": "Zresetuj hasło", + "resource": "zasób", + "Resources": "Zasoby", + "resources": "zasoby", + "Restore": "Przywróć", + "Restore Resource": "Przywróć Zasób", + "Restore Selected": "Przywróć Zaznaczone", + "Reunion": "Reunion", + "Romania": "Rumunia", + "Run Action": "Run Action", + "Russian Federation": "Federacja Rosyjska", + "Rwanda": "Rwanda", + "Saint Barthelemy": "Święty Bartłomiej", + "Saint Helena": "Święta Helena", + "Saint Kitts And Nevis": "St. Kitts i Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin": "St. Martin", + "Saint Pierre And Miquelon": "St. Pierre i Miquelon", + "Saint Vincent And Grenadines": "Saint Vincent i Grenadyny", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "Wyspy Świętego Tomasza i Książęca", + "Saudi Arabia": "Arabia Saudyjska", + "Search": "Szukaj", + "Select Action": "Wybierz Działanie", + "Select All": "Zaznacz Wszystko", + "Select All Matching": "Wybierz Wszystkie Pasujące", + "Send Password Reset Link": "Wyślij link resetujący hasło", + "Senegal": "Senegal", + "September": "Wrzesień", + "Serbia": "Serbia", + "Seychelles": "Seszele", + "Show All Fields": "Pokaż Wszystkie Pola", + "Show Content": "Pokaż Zawartość", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapur", + "Sint Maarten (Dutch part)": "Sint Martin", + "Slovakia": "Słowacja", + "Slovenia": "Słowenia", + "Solomon Islands": "Wyspy Salomona", + "Somalia": "Somalia", + "Something went wrong.": "Coś poszło nie tak.", + "Sorry! You are not authorized to perform this action.": "Przepraszam! Nie masz uprawnień do wykonania tej czynności.", + "Sorry, your session has expired.": "Przykro mi, twoja sesja wygasła.", + "South Africa": "Republika Południowej Afryki", + "South Georgia And Sandwich Isl.": "Georgia Południowa i Sandwich Południowy", + "South Sudan": "Sudan Południowy", + "Spain": "Hiszpania", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Start Ankiety", + "Stop Polling": "Stop Ankietom", + "Sudan": "Sudan", + "Suriname": "Surinam", + "Svalbard And Jan Mayen": "Svalbard i Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Szwecja", + "Switzerland": "Szwajcaria", + "Syrian Arab Republic": "Syria", + "Taiwan": "Tajwan", + "Tajikistan": "Tadżykistan", + "Tanzania": "Tanzania", + "Thailand": "Tajlandia", + "The :resource was created!": "\/ Align = \"center\" \/ 3,0869", + "The :resource was deleted!": ":resource został usunięty!", + "The :resource was restored!": ":resource został przywrócony!", + "The :resource was updated!": ":resource został zaktualizowany!", + "The action ran successfully!": "Akcja przebiegła pomyślnie!", + "The file was deleted!": "Plik został usunięty!", + "The government won't let us show you what's behind these doors": "Rząd nie pozwoli nam pokazać, co jest za tymi drzwiami.", + "The HasOne relationship has already been filled.": "Związek HasOne został już wypełniony.", + "The resource was updated!": "Zasób został zaktualizowany!", + "There are no available options for this resource.": "Nie ma dostępnych opcji dla tego zasobu.", + "There was a problem executing the action.": "Wystąpił problem z wykonaniem akcji.", + "There was a problem submitting the form.": "Wystąpił problem z wysłaniem formularza.", + "This file field is read-only.": "To pole pliku jest tylko do odczytu.", + "This image": "Ten obraz", + "This resource no longer exists": "Ten zasób już nie istnieje", + "Timor-Leste": "Timor Wschodni", + "Today": "Dzisiaj", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Przychodzić", + "total": "ogółem", + "Trashed": "Trashed", + "Trinidad And Tobago": "Trynidad i Tobago", + "Tunisia": "Tunezja", + "Turkey": "Turcja", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Turks i Caicos", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraina", + "United Arab Emirates": "Zjednoczone Emiraty Arabskie", + "United Kingdom": "Zjednoczone Królestwo", + "United States": "Stany Zjednoczone", + "United States Outlying Islands": "Dalekie Wyspy USA", + "Update": "Aktualizacja", + "Update & Continue Editing": "Aktualizuj I Kontynuuj Edycję", + "Update :resource": "Update :resource", + "Update :resource: :title": "Update :resource: :title", + "Update attached :resource: :title": "\/ Align = \"center\" \/ 2,:resource", + "Uruguay": "Urugwaj", + "Uzbekistan": "Uzbekistan", + "Value": "Wartość", + "Vanuatu": "Vanuatu", + "Venezuela": "Wenezuela", + "Viet Nam": "Vietnam", + "View": "Widok", + "Virgin Islands, British": "Brytyjskie Wyspy Dziewicze", + "Virgin Islands, U.S.": "Wyspy Dziewicze Stanów Zjednoczonych", + "Wallis And Futuna": "Wallis i Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Zgubiliśmy się w kosmosie. Strona, którą próbujesz wyświetlić, nie istnieje.", + "Welcome Back!": "Witamy Z Powrotem!", + "Western Sahara": "Sahara Zachodnia", + "Whoops": "Whoops", + "Whoops!": "Ups!", + "With Trashed": "Z Trashed", + "Write": "Pisz", + "Year To Date": "Rok Do Daty", + "Yemen": "Jemen", + "Yes": "Tak.", + "You are receiving this email because we received a password reset request for your account.": "Otrzymujesz ten email, ponieważ otrzymaliśmy prośbę o zresetowanie hasła dla Twojego konta.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/pl/packages/spark-paddle.json b/locales/pl/packages/spark-paddle.json new file mode 100644 index 00000000000..2c8fa558d68 --- /dev/null +++ b/locales/pl/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Warunki korzystania z usługi", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Ups! Coś poszło nie tak.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/pl/packages/spark-stripe.json b/locales/pl/packages/spark-stripe.json new file mode 100644 index 00000000000..399995fa1b4 --- /dev/null +++ b/locales/pl/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afganistan", + "Albania": "Albania", + "Algeria": "Algieria", + "American Samoa": "Samoa Amerykańskie", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andora", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarktyda", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentyna", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbejdżan", + "Bahamas": "Bahamy", + "Bahrain": "Bahrajn", + "Bangladesh": "Bangladesz", + "Barbados": "Barbados", + "Belarus": "Białoruś", + "Belgium": "Belgia", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermudy", + "Bhutan": "Bhutan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brazylia", + "British Indian Ocean Territory": "Brytyjskie Terytorium Oceanu Indyjskiego", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bułgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodża", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Republika Zielonego Przylądka", + "Card": "Karta", + "Cayman Islands": "Kajmany", + "Central African Republic": "Republika Środkowoafrykańska", + "Chad": "Czad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Chile", + "China": "Chiny", + "Christmas Island": "Wyspa Bożego Narodzenia", + "City": "City", + "Cocos (Keeling) Islands": "Wyspy Kokosowe (Keeling)", + "Colombia": "Niob", + "Comoros": "Komory", + "Confirm Payment": "Potwierdź Płatność", + "Confirm your :amount payment": "Potwierdź płatność :amount", + "Congo": "Kongo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Wyspy Cooka", + "Costa Rica": "Kostaryka", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Chorwacja", + "Cuba": "Kuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Cypr", + "Czech Republic": "Czechia", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Dania", + "Djibouti": "Dżibuti", + "Dominica": "Niedziela", + "Dominican Republic": "Dominikana", + "Download Receipt": "Download Receipt", + "Ecuador": "Ekwador", + "Egypt": "Egipt", + "El Salvador": "Zbawiciel", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Gwinea Równikowa", + "Eritrea": "Erytrea", + "Estonia": "Estonia", + "Ethiopia": "Etiopia", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Dodatkowe potwierdzenie jest potrzebne do przetworzenia płatności. Przejdź do strony płatności, klikając poniższy przycisk.", + "Falkland Islands (Malvinas)": "Falklandy (Malwiny)", + "Faroe Islands": "Wyspy Owcze", + "Fiji": "Fidżi", + "Finland": "Finlandia", + "France": "Francja", + "French Guiana": "Gujana Francuska", + "French Polynesia": "Polinezja Francuska", + "French Southern Territories": "Francuskie Terytoria Południowe", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Gruzja", + "Germany": "Niemcy", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Grecja", + "Greenland": "Grenlandia", + "Grenada": "Grenada", + "Guadeloupe": "Gwadelupa", + "Guam": "Guam", + "Guatemala": "Gwatemala", + "Guernsey": "Guernsey", + "Guinea": "Gwinea", + "Guinea-Bissau": "Gwinea Bissau", + "Guyana": "Gujana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "HongKong", + "Hungary": "Węgry", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Islandia", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Indie", + "Indonesia": "Indonezja", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Irak", + "Ireland": "Irlandia", + "Isle of Man": "Isle of Man", + "Israel": "Izrael", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Włochy", + "Jamaica": "Jamajka", + "Japan": "Japonia", + "Jersey": "Jersey", + "Jordan": "Jordania", + "Kazakhstan": "Kazachstan", + "Kenya": "Kenia", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Korea Północna", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuwejt", + "Kyrgyzstan": "Kirgistan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Łotwa", + "Lebanon": "Liban", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libia", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litwa", + "Luxembourg": "Luxembourg", + "Macao": "Makau", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagaskar", + "Malawi": "Malawi", + "Malaysia": "Malezja", + "Maldives": "Malediwy", + "Mali": "Mała", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Wyspy Marshalla", + "Martinique": "Martynika", + "Mauritania": "Mauretania", + "Mauritius": "Mauritius", + "Mayotte": "Majott", + "Mexico": "Meksyk", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monako", + "Mongolia": "Mongolia", + "Montenegro": "Czarnogóra", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Maroko", + "Mozambique": "Mozambik", + "Myanmar": "Mjanma", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Niderlandy", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Nowa Kaledonia", + "New Zealand": "Nowa Zelandia", + "Nicaragua": "Nikaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Norfolk", + "Northern Mariana Islands": "Mariany Północne", + "Norway": "Norwegia", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Terytoria Palestyńskie", + "Panama": "Panama", + "Papua New Guinea": "Papua - Nowa Gwinea", + "Paraguay": "Paragwaj", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Filipiny", + "Pitcairn": "Wyspy Pitcairn", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Polska", + "Portugal": "Portugalia", + "Puerto Rico": "Portoryko", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Rumunia", + "Russian Federation": "Federacja Rosyjska", + "Rwanda": "Rwanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Święta Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Arabia Saudyjska", + "Save": "Zapisz", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbia", + "Seychelles": "Seszele", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapur", + "Slovakia": "Słowacja", + "Slovenia": "Słowenia", + "Solomon Islands": "Wyspy Salomona", + "Somalia": "Somalia", + "South Africa": "Republika Południowej Afryki", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Hiszpania", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Surinam", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Szwecja", + "Switzerland": "Szwajcaria", + "Syrian Arab Republic": "Syria", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tadżykistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Warunki korzystania z usługi", + "Thailand": "Tajlandia", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor Wschodni", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Przychodzić", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunezja", + "Turkey": "Turcja", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraina", + "United Arab Emirates": "Zjednoczone Emiraty Arabskie", + "United Kingdom": "Zjednoczone Królestwo", + "United States": "Stany Zjednoczone", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Aktualizacja", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Urugwaj", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Brytyjskie Wyspy Dziewicze", + "Virgin Islands, U.S.": "Wyspy Dziewicze Stanów Zjednoczonych", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Sahara Zachodnia", + "Whoops! Something went wrong.": "Ups! Coś poszło nie tak.", + "Yearly": "Yearly", + "Yemen": "Jemen", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/pl/pl.json b/locales/pl/pl.json index 21d8da37ed2..acb003ea0ec 100644 --- a/locales/pl/pl.json +++ b/locales/pl/pl.json @@ -1,710 +1,48 @@ { - "30 Days": "30 dni", - "60 Days": "60 dni", - "90 Days": "90 dni", - ":amount Total": ":amount razem", - ":days day trial": ":days day trial", - ":resource Details": ":resource szczegóły", - ":resource Details: :title": ":resource odsłon: :title", "A fresh verification link has been sent to your email address.": "Link weryfikacyjny został wysłany na twój adres email.", - "A new verification link has been sent to the email address you provided during registration.": "Nowy link weryfikacyjny został wysłany na adres email podany podczas rejestracji.", - "Accept Invitation": "Przyjmij zaproszenie", - "Action": "Działanie", - "Action Happened At": "Stało Się W", - "Action Initiated By": "Zainicjowany Przez", - "Action Name": "Nazwa", - "Action Status": "Status", - "Action Target": "Cel", - "Actions": "Działania", - "Add": "Dodaj", - "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 additional security to your account using two factor authentication.": "Dodaj dodatkowe zabezpieczenia do swojego konta, korzystając z uwierzytelniania dwuskładnikowego.", - "Add row": "Dodaj wiersz", - "Add Team Member": "Dodaj członka zespołu", - "Add VAT Number": "Add VAT Number", - "Added.": "Dodany.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administrator", - "Administrator users can perform any action.": "Użytkownicy będący Administratorem mogą wykonywać dowolne czynności.", - "Afghanistan": "Afganistan", - "Aland Islands": "Wyspy Alandzkie", - "Albania": "Albania", - "Algeria": "Algieria", - "All of the people that are part of this team.": "Wszystkie osoby, które są częścią tego zespołu.", - "All resources loaded.": "Wszystkie zasoby załadowane.", - "All rights reserved.": "Wszelkie prawa zastrzeżone", - "Already registered?": "Zarejestrowany już?", - "American Samoa": "Samoa Amerykańskie", - "An error occured while uploading the file.": "Wystąpił błąd podczas przesyłania pliku.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andora", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Inny użytkownik zaktualizował ten zasób od momentu załadowania tej strony. Odśwież stronę i spróbuj ponownie.", - "Antarctica": "Antarktyda", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua i Barbuda", - "API Token": "Token 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 zewnętrznym uwierzytelnianie w naszej aplikacji w Twoim imieniu.", - "April": "Kwiecień", - "Are you sure you want to delete the selected resources?": "Czy na pewno chcesz usunąć wybrane zasoby?", - "Are you sure you want to delete this file?": "Na pewno chcesz usunąć ten plik?", - "Are you sure you want to delete this resource?": "Czy na pewno chcesz usunąć ten zasób?", - "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 want to detach the selected resources?": "Czy na pewno chcesz odłączyć wybrane zasoby?", - "Are you sure you want to detach this resource?": "Jesteś pewien, że chcesz odłączyć ten zasób?", - "Are you sure you want to force delete the selected resources?": "Czy na pewno chcesz wymusić usunięcie wybranych zasobów?", - "Are you sure you want to force delete this resource?": "Czy na pewno chcesz wymusić usunięcie tego zasobu?", - "Are you sure you want to restore the selected resources?": "Czy na pewno chcesz przywrócić wybrane zasoby?", - "Are you sure you want to restore this resource?": "Czy na pewno chcesz przywrócić ten zasób?", - "Are you sure you want to run this action?": "Jesteś pewien, że chcesz prowadzić tę akcję?", - "Are you sure you would like to delete this API token?": "Czy na pewno chcesz usunąć ten token API?", - "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?", - "Argentina": "Argentyna", - "Armenia": "Armenia", - "Aruba": "Aruba", - "Attach": "Dołącz", - "Attach & Attach Another": "Dołącz I Dołącz Inny", - "Attach :resource": "\/ Align = \"left\" \/ :resource", - "August": "Sierpień", - "Australia": "Australia", - "Austria": "Austria", - "Azerbaijan": "Azerbejdżan", - "Bahamas": "Bahamy", - "Bahrain": "Bahrajn", - "Bangladesh": "Bangladesz", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Zanim przejdziesz dalej, sprawdź swój adres email po link weryfikacyjny.", - "Belarus": "Białoruś", - "Belgium": "Belgia", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermudy", - "Bhutan": "Bhutan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Boliwia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sabbath", - "Bosnia And Herzegovina": "Bośnia I Hercegowina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvet Island", - "Brazil": "Brazylia", - "British Indian Ocean Territory": "Brytyjskie Terytorium Oceanu Indyjskiego", - "Browser Sessions": "Sesje przeglądarki", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bułgaria", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Kambodża", - "Cameroon": "Kamerun", - "Canada": "Kanada", - "Cancel": "Anuluj", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Republika Zielonego Przylądka", - "Card": "Karta", - "Cayman Islands": "Kajmany", - "Central African Republic": "Republika Środkowoafrykańska", - "Chad": "Czad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Zmiany", - "Chile": "Chile", - "China": "Chiny", - "Choose": "Wybierz", - "Choose :field": "Wybierz :field", - "Choose :resource": "Wybierz :resource", - "Choose an option": "Wybierz opcję", - "Choose date": "Wybierz datę", - "Choose File": "Wybierz Plik", - "Choose Type": "Wybierz Typ", - "Christmas Island": "Wyspa Bożego Narodzenia", - "City": "City", "click here to request another": "kliknij tutaj, aby poprosić ponownie", - "Click to choose": "Kliknij aby wybrać", - "Close": "Zamknij", - "Cocos (Keeling) Islands": "Wyspy Kokosowe (Keeling)", - "Code": "Kod", - "Colombia": "Niob", - "Comoros": "Komory", - "Confirm": "Potwierdź", - "Confirm Password": "Potwierdź hasło", - "Confirm Payment": "Potwierdź Płatność", - "Confirm your :amount payment": "Potwierdź płatność :amount", - "Congo": "Kongo", - "Congo, Democratic Republic": "Kongo, Republika Demokratyczna", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Stała", - "Cook Islands": "Wyspy Cooka", - "Costa Rica": "Kostaryka", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "nie można znaleźć.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Utworz", - "Create & Add Another": "Utwórz I Dodaj Kolejną", - "Create :resource": "Twórz stronę :resource", - "Create a new team to collaborate with others on projects.": "Utwórz nowy zespół do współpracy z innymi projektami.", - "Create Account": "Utwórz konto", - "Create API Token": "Utwórz token API", - "Create New Team": "Utwórz nowy zespół", - "Create Team": "Utwórz zespół", - "Created.": "Tworzone.", - "Croatia": "Chorwacja", - "Cuba": "Kuba", - "Curaçao": "Curaçao", - "Current Password": "Aktualne hasło", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Dostosuj", - "Cyprus": "Cypr", - "Czech Republic": "Czechia", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Panel", - "December": "Grudzień", - "Decrease": "Spadek", - "Delete": "Usuń", - "Delete Account": "Usuń konto", - "Delete API Token": "Usuń token API", - "Delete File": "Usuń Plik", - "Delete Resource": "Usuń Zasób", - "Delete Selected": "Usuń Zaznaczone", - "Delete Team": "Usuń zespół", - "Denmark": "Dania", - "Detach": "Detach", - "Detach Resource": "Odłącz Zasób", - "Detach Selected": "Odłącz Wybrane", - "Details": "Szczegóły", - "Disable": "Wyłącz", - "Djibouti": "Dżibuti", - "Do you really want to leave? You have unsaved changes.": "Naprawdę chcesz odejść? Masz niezapisane zmiany.", - "Dominica": "Niedziela", - "Dominican Republic": "Dominikana", - "Done.": "Zrobione.", - "Download": "Pobierz", - "Download Receipt": "Download Receipt", "E-Mail Address": "Adres email", - "Ecuador": "Ekwador", - "Edit": "Edytuj", - "Edit :resource": "Edytuj :resource", - "Edit Attached": "Edycja Dołączona", - "Editor": "Edytor", - "Editor users have the ability to read, create, and update.": "Użytkownicy Edytor mają możliwość czytania, tworzenia i aktualizowania.", - "Egypt": "Egipt", - "El Salvador": "Zbawiciel", - "Email": "Email", - "Email Address": "Adres E-Mail", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Link do resetowania hasła email-em", - "Enable": "Włącz", - "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.", - "Equatorial Guinea": "Gwinea Równikowa", - "Eritrea": "Erytrea", - "Estonia": "Estonia", - "Ethiopia": "Etiopia", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Dodatkowe potwierdzenie jest potrzebne do przetworzenia płatności. Potwierdź płatność, wypełniając dane dotyczące płatności poniżej.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Dodatkowe potwierdzenie jest potrzebne do przetworzenia płatności. Przejdź do strony płatności, klikając poniższy przycisk.", - "Falkland Islands (Malvinas)": "Falklandy (Malwiny)", - "Faroe Islands": "Wyspy Owcze", - "February": "Luty", - "Fiji": "Fidżi", - "Finland": "Finlandia", - "For your security, please confirm your password to continue.": "Ze względów bezpieczeństwa potwierdź hasło, aby kontynuować.", "Forbidden": "Zabronione", - "Force Delete": "Wymuś Usuń", - "Force Delete Resource": "Wymuś Usuń Zasób", - "Force Delete Selected": "Wymuś Usuń Zaznaczone", - "Forgot Your Password?": "Nie pamiętasz hasła?", - "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 email, a wyślemy Ci link do resetowania hasła, który pozwoli Ci wprowadzić nowe.", - "France": "Francja", - "French Guiana": "Gujana Francuska", - "French Polynesia": "Polinezja Francuska", - "French Southern Territories": "Francuskie Terytoria Południowe", - "Full name": "Imię i nazwisko", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Gruzja", - "Germany": "Niemcy", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Wróć", - "Go Home": "Przejdź do strony głównej", "Go to page :page": "Przejdź do strony :page", - "Great! You have accepted the invitation to join the :team team.": "Świetny! Zaakceptowałeś zaproszenie do zespołu :team.", - "Greece": "Grecja", - "Greenland": "Grenlandia", - "Grenada": "Grenada", - "Guadeloupe": "Gwadelupa", - "Guam": "Guam", - "Guatemala": "Gwatemala", - "Guernsey": "Guernsey", - "Guinea": "Gwinea", - "Guinea-Bissau": "Gwinea Bissau", - "Guyana": "Gujana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Wyspy Heard i McDonalda", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Cześć!", - "Hide Content": "Ukryj Zawartość", - "Hold Up!": "Czekaj!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "HongKong", - "Hungary": "Węgry", - "I agree to the :terms_of_service and :privacy_policy": "Wyrażam zgodę na :terms_of_service i :privacy_policy", - "Iceland": "Islandia", - "ID": "ID", - "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 necessary, you may logout 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ądarek na wszystkich swoich urządzeniach. Jeśli uważasz, że ktoś włamał się na Twoje konto, zaktualizuj również swoje hasło.", - "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 receive the email": "Jeśli nie dotarła wiadomość email", - "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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "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 w pasek przeglądarki:", - "Increase": "Zwiększenie", - "India": "Indie", - "Indonesia": "Indonezja", "Invalid signature.": "Nieprawidłowy podpis.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Irak", - "Ireland": "Irlandia", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Wyspa Man", - "Israel": "Izrael", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Włochy", - "Jamaica": "Jamajka", - "January": "Styczeń", - "Japan": "Japonia", - "Jersey": "Jersey", - "Jordan": "Jordania", - "July": "Lipiec", - "June": "Czerwiec", - "Kazakhstan": "Kazachstan", - "Kenya": "Kenia", - "Key": "Klucz", - "Kiribati": "Kiribati", - "Korea": "Korea Południowa", - "Korea, Democratic People's Republic of": "Korea Północna", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosowo", - "Kuwait": "Kuwejt", - "Kyrgyzstan": "Kirgistan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Ostatnio aktywny", - "Last used": "Ostatnio używany", - "Latvia": "Łotwa", - "Leave": "Opuszcz", - "Leave Team": "Opuść zespół", - "Lebanon": "Liban", - "Lens": "Obiektyw", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libia", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Litwa", - "Load :perPage More": "Załaduj :perPage więcej", - "Log in": "Zaloguj się", "Log out": "Wyloguj się", - "Log Out": "Wyloguj Się", - "Log Out Other Browser Sessions": "Wyloguj Inne Sesje Przeglądarki", - "Login": "Zaloguj się", - "Logout": "Wyloguj się", "Logout Other Browser Sessions": "Wyloguj się z innych sesji przeglądarek", - "Luxembourg": "Luxembourg", - "Macao": "Makau", - "Macedonia": "Macedonia Północna", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagaskar", - "Malawi": "Malawi", - "Malaysia": "Malezja", - "Maldives": "Malediwy", - "Mali": "Mała", - "Malta": "Malta", - "Manage Account": "Zarządzaj kontem", - "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 and logout your active sessions on other browsers and devices.": "Zarządzaj aktywnymi sesjami w innych przeglądarkach i urządzeniach oraz wyloguj się z nich.", - "Manage API Tokens": "Zarządzaj tokenami API", - "Manage Role": "Zarządzaj rolami", - "Manage Team": "Zarządzaj zespołem", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Marzec", - "Marshall Islands": "Wyspy Marshalla", - "Martinique": "Martynika", - "Mauritania": "Mauretania", - "Mauritius": "Mauritius", - "May": "Maj", - "Mayotte": "Majott", - "Mexico": "Meksyk", - "Micronesia, Federated States Of": "Mikronezja", - "Moldova": "Mołdawia", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monako", - "Mongolia": "Mongolia", - "Montenegro": "Czarnogóra", - "Month To Date": "Miesiąc Do Daty", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Maroko", - "Mozambique": "Mozambik", - "Myanmar": "Mjanma", - "Name": "Imię i nazwisko", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Niderlandy", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Nieważne", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Nowe", - "New :resource": "New :resource", - "New Caledonia": "Nowa Kaledonia", - "New Password": "Nowe hasło", - "New Zealand": "Nowa Zelandia", - "Next": "Następny", - "Nicaragua": "Nikaragua", - "Niger": "Niger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "Nie.", - "No :resource matched the given criteria.": "No :resource pasowało do podanych kryteriów.", - "No additional information...": "Brak dodatkowych informacji...", - "No Current Data": "Brak Aktualnych Danych", - "No Data": "Brak Danych", - "no file selected": "nie wybrano pliku", - "No Increase": "Brak Wzrostu", - "No Prior Data": "Brak Wcześniejszych Danych", - "No Results Found.": "Nie Znaleziono Wyników.", - "Norfolk Island": "Norfolk", - "Northern Mariana Islands": "Mariany Północne", - "Norway": "Norwegia", "Not Found": "Nie znaleziono", - "Nova User": "Nova User", - "November": "Listopad", - "October": "Październik", - "of": "z", "Oh no": "O nie", - "Oman": "Oman", - "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 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 Trashed": "\/ Align = \"Left\" \/ ", - "Original": "Oryginał", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Strona wygasła", "Pagination Navigation": "Paginacja", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Terytoria Palestyńskie", - "Panama": "Panama", - "Papua New Guinea": "Papua - Nowa Gwinea", - "Paraguay": "Paragwaj", - "Password": "Hasło", - "Pay :amount": "Zapłać :amount", - "Payment Cancelled": "Płatność Anulowana", - "Payment Confirmation": "Potwierdzenie Płatności", - "Payment Information": "Payment Information", - "Payment Successful": "Płatność Udana", - "Pending Team Invitations": "Oczekujące zaproszenia do zespołu", - "Per Page": "Na Stronę", - "Permanently delete this team.": "Trwale usuń ten zespół.", - "Permanently delete your account.": "Trwale usuń swoje konto.", - "Permissions": "Uprawnienia", - "Peru": "Peru", - "Philippines": "Filipiny", - "Photo": "Zdjęcie", - "Pitcairn": "Wyspy Pitcairn", "Please click the button below to verify your email address.": "Kliknij poniższy przycisk aby zweryfikować swój adres email.", - "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 your password before continuing.": "Aby kontynuować, potwierdź swoje hasło.", - "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 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 enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Wprowadź hasło, aby potwierdzić, że chcesz wylogować się z innych sesji przeglądarek na wszystkich urządzeniach.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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 provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Podaj adres email osoby, którą chcesz dodać do tego zespołu. Adres email musi być powiązany z istniejącym kontem.", - "Please provide your name.": "Proszę podać swoje imię i nazwisko.", - "Poland": "Polska", - "Portugal": "Portugalia", - "Press \/ to search": "Naciśnij \/ aby wyszukać", - "Preview": "Podgląd", - "Previous": "Poprzedni", - "Privacy Policy": "Polityka prywatności", - "Profile": "Profil", - "Profile Information": "Informacje o Profilu", - "Puerto Rico": "Portoryko", - "Qatar": "Qatar", - "Quarter To Date": "Quarter To Date", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Kod odzyskiwania", "Regards": "Z poważaniem", - "Regenerate Recovery Codes": "Regeneruj kody odzyskiwania", - "Register": "Zarejestruj się", - "Reload": "Przeładuj", - "Remember me": "Zapamiętaj mnie", - "Remember Me": "Zapamiętaj mnie", - "Remove": "Usuń", - "Remove Photo": "Usuń zdjęcie", - "Remove Team Member": "Usuń członka zespołu", - "Resend Verification Email": "Wyślij ponownie email weryfikacyjny", - "Reset Filters": "Resetuj Filtry", - "Reset Password": "Zresetuj hasło", - "Reset Password Notification": "Zresetuj hasło", - "resource": "zasób", - "Resources": "Zasoby", - "resources": "zasoby", - "Restore": "Przywróć", - "Restore Resource": "Przywróć Zasób", - "Restore Selected": "Przywróć Zaznaczone", "results": "wyników", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Reunion", - "Role": "Rola", - "Romania": "Rumunia", - "Run Action": "Run Action", - "Russian Federation": "Federacja Rosyjska", - "Rwanda": "Rwanda", - "Réunion": "Réunion", - "Saint Barthelemy": "Święty Bartłomiej", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Święta Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "St. Kitts i Nevis", - "Saint Lucia": "St. Lucia", - "Saint Martin": "St. Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "St. Pierre i Miquelon", - "Saint Vincent And Grenadines": "Saint Vincent i Grenadyny", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "Wyspy Świętego Tomasza i Książęca", - "Saudi Arabia": "Arabia Saudyjska", - "Save": "Zapisz", - "Saved.": "Zapisane.", - "Search": "Szukaj", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Wybierz nowe zdjęcie", - "Select Action": "Wybierz Działanie", - "Select All": "Zaznacz Wszystko", - "Select All Matching": "Wybierz Wszystkie Pasujące", - "Send Password Reset Link": "Wyślij link resetujący hasło", - "Senegal": "Senegal", - "September": "Wrzesień", - "Serbia": "Serbia", "Server Error": "Błąd serwera", "Service Unavailable": "Serwis niedostępny", - "Seychelles": "Seszele", - "Show All Fields": "Pokaż Wszystkie Pola", - "Show Content": "Pokaż Zawartość", - "Show Recovery Codes": "Pokaż kody odzyskiwania", "Showing": "Wyświetlanie", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapur", - "Sint Maarten (Dutch part)": "Sint Martin", - "Slovakia": "Słowacja", - "Slovenia": "Słowenia", - "Solomon Islands": "Wyspy Salomona", - "Somalia": "Somalia", - "Something went wrong.": "Coś poszło nie tak.", - "Sorry! You are not authorized to perform this action.": "Przepraszam! Nie masz uprawnień do wykonania tej czynności.", - "Sorry, your session has expired.": "Przykro mi, twoja sesja wygasła.", - "South Africa": "Republika Południowej Afryki", - "South Georgia And Sandwich Isl.": "Georgia Południowa i Sandwich Południowy", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Sudan Południowy", - "Spain": "Hiszpania", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Start Ankiety", - "State \/ County": "State \/ County", - "Stop Polling": "Stop Ankietom", - "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.": "Przechowuj te kody odzyskiwania w bezpiecznym menedżerze haseł. Można ich użyć do odzyskania dostępu do konta w przypadku utraty urządzenia do uwierzytelniania dwuskładnikowego.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Surinam", - "Svalbard And Jan Mayen": "Svalbard i Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Szwecja", - "Switch Teams": "Przełącz zespół", - "Switzerland": "Szwajcaria", - "Syrian Arab Republic": "Syria", - "Taiwan": "Tajwan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tadżykistan", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "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", - "Terms of Service": "Warunki korzystania z usługi", - "Thailand": "Tajlandia", - "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ę! Przed rozpoczęciem proszę zweryfikować swój adres e-mail, klikając w link, który właśnie wysłaliśmy do Ciebie e-mailem. Jeśli nie otrzymałeś e-maila, z przyjemnością prześlemy Ci kolejny.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "Pole :attribute musi być prawidłową rolą.", - "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 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 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 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 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.": "Pole :attribute musi mieć co najmniej :length znaków.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "\/ Align = \"center\" \/ 3,0869", - "The :resource was deleted!": ":resource został usunięty!", - "The :resource was restored!": ":resource został przywrócony!", - "The :resource was updated!": ":resource został zaktualizowany!", - "The action ran successfully!": "Akcja przebiegła pomyślnie!", - "The file was deleted!": "Plik został usunięty!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Rząd nie pozwoli nam pokazać, co jest za tymi drzwiami.", - "The HasOne relationship has already been filled.": "Związek HasOne został już wypełniony.", - "The payment was successful.": "Płatność się powiodła.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Podane hasło nie jest zgodne z aktualnym hasłem.", - "The provided password was incorrect.": "Podany hasło jest nieprawidłowe.", - "The provided two factor authentication code was invalid.": "Podany kod uwierzytelniania dwuskładnikowego jest nieprawidłowe.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Zasób został zaktualizowany!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Nazwa zespołu i informacje o właścicielu.", - "There are no available options for this resource.": "Nie ma dostępnych opcji dla tego zasobu.", - "There was a problem executing the action.": "Wystąpił problem z wykonaniem akcji.", - "There was a problem submitting the form.": "Wystąpił problem z wysłaniem formularza.", - "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.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "To działanie nie zostało autoryzowane.", - "This device": "Te urządzenie", - "This file field is read-only.": "To pole pliku jest tylko do odczytu.", - "This image": "Ten obraz", - "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 password does not match our records.": "To hasło nie pasuje do naszych rekordów.", "This password reset link will expire in :count minutes.": "Link do resetowania hasła wygaśnie za :count minut.", - "This payment was already successfully confirmed.": "Płatność ta została już pomyślnie potwierdzona.", - "This payment was cancelled.": "Ta płatność została anulowana.", - "This resource no longer exists": "Ten zasób już nie istnieje", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "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.", - "Timor-Leste": "Timor Wschodni", "to": "do", - "Today": "Dzisiaj", "Toggle navigation": "Przełącz nawigację", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Nazwa tokena", - "Tonga": "Przychodzić", "Too Many Attempts.": "Za dużo prób.", "Too Many Requests": "Za dużo zapytań", - "total": "ogółem", - "Total:": "Total:", - "Trashed": "Trashed", - "Trinidad And Tobago": "Trynidad i Tobago", - "Tunisia": "Tunezja", - "Turkey": "Turcja", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Turks i Caicos", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Uwierzytelnianie dwuskładnikowe", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Uwierzytelnianie dwuskładnikowe jest teraz włączone. Uwierzytelnianie dwuskładnikowe jest teraz włączone. Zeskanować poniższy kod QR przy użyciu aplikacji Authenticator w telefonie.", - "Uganda": "Uganda", - "Ukraine": "Ukraina", "Unauthorized": "Nieautoryzowany dostęp", - "United Arab Emirates": "Zjednoczone Emiraty Arabskie", - "United Kingdom": "Zjednoczone Królestwo", - "United States": "Stany Zjednoczone", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "Dalekie Wyspy USA", - "Update": "Aktualizacja", - "Update & Continue Editing": "Aktualizuj I Kontynuuj Edycję", - "Update :resource": "Update :resource", - "Update :resource: :title": "Update :resource: :title", - "Update attached :resource: :title": "\/ Align = \"center\" \/ 2,:resource", - "Update Password": "Zaktualizuj hasło", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Zaktualizuj informacje profilowe i adres email swojego konta.", - "Uruguay": "Urugwaj", - "Use a recovery code": "Użyj kodu odzyskiwania", - "Use an authentication code": "Użyj kodu uwierzytelniającego", - "Uzbekistan": "Uzbekistan", - "Value": "Wartość", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Wenezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Zweryfikuj adres email", "Verify Your Email Address": "Zweryfikuj swój adres email", - "Viet Nam": "Vietnam", - "View": "Widok", - "Virgin Islands, British": "Brytyjskie Wyspy Dziewicze", - "Virgin Islands, U.S.": "Wyspy Dziewicze Stanów Zjednoczonych", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis i Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Nie udało nam się znaleźć zarejestrowanego użytkownika z tym adresem email.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Nie będziemy prosić o kolejne hasło przez kilka następnych godzin.", - "We're lost in space. The page you were trying to view does not exist.": "Zgubiliśmy się w kosmosie. Strona, którą próbujesz wyświetlić, nie istnieje.", - "Welcome Back!": "Witamy Z Powrotem!", - "Western Sahara": "Sahara Zachodnia", - "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.", - "Whoops": "Whoops", - "Whoops!": "Ups!", - "Whoops! Something went wrong.": "Ups! Coś poszło nie tak.", - "With Trashed": "Z Trashed", - "Write": "Pisz", - "Year To Date": "Rok Do Daty", - "Yearly": "Yearly", - "Yemen": "Jemen", - "Yes": "Tak.", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Jesteś zalogowany!", - "You are receiving this email because we received a password reset request for your account.": "Otrzymujesz ten email, ponieważ otrzymaliśmy prośbę o zresetowanie hasła dla Twojego konta.", - "You have been invited to join the :team team!": "Zostałeś zaproszony do zespołu :team!", - "You have enabled two factor authentication.": "Włączono dwa uwierzytelnienie.", - "You have not enabled two factor authentication.": "Nie włączono uwierzytelniania dwuskładnikowego.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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ć zespołu, które stworzyłeś", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Twój adres email nie jest zweryfikowany.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Twój adres email nie jest zweryfikowany." } diff --git a/locales/ps/packages/cashier.json b/locales/ps/packages/cashier.json new file mode 100644 index 00000000000..ee75f8f46fd --- /dev/null +++ b/locales/ps/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "ټول حقونه خوندي دي", + "Card": "Card", + "Confirm Payment": "Confirm Payment", + "Confirm your :amount payment": "Confirm your :amount payment", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", + "Full name": "Full name", + "Go back": "Go back", + "Jane Doe": "Jane Doe", + "Pay :amount": "Pay :amount", + "Payment Cancelled": "Payment Cancelled", + "Payment Confirmation": "Payment Confirmation", + "Payment Successful": "Payment Successful", + "Please provide your name.": "Please provide your name.", + "The payment was successful.": "The payment was successful.", + "This payment was already successfully confirmed.": "This payment was already successfully confirmed.", + "This payment was cancelled.": "This payment was cancelled." +} diff --git a/locales/ps/packages/fortify.json b/locales/ps/packages/fortify.json new file mode 100644 index 00000000000..fa4b05c7684 --- /dev/null +++ b/locales/ps/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 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 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." +} diff --git a/locales/ps/packages/jetstream.json b/locales/ps/packages/jetstream.json new file mode 100644 index 00000000000..88010b49c84 --- /dev/null +++ b/locales/ps/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "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.", + "Accept Invitation": "Accept Invitation", + "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 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", + "Added.": "Added.", + "Administrator": "Administrator", + "Administrator users can perform any action.": "Administrator users can perform any action.", + "All of the people that are part of this team.": "All of the people that are part of this team.", + "Already registered?": "Already registered?", + "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.", + "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 delete this API token?": "Are you sure you would like to delete this API token?", + "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?", + "Browser Sessions": "Browser Sessions", + "Cancel": "Cancel", + "Close": "Close", + "Code": "Code", + "Confirm": "Confirm", + "Confirm Password": "پټنوم) تایید لپاره)", + "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 API Token": "Create API Token", + "Create New Team": "Create New Team", + "Create Team": "Create Team", + "Created.": "Created.", + "Current Password": "Current Password", + "Dashboard": "Dashboard", + "Delete": "Delete", + "Delete Account": "Delete Account", + "Delete API Token": "Delete API Token", + "Delete Team": "Delete Team", + "Disable": "Disable", + "Done.": "Done.", + "Editor": "Editor", + "Editor users have the ability to read, create, and update.": "Editor users have the ability to read, create, and update.", + "Email": "Email", + "Email Password Reset Link": "Email Password Reset Link", + "Enable": "Enable", + "Ensure your account is using a long, random password to stay secure.": "Ensure your account is using a long, random password to stay secure.", + "For your security, please confirm your password to continue.": "For your security, please confirm your password to continue.", + "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.", + "Great! You have accepted the invitation to join the :team team.": "Great! You have accepted the invitation to join the :team team.", + "I agree to the :terms_of_service and :privacy_policy": "I agree to the :terms_of_service and :privacy_policy", + "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 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 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 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:", + "Last active": "Last active", + "Last used": "Last used", + "Leave": "Leave", + "Leave Team": "Leave Team", + "Log in": "Log in", + "Log Out": "Log Out", + "Log Out Other Browser Sessions": "Log Out Other Browser Sessions", + "Manage Account": "Manage Account", + "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 Role": "Manage Role", + "Manage Team": "Manage Team", + "Name": "نوم", + "New Password": "New Password", + "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 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.", + "Password": "پاسورډ", + "Pending Team Invitations": "Pending Team Invitations", + "Permanently delete this team.": "Permanently delete this team.", + "Permanently delete your account.": "Permanently delete your account.", + "Permissions": "Permissions", + "Photo": "Photo", + "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 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 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.", + "Privacy Policy": "Privacy Policy", + "Profile": "Profile", + "Profile Information": "Profile Information", + "Recovery Code": "Recovery Code", + "Regenerate Recovery Codes": "Regenerate Recovery Codes", + "Register": "د نوم ثبتول", + "Remember me": "Remember me", + "Remove": "Remove", + "Remove Photo": "Remove Photo", + "Remove Team Member": "Remove Team Member", + "Resend Verification Email": "Resend Verification Email", + "Reset Password": "پاسورډ بیا رغول", + "Role": "Role", + "Save": "Save", + "Saved.": "Saved.", + "Select A New Photo": "Select A New Photo", + "Show Recovery Codes": "Show Recovery Codes", + "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.", + "Switch Teams": "Switch Teams", + "Team Details": "Team Details", + "Team Invitation": "Team Invitation", + "Team Members": "Team Members", + "Team Name": "Team Name", + "Team Owner": "Team Owner", + "Team Settings": "Team Settings", + "Terms of Service": "Terms of Service", + "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 a valid role.": "The :attribute must be a valid role.", + "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 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 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 team's name and owner information.": "The team's name and owner information.", + "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.", + "This device": "This device", + "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 password does not match our records.": "This password does not match our records.", + "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.", + "Token Name": "Token Name", + "Two Factor Authentication": "Two Factor Authentication", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.", + "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", + "Use an authentication code": "Use an authentication code", + "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.", + "Whoops! Something went wrong.": "Whoops! Something went wrong.", + "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 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." +} diff --git a/locales/ps/packages/nova.json b/locales/ps/packages/nova.json new file mode 100644 index 00000000000..804a9766d41 --- /dev/null +++ b/locales/ps/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Days", + "60 Days": "60 Days", + "90 Days": "90 Days", + ":amount Total": ":amount Total", + ":resource Details": ":resource Details", + ":resource Details: :title": ":resource Details: :title", + "Action": "Action", + "Action Happened At": "Happened At", + "Action Initiated By": "Initiated By", + "Action Name": "Name", + "Action Status": "Status", + "Action Target": "Target", + "Actions": "Actions", + "Add row": "Add row", + "Afghanistan": "Afghanistan", + "Aland Islands": "Åland Islands", + "Albania": "Albania", + "Algeria": "Algeria", + "All resources loaded.": "All resources loaded.", + "American Samoa": "American Samoa", + "An error occured while uploading the file.": "An error occured while uploading the file.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Another user has updated this resource since this page was loaded. Please refresh the page and try again.", + "Antarctica": "Antarctica", + "Antigua And Barbuda": "Antigua and Barbuda", + "April": "April", + "Are you sure you want to delete the selected resources?": "Are you sure you want to delete the selected resources?", + "Are you sure you want to delete this file?": "Are you sure you want to delete this file?", + "Are you sure you want to delete this resource?": "Are you sure you want to delete this resource?", + "Are you sure you want to detach the selected resources?": "Are you sure you want to detach the selected resources?", + "Are you sure you want to detach this resource?": "Are you sure you want to detach this resource?", + "Are you sure you want to force delete the selected resources?": "Are you sure you want to force delete the selected resources?", + "Are you sure you want to force delete this resource?": "Are you sure you want to force delete this resource?", + "Are you sure you want to restore the selected resources?": "Are you sure you want to restore the selected resources?", + "Are you sure you want to restore this resource?": "Are you sure you want to restore this resource?", + "Are you sure you want to run this action?": "Are you sure you want to run this action?", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Attach": "Attach", + "Attach & Attach Another": "Attach & Attach Another", + "Attach :resource": "Attach :resource", + "August": "August", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgium", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Saba", + "Bosnia And Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brazil", + "British Indian Ocean Territory": "British Indian Ocean Territory", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Cameroon", + "Canada": "Canada", + "Cancel": "Cancel", + "Cape Verde": "Cape Verde", + "Cayman Islands": "Cayman Islands", + "Central African Republic": "Central African Republic", + "Chad": "Chad", + "Changes": "Changes", + "Chile": "Chile", + "China": "China", + "Choose": "Choose", + "Choose :field": "Choose :field", + "Choose :resource": "Choose :resource", + "Choose an option": "Choose an option", + "Choose date": "Choose date", + "Choose File": "Choose File", + "Choose Type": "Choose Type", + "Christmas Island": "Christmas Island", + "Click to choose": "Click to choose", + "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", + "Colombia": "Colombia", + "Comoros": "Comoros", + "Confirm Password": "پټنوم) تایید لپاره)", + "Congo": "Congo", + "Congo, Democratic Republic": "Congo, Democratic Republic", + "Constant": "Constant", + "Cook Islands": "Cook Islands", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "could not be found.", + "Create": "Create", + "Create & Add Another": "Create & Add Another", + "Create :resource": "Create :resource", + "Croatia": "Croatia", + "Cuba": "Cuba", + "Curaçao": "Curaçao", + "Customize": "Customize", + "Cyprus": "Cyprus", + "Czech Republic": "Czechia", + "Dashboard": "Dashboard", + "December": "December", + "Decrease": "Decrease", + "Delete": "Delete", + "Delete File": "Delete File", + "Delete Resource": "Delete Resource", + "Delete Selected": "Delete Selected", + "Denmark": "Denmark", + "Detach": "Detach", + "Detach Resource": "Detach Resource", + "Detach Selected": "Detach Selected", + "Details": "Details", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Do you really want to leave? You have unsaved changes.", + "Dominica": "Dominica", + "Dominican Republic": "Dominican Republic", + "Download": "Download", + "Ecuador": "Ecuador", + "Edit": "Edit", + "Edit :resource": "Edit :resource", + "Edit Attached": "Edit Attached", + "Egypt": "Egypt", + "El Salvador": "El Salvador", + "Email Address": "Email Address", + "Equatorial Guinea": "Equatorial Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Ethiopia", + "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", + "Faroe Islands": "Faroe Islands", + "February": "February", + "Fiji": "Fiji", + "Finland": "Finland", + "Force Delete": "Force Delete", + "Force Delete Resource": "Force Delete Resource", + "Force Delete Selected": "Force Delete Selected", + "Forgot Your Password?": "که تاسو خپل پټنوم هیر کړی، نو دلته کلیک وکړئ", + "Forgot your password?": "Forgot your password?", + "France": "France", + "French Guiana": "French Guiana", + "French Polynesia": "French Polynesia", + "French Southern Territories": "French Southern Territories", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Germany", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "کور پاڼه", + "Greece": "Greece", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Heard Island and McDonald Islands", + "Hide Content": "Hide Content", + "Hold Up!": "Hold Up!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungary", + "Iceland": "Iceland", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "که تاسو د پاسورډ بدلون بدل نه غواړئ، نو تاسو اړتیا نلرئ چې کوم اقدام ترسره کړئ.", + "Increase": "Increase", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Iraq", + "Ireland": "Ireland", + "Isle Of Man": "Isle of Man", + "Israel": "Israel", + "Italy": "Italy", + "Jamaica": "Jamaica", + "January": "January", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "July": "July", + "June": "June", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Key": "Key", + "Kiribati": "Kiribati", + "Korea": "South Korea", + "Korea, Democratic People's Republic of": "North Korea", + "Kosovo": "Kosovo", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvia", + "Lebanon": "Lebanon", + "Lens": "Lens", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lithuania", + "Load :perPage More": "Load :perPage More", + "Login": "ننوتل", + "Logout": "وتل", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia": "North Macedonia", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Mali", + "Malta": "Malta", + "March": "March", + "Marshall Islands": "Marshall Islands", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "May": "May", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States Of": "Micronesia", + "Moldova": "Moldova", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Month To Date": "Month To Date", + "Montserrat": "Montserrat", + "Morocco": "Morocco", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Netherlands", + "New": "New", + "New :resource": "New :resource", + "New Caledonia": "New Caledonia", + "New Zealand": "New Zealand", + "Next": "Next", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "No", + "No :resource matched the given criteria.": "No :resource matched the given criteria.", + "No additional information...": "No additional information...", + "No Current Data": "No Current Data", + "No Data": "No Data", + "no file selected": "no file selected", + "No Increase": "No Increase", + "No Prior Data": "No Prior Data", + "No Results Found.": "No Results Found.", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Northern Mariana Islands", + "Norway": "Norway", + "Nova User": "Nova User", + "November": "November", + "October": "October", + "of": "of", + "Oman": "Oman", + "Only Trashed": "Only Trashed", + "Original": "Original", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinian Territories", + "Panama": "Panama", + "Papua New Guinea": "Papua New Guinea", + "Paraguay": "Paraguay", + "Password": "پاسورډ", + "Per Page": "Per Page", + "Peru": "Peru", + "Philippines": "Philippines", + "Pitcairn": "Pitcairn Islands", + "Poland": "Poland", + "Portugal": "Portugal", + "Press \/ to search": "Press \/ to search", + "Preview": "Preview", + "Previous": "Previous", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Quarter To Date", + "Reload": "Reload", + "Remember Me": "ما په یاد ولره", + "Reset Filters": "Reset Filters", + "Reset Password": "پاسورډ بیا رغول", + "Reset Password Notification": "د پاسورډ بیا رغول خبرتیا", + "resource": "resource", + "Resources": "Resources", + "resources": "resources", + "Restore": "Restore", + "Restore Resource": "Restore Resource", + "Restore Selected": "Restore Selected", + "Reunion": "Réunion", + "Romania": "Romania", + "Run Action": "Run Action", + "Russian Federation": "Russian Federation", + "Rwanda": "Rwanda", + "Saint Barthelemy": "St. Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts And Nevis": "St. Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin": "St. Martin", + "Saint Pierre And Miquelon": "St. Pierre and Miquelon", + "Saint Vincent And Grenadines": "St. Vincent and Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "São Tomé and Príncipe", + "Saudi Arabia": "Saudi Arabia", + "Search": "Search", + "Select Action": "Select Action", + "Select All": "Select All", + "Select All Matching": "Select All Matching", + "Send Password Reset Link": " د پاسورډ بیا رغول لینک لیږل", + "Senegal": "Senegal", + "September": "September", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Show All Fields": "Show All Fields", + "Show Content": "Show Content", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapore", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Solomon Islands", + "Somalia": "Somalia", + "Something went wrong.": "Something went wrong.", + "Sorry! You are not authorized to perform this action.": "Sorry! You are not authorized to perform this action.", + "Sorry, your session has expired.": "Sorry, your session has expired.", + "South Africa": "South Africa", + "South Georgia And Sandwich Isl.": "South Georgia and South Sandwich Islands", + "South Sudan": "South Sudan", + "Spain": "Spain", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Start Polling", + "Stop Polling": "Stop Polling", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sweden", + "Switzerland": "Switzerland", + "Syrian Arab Republic": "Syria", + "Taiwan": "Taiwan", + "Tajikistan": "Tajikistan", + "Tanzania": "Tanzania", + "Thailand": "Thailand", + "The :resource was created!": "The :resource was created!", + "The :resource was deleted!": "The :resource was deleted!", + "The :resource was restored!": "The :resource was restored!", + "The :resource was updated!": "The :resource was updated!", + "The action ran successfully!": "The action ran successfully!", + "The file was deleted!": "The file was deleted!", + "The government won't let us show you what's behind these doors": "The government won't let us show you what's behind these doors", + "The HasOne relationship has already been filled.": "The HasOne relationship has already been filled.", + "The resource was updated!": "The resource was updated!", + "There are no available options for this resource.": "There are no available options for this resource.", + "There was a problem executing the action.": "There was a problem executing the action.", + "There was a problem submitting the form.": "There was a problem submitting the form.", + "This file field is read-only.": "This file field is read-only.", + "This image": "This image", + "This resource no longer exists": "This resource no longer exists", + "Timor-Leste": "Timor-Leste", + "Today": "Today", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "total": "total", + "Trashed": "Trashed", + "Trinidad And Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turkey", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "United Arab Emirates", + "United Kingdom": "United Kingdom", + "United States": "United States", + "United States Outlying Islands": "U.S. Outlying Islands", + "Update": "Update", + "Update & Continue Editing": "Update & Continue Editing", + "Update :resource": "Update :resource", + "Update :resource: :title": "Update :resource: :title", + "Update attached :resource: :title": "Update attached :resource: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Value": "Value", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "View", + "Virgin Islands, British": "British Virgin Islands", + "Virgin Islands, U.S.": "U.S. Virgin Islands", + "Wallis And Futuna": "Wallis and Futuna", + "We're lost in space. The page you were trying to view does not exist.": "We're lost in space. The page you were trying to view does not exist.", + "Welcome Back!": "Welcome Back!", + "Western Sahara": "Western Sahara", + "Whoops": "Whoops", + "Whoops!": "هوګونه!", + "With Trashed": "With Trashed", + "Write": "Write", + "Year To Date": "Year To Date", + "Yemen": "Yemen", + "Yes": "Yes", + "You are receiving this email because we received a password reset request for your account.": "موږ ستاسو د پاسورډ بیا رغول غوښتنه ترلاسه کړه.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/ps/packages/spark-paddle.json b/locales/ps/packages/spark-paddle.json new file mode 100644 index 00000000000..d3b44a5fcae --- /dev/null +++ b/locales/ps/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Terms of Service", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Whoops! Something went wrong.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/ps/packages/spark-stripe.json b/locales/ps/packages/spark-stripe.json new file mode 100644 index 00000000000..69f478bd749 --- /dev/null +++ b/locales/ps/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afghanistan", + "Albania": "Albania", + "Algeria": "Algeria", + "American Samoa": "American Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarctica", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgium", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brazil", + "British Indian Ocean Territory": "British Indian Ocean Territory", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Cameroon", + "Canada": "Canada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Cape Verde", + "Card": "Card", + "Cayman Islands": "Cayman Islands", + "Central African Republic": "Central African Republic", + "Chad": "Chad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Chile", + "China": "China", + "Christmas Island": "Christmas Island", + "City": "City", + "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", + "Colombia": "Colombia", + "Comoros": "Comoros", + "Confirm Payment": "Confirm Payment", + "Confirm your :amount payment": "Confirm your :amount payment", + "Congo": "Congo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Cook Islands", + "Costa Rica": "Costa Rica", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Croatia", + "Cuba": "Cuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Cyprus", + "Czech Republic": "Czechia", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Denmark", + "Djibouti": "Djibouti", + "Dominica": "Dominica", + "Dominican Republic": "Dominican Republic", + "Download Receipt": "Download Receipt", + "Ecuador": "Ecuador", + "Egypt": "Egypt", + "El Salvador": "El Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Equatorial Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Ethiopia", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", + "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", + "Faroe Islands": "Faroe Islands", + "Fiji": "Fiji", + "Finland": "Finland", + "France": "France", + "French Guiana": "French Guiana", + "French Polynesia": "French Polynesia", + "French Southern Territories": "French Southern Territories", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Germany", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Greece", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungary", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Iceland", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Iraq", + "Ireland": "Ireland", + "Isle of Man": "Isle of Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italy", + "Jamaica": "Jamaica", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "North Korea", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvia", + "Lebanon": "Lebanon", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lithuania", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Mali", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marshall Islands", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Morocco", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Netherlands", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "New Caledonia", + "New Zealand": "New Zealand", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Northern Mariana Islands", + "Norway": "Norway", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinian Territories", + "Panama": "Panama", + "Papua New Guinea": "Papua New Guinea", + "Paraguay": "Paraguay", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Philippines", + "Pitcairn": "Pitcairn Islands", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Poland", + "Portugal": "Portugal", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Romania", + "Russian Federation": "Russian Federation", + "Rwanda": "Rwanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saudi Arabia", + "Save": "Save", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapore", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Solomon Islands", + "Somalia": "Somalia", + "South Africa": "South Africa", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Spain", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sweden", + "Switzerland": "Switzerland", + "Syrian Arab Republic": "Syria", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tajikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Terms of Service", + "Thailand": "Thailand", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turkey", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "United Arab Emirates", + "United Kingdom": "United Kingdom", + "United States": "United States", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Update", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "British Virgin Islands", + "Virgin Islands, U.S.": "U.S. Virgin Islands", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Western Sahara", + "Whoops! Something went wrong.": "Whoops! Something went wrong.", + "Yearly": "Yearly", + "Yemen": "Yemen", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/ps/ps.json b/locales/ps/ps.json index 3648fb53328..4e7bd3e088e 100644 --- a/locales/ps/ps.json +++ b/locales/ps/ps.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Days", - "60 Days": "60 Days", - "90 Days": "90 Days", - ":amount Total": ":amount Total", - ":days day trial": ":days day trial", - ":resource Details": ":resource Details", - ":resource Details: :title": ":resource Details: :title", "A fresh verification link has been sent to your email address.": " یو نوی تایید شوی لینک  ستاسو د بریښناليک پتې ته ولیږل سو", - "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.", - "Accept Invitation": "Accept Invitation", - "Action": "Action", - "Action Happened At": "Happened At", - "Action Initiated By": "Initiated By", - "Action Name": "Name", - "Action Status": "Status", - "Action Target": "Target", - "Actions": "Actions", - "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 additional security to your account using two factor authentication.": "Add additional security to your account using two factor authentication.", - "Add row": "Add row", - "Add Team Member": "Add Team Member", - "Add VAT Number": "Add VAT Number", - "Added.": "Added.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administrator", - "Administrator users can perform any action.": "Administrator users can perform any action.", - "Afghanistan": "Afghanistan", - "Aland Islands": "Åland Islands", - "Albania": "Albania", - "Algeria": "Algeria", - "All of the people that are part of this team.": "All of the people that are part of this team.", - "All resources loaded.": "All resources loaded.", - "All rights reserved.": "ټول حقونه خوندي دي", - "Already registered?": "Already registered?", - "American Samoa": "American Samoa", - "An error occured while uploading the file.": "An error occured while uploading the file.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Another user has updated this resource since this page was loaded. Please refresh the page and try again.", - "Antarctica": "Antarctica", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua and Barbuda", - "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.", - "April": "April", - "Are you sure you want to delete the selected resources?": "Are you sure you want to delete the selected resources?", - "Are you sure you want to delete this file?": "Are you sure you want to delete this file?", - "Are you sure you want to delete this resource?": "Are you sure you want to delete this resource?", - "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 want to detach the selected resources?": "Are you sure you want to detach the selected resources?", - "Are you sure you want to detach this resource?": "Are you sure you want to detach this resource?", - "Are you sure you want to force delete the selected resources?": "Are you sure you want to force delete the selected resources?", - "Are you sure you want to force delete this resource?": "Are you sure you want to force delete this resource?", - "Are you sure you want to restore the selected resources?": "Are you sure you want to restore the selected resources?", - "Are you sure you want to restore this resource?": "Are you sure you want to restore this resource?", - "Are you sure you want to run this action?": "Are you sure you want to run this action?", - "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 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?", - "Argentina": "Argentina", - "Armenia": "Armenia", - "Aruba": "Aruba", - "Attach": "Attach", - "Attach & Attach Another": "Attach & Attach Another", - "Attach :resource": "Attach :resource", - "August": "August", - "Australia": "Australia", - "Austria": "Austria", - "Azerbaijan": "Azerbaijan", - "Bahamas": "Bahamas", - "Bahrain": "Bahrain", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": " د پرمخ وړل مخکې مهرباني وکړئ د تایید لپاره خپل بریښنالیک لینک وګورئ.", - "Belarus": "Belarus", - "Belgium": "Belgium", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bhutan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Saba", - "Bosnia And Herzegovina": "Bosnia and Herzegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvet Island", - "Brazil": "Brazil", - "British Indian Ocean Territory": "British Indian Ocean Territory", - "Browser Sessions": "Browser Sessions", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgaria", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Cambodia", - "Cameroon": "Cameroon", - "Canada": "Canada", - "Cancel": "Cancel", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Cape Verde", - "Card": "Card", - "Cayman Islands": "Cayman Islands", - "Central African Republic": "Central African Republic", - "Chad": "Chad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Changes", - "Chile": "Chile", - "China": "China", - "Choose": "Choose", - "Choose :field": "Choose :field", - "Choose :resource": "Choose :resource", - "Choose an option": "Choose an option", - "Choose date": "Choose date", - "Choose File": "Choose File", - "Choose Type": "Choose Type", - "Christmas Island": "Christmas Island", - "City": "City", "click here to request another": ". د خپل برېښنالیک بیاکتلو لپاره دلته کلیک وکړئ", - "Click to choose": "Click to choose", - "Close": "Close", - "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", - "Code": "Code", - "Colombia": "Colombia", - "Comoros": "Comoros", - "Confirm": "Confirm", - "Confirm Password": "پټنوم) تایید لپاره)", - "Confirm Payment": "Confirm Payment", - "Confirm your :amount payment": "Confirm your :amount payment", - "Congo": "Congo", - "Congo, Democratic Republic": "Congo, Democratic Republic", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Constant", - "Cook Islands": "Cook Islands", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "could not be found.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Create", - "Create & Add Another": "Create & Add Another", - "Create :resource": "Create :resource", - "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 API Token": "Create API Token", - "Create New Team": "Create New Team", - "Create Team": "Create Team", - "Created.": "Created.", - "Croatia": "Croatia", - "Cuba": "Cuba", - "Curaçao": "Curaçao", - "Current Password": "Current Password", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Customize", - "Cyprus": "Cyprus", - "Czech Republic": "Czechia", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Dashboard", - "December": "December", - "Decrease": "Decrease", - "Delete": "Delete", - "Delete Account": "Delete Account", - "Delete API Token": "Delete API Token", - "Delete File": "Delete File", - "Delete Resource": "Delete Resource", - "Delete Selected": "Delete Selected", - "Delete Team": "Delete Team", - "Denmark": "Denmark", - "Detach": "Detach", - "Detach Resource": "Detach Resource", - "Detach Selected": "Detach Selected", - "Details": "Details", - "Disable": "Disable", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Do you really want to leave? You have unsaved changes.", - "Dominica": "Dominica", - "Dominican Republic": "Dominican Republic", - "Done.": "Done.", - "Download": "Download", - "Download Receipt": "Download Receipt", "E-Mail Address": "برېښلیک پته", - "Ecuador": "Ecuador", - "Edit": "Edit", - "Edit :resource": "Edit :resource", - "Edit Attached": "Edit Attached", - "Editor": "Editor", - "Editor users have the ability to read, create, and update.": "Editor users have the ability to read, create, and update.", - "Egypt": "Egypt", - "El Salvador": "El Salvador", - "Email": "Email", - "Email Address": "Email Address", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Email Password Reset Link", - "Enable": "Enable", - "Ensure your account is using a long, random password to stay secure.": "Ensure your account is using a long, random password to stay secure.", - "Equatorial Guinea": "Equatorial Guinea", - "Eritrea": "Eritrea", - "Estonia": "Estonia", - "Ethiopia": "Ethiopia", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", - "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", - "Faroe Islands": "Faroe Islands", - "February": "February", - "Fiji": "Fiji", - "Finland": "Finland", - "For your security, please confirm your password to continue.": "For your security, please confirm your password to continue.", "Forbidden": "دا منع ده", - "Force Delete": "Force Delete", - "Force Delete Resource": "Force Delete Resource", - "Force Delete Selected": "Force Delete Selected", - "Forgot Your Password?": "که تاسو خپل پټنوم هیر کړی، نو دلته کلیک وکړئ", - "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.", - "France": "France", - "French Guiana": "French Guiana", - "French Polynesia": "French Polynesia", - "French Southern Territories": "French Southern Territories", - "Full name": "Full name", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Georgia", - "Germany": "Germany", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Go back", - "Go Home": "کور پاڼه", "Go to page :page": "Go to page :page", - "Great! You have accepted the invitation to join the :team team.": "Great! You have accepted the invitation to join the :team team.", - "Greece": "Greece", - "Greenland": "Greenland", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Heard Island and McDonald Islands", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "سلام!", - "Hide Content": "Hide Content", - "Hold Up!": "Hold Up!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Hungary", - "I agree to the :terms_of_service and :privacy_policy": "I agree to the :terms_of_service and :privacy_policy", - "Iceland": "Iceland", - "ID": "ID", - "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 necessary, you may logout 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 logout 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 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 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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "که تاسو د تڼۍ کلیک کولو کې ستونزې لرئ \":actionText\", د خپل براوزر په لاندینۍ url کې د ا کاپي \/ کاپی جوړول که :\n", - "Increase": "Increase", - "India": "India", - "Indonesia": "Indonesia", "Invalid signature.": "Invalid signature.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Iraq", - "Ireland": "Ireland", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Isle of Man", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italy", - "Jamaica": "Jamaica", - "January": "January", - "Japan": "Japan", - "Jersey": "Jersey", - "Jordan": "Jordan", - "July": "July", - "June": "June", - "Kazakhstan": "Kazakhstan", - "Kenya": "Kenya", - "Key": "Key", - "Kiribati": "Kiribati", - "Korea": "South Korea", - "Korea, Democratic People's Republic of": "North Korea", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuwait", - "Kyrgyzstan": "Kyrgyzstan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Last active", - "Last used": "Last used", - "Latvia": "Latvia", - "Leave": "Leave", - "Leave Team": "Leave Team", - "Lebanon": "Lebanon", - "Lens": "Lens", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libya", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Lithuania", - "Load :perPage More": "Load :perPage More", - "Log in": "Log in", "Log out": "Log out", - "Log Out": "Log Out", - "Log Out Other Browser Sessions": "Log Out Other Browser Sessions", - "Login": "ننوتل", - "Logout": "وتل", "Logout Other Browser Sessions": "Logout Other Browser Sessions", - "Luxembourg": "Luxembourg", - "Macao": "Macao", - "Macedonia": "North Macedonia", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagascar", - "Malawi": "Malawi", - "Malaysia": "Malaysia", - "Maldives": "Maldives", - "Mali": "Mali", - "Malta": "Malta", - "Manage Account": "Manage Account", - "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 and logout your active sessions on other browsers and devices.": "Manage and logout your active sessions on other browsers and devices.", - "Manage API Tokens": "Manage API Tokens", - "Manage Role": "Manage Role", - "Manage Team": "Manage Team", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "March", - "Marshall Islands": "Marshall Islands", - "Martinique": "Martinique", - "Mauritania": "Mauritania", - "Mauritius": "Mauritius", - "May": "May", - "Mayotte": "Mayotte", - "Mexico": "Mexico", - "Micronesia, Federated States Of": "Micronesia", - "Moldova": "Moldova", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monaco", - "Mongolia": "Mongolia", - "Montenegro": "Montenegro", - "Month To Date": "Month To Date", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Morocco", - "Mozambique": "Mozambique", - "Myanmar": "Myanmar", - "Name": "نوم", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Netherlands", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Nevermind", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "New", - "New :resource": "New :resource", - "New Caledonia": "New Caledonia", - "New Password": "New Password", - "New Zealand": "New Zealand", - "Next": "Next", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "No", - "No :resource matched the given criteria.": "No :resource matched the given criteria.", - "No additional information...": "No additional information...", - "No Current Data": "No Current Data", - "No Data": "No Data", - "no file selected": "no file selected", - "No Increase": "No Increase", - "No Prior Data": "No Prior Data", - "No Results Found.": "No Results Found.", - "Norfolk Island": "Norfolk Island", - "Northern Mariana Islands": "Northern Mariana Islands", - "Norway": "Norway", "Not Found": "Not Found", - "Nova User": "Nova User", - "November": "November", - "October": "October", - "of": "of", "Oh no": "هو نه", - "Oman": "Oman", - "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 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 Trashed": "Only Trashed", - "Original": "Original", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "ختم شوی پاڼې", "Pagination Navigation": "Pagination Navigation", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Palestinian Territories", - "Panama": "Panama", - "Papua New Guinea": "Papua New Guinea", - "Paraguay": "Paraguay", - "Password": "پاسورډ", - "Pay :amount": "Pay :amount", - "Payment Cancelled": "Payment Cancelled", - "Payment Confirmation": "Payment Confirmation", - "Payment Information": "Payment Information", - "Payment Successful": "Payment Successful", - "Pending Team Invitations": "Pending Team Invitations", - "Per Page": "Per Page", - "Permanently delete this team.": "Permanently delete this team.", - "Permanently delete your account.": "Permanently delete your account.", - "Permissions": "Permissions", - "Peru": "Peru", - "Philippines": "Philippines", - "Photo": "Photo", - "Pitcairn": "Pitcairn Islands", "Please click the button below to verify your email address.": "د خپل بریښنالیک پته د تایید لپاره لاندې تڼۍ باندې کلیک وکړئ.", - "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 confirm your password before continuing.": "Please confirm your password before continuing.", - "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 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 enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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 provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.", - "Please provide your name.": "Please provide your name.", - "Poland": "Poland", - "Portugal": "Portugal", - "Press \/ to search": "Press \/ to search", - "Preview": "Preview", - "Previous": "Previous", - "Privacy Policy": "Privacy Policy", - "Profile": "Profile", - "Profile Information": "Profile Information", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Quarter To Date", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Recovery Code", "Regards": "مننه", - "Regenerate Recovery Codes": "Regenerate Recovery Codes", - "Register": "د نوم ثبتول", - "Reload": "Reload", - "Remember me": "Remember me", - "Remember Me": "ما په یاد ولره", - "Remove": "Remove", - "Remove Photo": "Remove Photo", - "Remove Team Member": "Remove Team Member", - "Resend Verification Email": "Resend Verification Email", - "Reset Filters": "Reset Filters", - "Reset Password": "پاسورډ بیا رغول", - "Reset Password Notification": "د پاسورډ بیا رغول خبرتیا", - "resource": "resource", - "Resources": "Resources", - "resources": "resources", - "Restore": "Restore", - "Restore Resource": "Restore Resource", - "Restore Selected": "Restore Selected", "results": "results", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Réunion", - "Role": "Role", - "Romania": "Romania", - "Run Action": "Run Action", - "Russian Federation": "Russian Federation", - "Rwanda": "Rwanda", - "Réunion": "Réunion", - "Saint Barthelemy": "St. Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "St. Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "St. Kitts and Nevis", - "Saint Lucia": "St. Lucia", - "Saint Martin": "St. Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "St. Pierre and Miquelon", - "Saint Vincent And Grenadines": "St. Vincent and Grenadines", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "São Tomé and Príncipe", - "Saudi Arabia": "Saudi Arabia", - "Save": "Save", - "Saved.": "Saved.", - "Search": "Search", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Select A New Photo", - "Select Action": "Select Action", - "Select All": "Select All", - "Select All Matching": "Select All Matching", - "Send Password Reset Link": " د پاسورډ بیا رغول لینک لیږل", - "Senegal": "Senegal", - "September": "September", - "Serbia": "Serbia", "Server Error": "Server Error", "Service Unavailable": "خدمت نشته", - "Seychelles": "Seychelles", - "Show All Fields": "Show All Fields", - "Show Content": "Show Content", - "Show Recovery Codes": "Show Recovery Codes", "Showing": "Showing", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapore", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovakia", - "Slovenia": "Slovenia", - "Solomon Islands": "Solomon Islands", - "Somalia": "Somalia", - "Something went wrong.": "Something went wrong.", - "Sorry! You are not authorized to perform this action.": "Sorry! You are not authorized to perform this action.", - "Sorry, your session has expired.": "Sorry, your session has expired.", - "South Africa": "South Africa", - "South Georgia And Sandwich Isl.": "South Georgia and South Sandwich Islands", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "South Sudan", - "Spain": "Spain", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Start Polling", - "State \/ County": "State \/ County", - "Stop Polling": "Stop Polling", - "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.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard and Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Sweden", - "Switch Teams": "Switch Teams", - "Switzerland": "Switzerland", - "Syrian Arab Republic": "Syria", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tajikistan", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Team Details", - "Team Invitation": "Team Invitation", - "Team Members": "Team Members", - "Team Name": "Team Name", - "Team Owner": "Team Owner", - "Team Settings": "Team Settings", - "Terms of Service": "Terms of Service", - "Thailand": "Thailand", - "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.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "The :attribute must be a valid role.", - "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 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 contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "The :resource was created!", - "The :resource was deleted!": "The :resource was deleted!", - "The :resource was restored!": "The :resource was restored!", - "The :resource was updated!": "The :resource was updated!", - "The action ran successfully!": "The action ran successfully!", - "The file was deleted!": "The file was deleted!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "The government won't let us show you what's behind these doors", - "The HasOne relationship has already been filled.": "The HasOne relationship has already been filled.", - "The payment was successful.": "The payment was successful.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "The resource was updated!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "The team's name and owner information.", - "There are no available options for this resource.": "There are no available options for this resource.", - "There was a problem executing the action.": "There was a problem executing the action.", - "There was a problem submitting the form.": "There was a problem submitting the form.", - "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.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "This action is unauthorized.", - "This device": "This device", - "This file field is read-only.": "This file field is read-only.", - "This image": "This image", - "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 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 payment was already successfully confirmed.": "This payment was already successfully confirmed.", - "This payment was cancelled.": "This payment was cancelled.", - "This resource no longer exists": "This resource no longer exists", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "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.", - "Timor-Leste": "Timor-Leste", "to": "to", - "Today": "Today", "Toggle navigation": "نیویگیشن بدل کړئ", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Token Name", - "Tonga": "Tonga", "Too Many Attempts.": "Too Many Attempts.", "Too Many Requests": "ډیری غوښتنې", - "total": "total", - "Total:": "Total:", - "Trashed": "Trashed", - "Trinidad And Tobago": "Trinidad and Tobago", - "Tunisia": "Tunisia", - "Turkey": "Turkey", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Turks and Caicos Islands", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Two Factor Authentication", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.", - "Uganda": "Uganda", - "Ukraine": "Ukraine", "Unauthorized": "غیر مجاز", - "United Arab Emirates": "United Arab Emirates", - "United Kingdom": "United Kingdom", - "United States": "United States", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "U.S. Outlying Islands", - "Update": "Update", - "Update & Continue Editing": "Update & Continue Editing", - "Update :resource": "Update :resource", - "Update :resource: :title": "Update :resource: :title", - "Update attached :resource: :title": "Update attached :resource: :title", - "Update Password": "Update Password", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Update your account's profile information and email address.", - "Uruguay": "Uruguay", - "Use a recovery code": "Use a recovery code", - "Use an authentication code": "Use an authentication code", - "Uzbekistan": "Uzbekistan", - "Value": "Value", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "د بریښنالیک پته تایید کړئ", "Verify Your Email Address": "خپل برېښنالیک تایید کړۍ", - "Viet Nam": "Vietnam", - "View": "View", - "Virgin Islands, British": "British Virgin Islands", - "Virgin Islands, U.S.": "U.S. Virgin Islands", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis and Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "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 will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "We won't ask for your password again for a few hours.", - "We're lost in space. The page you were trying to view does not exist.": "We're lost in space. The page you were trying to view does not exist.", - "Welcome Back!": "Welcome Back!", - "Western Sahara": "Western Sahara", - "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.", - "Whoops": "Whoops", - "Whoops!": "هوګونه!", - "Whoops! Something went wrong.": "Whoops! Something went wrong.", - "With Trashed": "With Trashed", - "Write": "Write", - "Year To Date": "Year To Date", - "Yearly": "Yearly", - "Yemen": "Yemen", - "Yes": "Yes", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "You are logged in!", - "You are receiving this email because we received a password reset request for your account.": "موږ ستاسو د پاسورډ بیا رغول غوښتنه ترلاسه کړه.", - "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 may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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 :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Your email address is not verified.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Your email address is not verified." } diff --git a/locales/pt/packages/cashier.json b/locales/pt/packages/cashier.json new file mode 100644 index 00000000000..e7f2cf254cb --- /dev/null +++ b/locales/pt/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Todos os direitos reservados.", + "Card": "Cartao", + "Confirm Payment": "Confirmar O Pagamento", + "Confirm your :amount payment": "Confirme o seu pagamento :amount", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "É necessária uma confirmação Extra para processar o seu pagamento. Por favor, confirme o seu pagamento preenchendo os seus dados de pagamento abaixo.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "É necessária uma confirmação Extra para processar o seu pagamento. Por favor, continue para a página de pagamento clicando no botão abaixo.", + "Full name": "Nome", + "Go back": "Volte", + "Jane Doe": "Jane Doe", + "Pay :amount": "Pagamento :amount", + "Payment Cancelled": "Pagamento Cancelado", + "Payment Confirmation": "Confirmação Do Pagamento", + "Payment Successful": "Pagamento Bem Sucedido", + "Please provide your name.": "Por favor, indique o seu nome.", + "The payment was successful.": "O pagamento foi bem sucedido.", + "This payment was already successfully confirmed.": "Este pagamento já foi confirmado com sucesso.", + "This payment was cancelled.": "Este pagamento foi cancelado." +} diff --git a/locales/pt/packages/fortify.json b/locales/pt/packages/fortify.json new file mode 100644 index 00000000000..5abb72d80f1 --- /dev/null +++ b/locales/pt/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and one number.": "O :attribute deve 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 special character.": "O campo :attribute deve ter pelo menos :length caracteres e conter pelo menos um caractere especial.", + "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 at least :length characters and contain at least one uppercase character, one number, and one special character.": "O campo :attribute deve ter pelo menos :length caracteres e conter pelo menos uma 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 ter pelo menos :length caracteres e conter pelo menos uma maiúscula.", + "The :attribute must be at least :length characters.": "O campo :attribute deve ter pelo menos :length caracteres.", + "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." +} diff --git a/locales/pt/packages/jetstream.json b/locales/pt/packages/jetstream.json new file mode 100644 index 00000000000..127883b95e5 --- /dev/null +++ b/locales/pt/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Um novo link de verificação foi enviado para seu endereço de e-mail fornecido durante o registo.", + "Accept Invitation": "Aceitar O Convite", + "Add": "Adicionar", + "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 additional security to your account using two factor authentication.": "Adicione mais segurança à sua conta utilizando autenticação de dois factores.", + "Add Team Member": "Adicionar Membro de Equipa", + "Added.": "Adicionado.", + "Administrator": "Administrador", + "Administrator users can perform any action.": "Utilizadores com privilégios de Administrador podem executar qualquer acção.", + "All of the people that are part of this team.": "Todas as pessoas que fazem parte desta equipa.", + "Already registered?": "Já está registado?", + "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.", + "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 delete this API token?": "Tem a certeza que pretende eliminar este API Token?", + "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?", + "Browser Sessions": "Sessões em Browser", + "Cancel": "Cancelar", + "Close": "Fechar", + "Code": "Código", + "Confirm": "Confirmar", + "Confirm Password": "Confirmar Palavra-passe", + "Create": "Criar", + "Create a new team to collaborate with others on projects.": "Crie uma nova equipa para colaborar com outras pessoas em projectos.", + "Create Account": "Criar Uma Conta", + "Create API Token": "Criar um API Token", + "Create New Team": "Criar uma Nova Equipa", + "Create Team": "Criar Equipa", + "Created.": "Criado.", + "Current Password": "Palavra-Passe atual", + "Dashboard": "Painel de Controlo", + "Delete": "Eliminar", + "Delete Account": "Eliminar Conta", + "Delete API Token": "Eliminar API Token", + "Delete Team": "Eliminar Equipa", + "Disable": "Inativar", + "Done.": "Feito.", + "Editor": "Editor", + "Editor users have the ability to read, create, and update.": "Utilizadores com privilégios de Editor podem ler, criar e atualizar.", + "Email": "E-mail", + "Email Password Reset Link": "E-mail para redefinir a palavra-passe", + "Enable": "Ativar", + "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.", + "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 .", + "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.", + "Great! You have accepted the invitation to join the :team team.": "Muito bom! Aceitou o convite para se juntar à equipa :team.", + "I agree to the :terms_of_service and :privacy_policy": "Concordo com a :terms_of_service e com a :privacy_policy", + "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 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 expect to receive an invitation to this team, you may discard this email.": "Se você não esperava receber um convite para esta equipe, você pode descartar 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 aceitação do convite neste e-mail para aceitar o convite da equipe:", + "Last active": "Ativo pela última vez", + "Last used": "Usado pela última vez", + "Leave": "Sair", + "Leave Team": "Sair da Equipa", + "Log in": "Conectar", + "Log Out": "sair", + "Log Out Other Browser Sessions": "Desligar Outras Sessões Do Navegador", + "Manage Account": "Gerir Conta", + "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": "Gerir API Tokens", + "Manage Role": "Gerir Função", + "Manage Team": "Gerir Equipa", + "Name": "Nome", + "New Password": "Nova Palavra-passe", + "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 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.", + "Password": "Palavra-passe", + "Pending Team Invitations": "Convites De Equipa Pendentes", + "Permanently delete this team.": "Eliminar esta equipa permanentemente.", + "Permanently delete your account.": "Eliminar a sua conta permanentemente.", + "Permissions": "Permissões", + "Photo": "Foto", + "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 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 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 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 esta equipe.", + "Privacy Policy": "privacidade", + "Profile": "Perfil", + "Profile Information": "Informação de Perfil", + "Recovery Code": "Código de Recuperação", + "Regenerate Recovery Codes": "Regenerar Códigos de Recuperação", + "Register": "Registar", + "Remember me": "Lembrar-me", + "Remove": "Remover", + "Remove Photo": "Remover Foto", + "Remove Team Member": "Remover Membro de Equipa", + "Resend Verification Email": "Reenviar E-mail de Verificação", + "Reset Password": "Redefinir Palavra-passe", + "Role": "Função", + "Save": "Guardar", + "Saved.": "Guardado.", + "Select A New Photo": "Selecionar uma nova Foto", + "Show Recovery Codes": "Mostrar Códigos de Recuperação", + "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.", + "Switch Teams": "Trocar de Equipa", + "Team Details": "Detalhes da Equipa", + "Team Invitation": "Convite De Equipa", + "Team Members": "Membros da Equipa", + "Team Name": "Nome da Equipa", + "Team Owner": "Proprietário da Equipa", + "Team Settings": "Definições da Equipa", + "Terms of Service": "Termos de Serviço", + "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 registar! Antes de começar, pode confirmar o seu endereço de email clicando no link presente no email que acabamos de lhe enviar? Se não recebeu o email, teremos todo o prazer em enviar-lhe outro.", + "The :attribute must be a valid role.": "A :attribute deve ser uma função válida.", + "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 and one number.": "O :attribute deve 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 special character.": "O campo :attribute deve ter pelo menos :length caracteres e conter pelo menos um caractere especial.", + "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 at least :length characters and contain at least one uppercase character, one number, and one special character.": "O campo :attribute deve ter pelo menos :length caracteres e conter pelo menos uma 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 ter pelo menos :length caracteres e conter pelo menos uma maiúscula.", + "The :attribute must be at least :length characters.": "O campo :attribute deve ter pelo menos :length caracteres.", + "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 team's name and owner information.": "Nome da equipa e do proprietário.", + "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.", + "This device": "Este dispositivo", + "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 password does not match our records.": "Esta palavra-passe não tem correspondência nos nossos registos.", + "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.", + "Token Name": "Nome do Token", + "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.": "A autenticação de dois fatores está ativa. Digitalize o seguinte QR code utilizando a aplicação de autenticação do seu telefone.", + "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.", + "Use a recovery code": "Utilize um código de recuperação", + "Use an authentication code": "Utilize um código de autenticação", + "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.", + "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 fatores está ativa, será pedido um token seguro e aleatório durante a autenticação. Pode obter este token a partir da aplicação Google Authenticator no seu telefone", + "Whoops! Something went wrong.": "Ops! Alguma coisa correu mal.", + "You have been invited to join the :team team!": "Foi convidado para se juntar à equipa :team!", + "You have enabled two factor authentication.": "Ativou a autenticação de dois fatores.", + "You have not enabled two factor authentication.": "Não ativou a autenticação de dois fatores.", + "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.": "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." +} diff --git a/locales/pt/packages/nova.json b/locales/pt/packages/nova.json new file mode 100644 index 00000000000..7a9ba6d32fa --- /dev/null +++ b/locales/pt/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 dias", + "60 Days": "60 dias", + "90 Days": "90 dias", + ":amount Total": "Total :amount", + ":resource Details": ":resource detalhes", + ":resource Details: :title": ":resource detalhes: :title", + "Action": "Accao", + "Action Happened At": "Aconteceu Em", + "Action Initiated By": "Iniciado Por", + "Action Name": "Nome", + "Action Status": "Status", + "Action Target": "Destino", + "Actions": "Accao", + "Add row": "Adicionar uma linha", + "Afghanistan": "Afeganistao", + "Aland Islands": "Ilhas Åland", + "Albania": "Albanês", + "Algeria": "Alemanha", + "All resources loaded.": "Todos os recursos carregados.", + "American Samoa": "Samoa Americana", + "An error occured while uploading the file.": "Ocorreu um erro ao enviar o ficheiro.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguila", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Outro usuário atualizou este recurso desde que esta página foi carregada. Por favor, refresque a página e tente novamente.", + "Antarctica": "Antárctida", + "Antigua And Barbuda": "Antígua E Barbuda", + "April": "Abril", + "Are you sure you want to delete the selected resources?": "Tem a certeza que deseja apagar os recursos seleccionados?", + "Are you sure you want to delete this file?": "Tem a certeza que deseja apagar este ficheiro?", + "Are you sure you want to delete this resource?": "Tem a certeza que deseja apagar este recurso?", + "Are you sure you want to detach the selected resources?": "Tem a certeza que quer separar os recursos seleccionados?", + "Are you sure you want to detach this resource?": "Tem a certeza que quer separar este recurso?", + "Are you sure you want to force delete the selected resources?": "Tem a certeza que deseja forçar a remoção dos recursos seleccionados?", + "Are you sure you want to force delete this resource?": "Tem a certeza que deseja forçar a remoção deste recurso?", + "Are you sure you want to restore the selected resources?": "Tem a certeza que deseja repor os recursos seleccionados?", + "Are you sure you want to restore this resource?": "Tem a certeza que deseja restaurar este recurso?", + "Are you sure you want to run this action?": "Tens a certeza que queres fazer esta acção?", + "Argentina": "Argentino", + "Armenia": "Armenio", + "Aruba": "Aruba", + "Attach": "Anexar", + "Attach & Attach Another": "Anexar & Anexar Outra", + "Attach :resource": "Anexar :resource", + "August": "Agosto", + "Australia": "Austrália", + "Austria": "Áustria", + "Azerbaijan": "Azerbaijão", + "Bahamas": "Baamas", + "Bahrain": "Barém", + "Bangladesh": "Pai", + "Barbados": "Barbados", + "Belarus": "Bielorrússia", + "Belgium": "Belgica", + "Belize": "Belize", + "Benin": "Benim", + "Bermuda": "Bermuda", + "Bhutan": "Butão", + "Bolivia": "Bolívia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sábado", + "Bosnia And Herzegovina": "Bosnio", + "Botswana": "Botsuana", + "Bouvet Island": "Ilha Bouvet", + "Brazil": "Brasil", + "British Indian Ocean Territory": "Território Britânico Do Oceano Índico", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgária", + "Burkina Faso": "Burquina Faso", + "Burundi": "Burundi", + "Cambodia": "Camboja", + "Cameroon": "Camarao", + "Canada": "Canadá", + "Cancel": "Cancelar", + "Cape Verde": "verdiano", + "Cayman Islands": "Ilhas Caimão", + "Central African Republic": "República Centro-Africana", + "Chad": "Sergio", + "Changes": "Alteracao", + "Chile": "Chile", + "China": "Chino", + "Choose": "Escolher", + "Choose :field": "Escolher o :field", + "Choose :resource": "Escolher o :resource", + "Choose an option": "Escolha uma opção", + "Choose date": "Escolher a data", + "Choose File": "Escolher O Ficheiro", + "Choose Type": "Escolher O Tipo", + "Christmas Island": "Ilha Do Natal", + "Click to choose": "Carregue para escolher", + "Cocos (Keeling) Islands": "Ilhas Cocos (Keeling) ", + "Colombia": "Colômbia", + "Comoros": "Comoro", + "Confirm Password": "Confirmar Palavra-passe", + "Congo": "Congolês", + "Congo, Democratic Republic": "Congo, República Democrática", + "Constant": "Constante", + "Cook Islands": "Ilhas Cook", + "Costa Rica": "costa", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "não foi possível encontrar.", + "Create": "Criar", + "Create & Add Another": "Criar & Adicionar Outro", + "Create :resource": "Criar o :resource", + "Croatia": "Croata", + "Cuba": "Cuba", + "Curaçao": "Curaçao", + "Customize": "Personalizar", + "Cyprus": "Chipre", + "Czech Republic": "Checo", + "Dashboard": "Painel de Controlo", + "December": "Dezembro", + "Decrease": "Diminuir", + "Delete": "Eliminar", + "Delete File": "Lima", + "Delete Resource": "Apagar O Recurso", + "Delete Selected": "Apagar Os Seleccionados", + "Denmark": "Dinamarca", + "Detach": "Desanexar", + "Detach Resource": "Separar O Recurso", + "Detach Selected": "Separar Os Seleccionados", + "Details": "Informacao", + "Djibouti": "Jibuti", + "Do you really want to leave? You have unsaved changes.": "Queres mesmo ir-te embora? Você tem mudanças não gravadas.", + "Dominica": "Domingo", + "Dominican Republic": "dominicano", + "Download": "Baixar", + "Ecuador": "Equador", + "Edit": "Editar", + "Edit :resource": "Editar :resource", + "Edit Attached": "Editar Anexado", + "Egypt": "Egipto", + "El Salvador": "El Salvador", + "Email Address": "endereco", + "Equatorial Guinea": "Equatorial", + "Eritrea": "Eritreia", + "Estonia": "Estonio", + "Ethiopia": "Etiope", + "Falkland Islands (Malvinas)": "Ilhas Falkland (Malvinas))", + "Faroe Islands": "Ilhas Faroé", + "February": "Fevereiro", + "Fiji": "Fiji", + "Finland": "Finlandia", + "Force Delete": "Obrigar A Apagar", + "Force Delete Resource": "Forçar A Remoção Do Recurso", + "Force Delete Selected": "Obrigar A Apagar Os Seleccionados", + "Forgot Your Password?": "Esqueceu a Palavra-passe?", + "Forgot your password?": "Esqueceu a Palavra-passe?", + "France": "Franca", + "French Guiana": "Guiana Francesa", + "French Polynesia": "Polinésia Francesa", + "French Southern Territories": "Territórios Austrais Franceses", + "Gabon": "Gabao", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Alemanha", + "Ghana": "Gana", + "Gibraltar": "Gibraltar", + "Go Home": "Voltar ao início", + "Greece": "Grecia", + "Greenland": "Gronelandia", + "Grenada": "Granada", + "Guadeloupe": "Guadalupe", + "Guam": "Guam", + "Guatemala": "Guatemalteco", + "Guernsey": "Guernsey", + "Guinea": "Guine", + "Guinea-Bissau": "Guine", + "Guyana": "Guianense", + "Haiti": "Feira", + "Heard Island & Mcdonald Islands": "Ilhas Heard e McDonald", + "Hide Content": "Esconder O Conteúdo", + "Hold Up!": "Espera!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "reformado", + "Hungary": "Hungria", + "Iceland": "Islandês", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "Se não pediu para redefinir a palavra-passe, ignore este e-mail.", + "Increase": "Aumentar", + "India": "Indio", + "Indonesia": "Indonesio", + "Iran, Islamic Republic Of": "Iraniano", + "Iraq": "Iraque", + "Ireland": "Irlanda", + "Isle Of Man": "Ilha de Man", + "Israel": "Israel", + "Italy": "Italia", + "Jamaica": "Jamaica", + "January": "Janeiro", + "Japan": "Japao", + "Jersey": "Camisa", + "Jordan": "Jordano", + "July": "Julho", + "June": "Junho", + "Kazakhstan": "Cazaquistão", + "Kenya": "Queniano", + "Key": "Chave", + "Kiribati": "Quiribati", + "Korea": "Coreia", + "Korea, Democratic People's Republic of": "Coreia Do Norte", + "Kosovo": "Servio", + "Kuwait": "Koweit", + "Kyrgyzstan": "Quirguizistão", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Letao", + "Lebanon": "Libano", + "Lens": "Lente", + "Lesotho": "Lesoto", + "Liberia": "Liberio", + "Libyan Arab Jamahiriya": "Libio", + "Liechtenstein": "Listenstaine", + "Lithuania": "Lituano", + "Load :perPage More": "Carregar mais :perPage", + "Login": "Iniciar Sessão", + "Logout": "Terminar Sessão", + "Luxembourg": "Luxemburguês", + "Macao": "Macau", + "Macedonia": "Macedónia Do Norte", + "Madagascar": "Malgaxe", + "Malawi": "Malavi", + "Malaysia": "Malasio", + "Maldives": "Maldivo", + "Mali": "Pequeno", + "Malta": "Malta", + "March": "Marco", + "Marshall Islands": "Ilhas Marshall", + "Martinique": "Martinica", + "Mauritania": "Mauritania", + "Mauritius": "Maurícia", + "May": "Poder", + "Mayotte": "Mayotte", + "Mexico": "Mexicano", + "Micronesia, Federated States Of": "Micronésia", + "Moldova": "Moldávia", + "Monaco": "Monaco", + "Mongolia": "Mongólia", + "Montenegro": "Montenegro", + "Month To Date": "Mês Até À Data", + "Montserrat": "Monserrate", + "Morocco": "Marrocos", + "Mozambique": "Mocambique", + "Myanmar": "Birmanês", + "Namibia": "Namíbia", + "Nauru": "Riso", + "Nepal": "Nepalês", + "Netherlands": "Baixo", + "New": "Novo", + "New :resource": "Novo :resource", + "New Caledonia": "Nova Caledónia", + "New Zealand": "neozelandês", + "Next": "Proximo", + "Nicaragua": "Nicarágua", + "Niger": "Níger", + "Nigeria": "Nigeriano", + "Niue": "Niue", + "No": "Não", + "No :resource matched the given criteria.": "O n. º :resource corresponde aos critérios indicados.", + "No additional information...": "Nenhuma informação adicional...", + "No Current Data": "Sem Dados Actuais", + "No Data": "Sem Dados", + "no file selected": "nenhum ficheiro seleccionado", + "No Increase": "Sem Aumento", + "No Prior Data": "Sem Dados Anteriores", + "No Results Found.": "Não Foram Encontrados Resultados.", + "Norfolk Island": "Ilha Norfolk", + "Northern Mariana Islands": "Marianas Do Norte", + "Norway": "Noruega", + "Nova User": "Utilizador Nova", + "November": "Novembro", + "October": "Outubro", + "of": "de", + "Oman": "Omã", + "Only Trashed": "Apenas Destruído", + "Original": "Original", + "Pakistan": "Paquistao", + "Palau": "Palau", + "Palestinian Territory, Occupied": "palestiniano", + "Panama": "Panama", + "Papua New Guinea": "Papuásia - Nova Guiné", + "Paraguay": "Paraguai", + "Password": "Palavra-passe", + "Per Page": "Por Página", + "Peru": "Peru", + "Philippines": "Filipino", + "Pitcairn": "polinesio", + "Poland": "Polonio", + "Portugal": "Portugal", + "Press \/ to search": "Carregar \/ procurar", + "Preview": "Visualizacao", + "Previous": "Anterior", + "Puerto Rico": "Porto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Trimestre Até À Data", + "Reload": "Recarregar", + "Remember Me": "Lembrar-me", + "Reset Filters": "Repor Os Filtros", + "Reset Password": "Redefinir Palavra-passe", + "Reset Password Notification": "Notificação para redefinir a Palavra-passe", + "resource": "recurso", + "Resources": "Recurso", + "resources": "recurso", + "Restore": "Restaurar", + "Restore Resource": "Repor O Recurso", + "Restore Selected": "Repor Os Seleccionados", + "Reunion": "Reuniao", + "Romania": "Romenia", + "Run Action": "Executar A Acção", + "Russian Federation": "Russia", + "Rwanda": "Ruandês", + "Saint Barthelemy": "St. Barthélemy", + "Saint Helena": "Santa Helena", + "Saint Kitts And Nevis": "São Cristóvão e Nevis", + "Saint Lucia": "Santa Lúcia", + "Saint Martin": "St. Martin", + "Saint Pierre And Miquelon": "São Pedro e Miquelon", + "Saint Vincent And Grenadines": "São Vicente e Granadinas", + "Samoa": "Samoa", + "San Marino": "marinho", + "Sao Tome And Principe": "São Tomé e Príncipe", + "Saudi Arabia": "saude", + "Search": "Pesquisa", + "Select Action": "Seleccionar A Acção", + "Select All": "Seleccionar Tudo", + "Select All Matching": "Seleccionar Toda A Correspondência", + "Send Password Reset Link": "Enviar link para redefinir a Palavra-passe", + "Senegal": "Senegalês", + "September": "Setembro", + "Serbia": "Servio", + "Seychelles": "Seicheles", + "Show All Fields": "Mostrar Todos Os Campos", + "Show Content": "Mostrar O Conteúdo", + "Sierra Leone": "Serra Leoa", + "Singapore": "Singapura", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Eslovaco", + "Slovenia": "Esloveno", + "Solomon Islands": "Ilhas Salomão", + "Somalia": "Pai", + "Something went wrong.": "Algo correu mal.", + "Sorry! You are not authorized to perform this action.": "Desculpa! Não está autorizado a realizar esta acção.", + "Sorry, your session has expired.": "Desculpe, a sua sessão expirou.", + "South Africa": "Africa", + "South Georgia And Sandwich Isl.": "Geórgia do Sul e Ilhas Sandwich do Sul", + "South Sudan": "Sudão Do Sul", + "Spain": "Espanha", + "Sri Lanka": "Sri Lanca", + "Start Polling": "Iniciar As Sondagens", + "Stop Polling": "Parar As Sondagens", + "Sudan": "Sudao", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard e Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Suecio", + "Switzerland": "Suico", + "Syrian Arab Republic": "Sirio", + "Taiwan": "Formosa", + "Tajikistan": "Tajiquistão", + "Tanzania": "Tanzaniano", + "Thailand": "Tailandês", + "The :resource was created!": "O :resource foi criado!", + "The :resource was deleted!": "O :resource foi apagado!", + "The :resource was restored!": "O :resource foi restaurado!", + "The :resource was updated!": "O :resource foi actualizado!", + "The action ran successfully!": "A ação correu com sucesso!", + "The file was deleted!": "O ficheiro foi apagado!", + "The government won't let us show you what's behind these doors": "O governo não nos deixa mostrar-lhe o que está atrás destas portas.", + "The HasOne relationship has already been filled.": "A relação HasOne já foi preenchida.", + "The resource was updated!": "O recurso foi atualizado!", + "There are no available options for this resource.": "Não existem opções disponíveis para este recurso.", + "There was a problem executing the action.": "Houve um problema em executar a acção.", + "There was a problem submitting the form.": "Houve um problema ao enviar o formulário.", + "This file field is read-only.": "Este campo de ficheiros é apenas para leitura.", + "This image": "Imagem", + "This resource no longer exists": "Este recurso já não existe", + "Timor-Leste": "Timor-Leste", + "Today": "Agora", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Vir", + "total": "total", + "Trashed": "Lixar", + "Trinidad And Tobago": "Trindade e Tobago", + "Tunisia": "Tunisino", + "Turkey": "Turquia", + "Turkmenistan": "Turquemenistão", + "Turks And Caicos Islands": "Ilhas Turcas e Caicos", + "Tuvalu": "Tuvalu", + "Uganda": "Pai", + "Ukraine": "Ucrania", + "United Arab Emirates": "emirado", + "United Kingdom": "Reino", + "United States": "americano", + "United States Outlying Islands": "Ilhas Distantes dos EUA", + "Update": "Actualizacao", + "Update & Continue Editing": "Actualizar E Continuar A Edição", + "Update :resource": "Actualizar :resource", + "Update :resource: :title": "Atualização :resource: :title", + "Update attached :resource: :title": "Actualização em anexo :resource: :title", + "Uruguay": "Uruguai", + "Uzbekistan": "Usbequistão", + "Value": "Valor", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Visualizar", + "Virgin Islands, British": "Ilhas Virgens Britânicas", + "Virgin Islands, U.S.": "Ilhas Virgens Americanas", + "Wallis And Futuna": "Wallis e Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Estamos perdidos no espaço. A página que você estava tentando ver não existe.", + "Welcome Back!": "Bem-Vindo De Volta!", + "Western Sahara": "Saara Ocidental", + "Whoops": "Grito", + "Whoops!": "Ops!", + "With Trashed": "Com Lixo", + "Write": "Escrever", + "Year To Date": "ano", + "Yemen": "Iemenita", + "Yes": "Sim", + "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.", + "Zambia": "Zâmbia", + "Zimbabwe": "Pai" +} diff --git a/locales/pt/packages/spark-paddle.json b/locales/pt/packages/spark-paddle.json new file mode 100644 index 00000000000..10532d24034 --- /dev/null +++ b/locales/pt/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Termos de Serviço", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Ops! Alguma coisa correu mal.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/pt/packages/spark-stripe.json b/locales/pt/packages/spark-stripe.json new file mode 100644 index 00000000000..531cd59c9fa --- /dev/null +++ b/locales/pt/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afeganistao", + "Albania": "Albanês", + "Algeria": "Alemanha", + "American Samoa": "Samoa Americana", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguila", + "Antarctica": "Antárctida", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentino", + "Armenia": "Armenio", + "Aruba": "Aruba", + "Australia": "Austrália", + "Austria": "Áustria", + "Azerbaijan": "Azerbaijão", + "Bahamas": "Baamas", + "Bahrain": "Barém", + "Bangladesh": "Pai", + "Barbados": "Barbados", + "Belarus": "Bielorrússia", + "Belgium": "Belgica", + "Belize": "Belize", + "Benin": "Benim", + "Bermuda": "Bermuda", + "Bhutan": "Butão", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botsuana", + "Bouvet Island": "Ilha Bouvet", + "Brazil": "Brasil", + "British Indian Ocean Territory": "Território Britânico Do Oceano Índico", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgária", + "Burkina Faso": "Burquina Faso", + "Burundi": "Burundi", + "Cambodia": "Camboja", + "Cameroon": "Camarao", + "Canada": "Canadá", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "verdiano", + "Card": "Cartao", + "Cayman Islands": "Ilhas Caimão", + "Central African Republic": "República Centro-Africana", + "Chad": "Sergio", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Chile", + "China": "Chino", + "Christmas Island": "Ilha Do Natal", + "City": "City", + "Cocos (Keeling) Islands": "Ilhas Cocos (Keeling) ", + "Colombia": "Colômbia", + "Comoros": "Comoro", + "Confirm Payment": "Confirmar O Pagamento", + "Confirm your :amount payment": "Confirme o seu pagamento :amount", + "Congo": "Congolês", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Ilhas Cook", + "Costa Rica": "costa", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Croata", + "Cuba": "Cuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Chipre", + "Czech Republic": "Checo", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Dinamarca", + "Djibouti": "Jibuti", + "Dominica": "Domingo", + "Dominican Republic": "dominicano", + "Download Receipt": "Download Receipt", + "Ecuador": "Equador", + "Egypt": "Egipto", + "El Salvador": "El Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Equatorial", + "Eritrea": "Eritreia", + "Estonia": "Estonio", + "Ethiopia": "Etiope", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "É necessária uma confirmação Extra para processar o seu pagamento. Por favor, continue para a página de pagamento clicando no botão abaixo.", + "Falkland Islands (Malvinas)": "Ilhas Falkland (Malvinas))", + "Faroe Islands": "Ilhas Faroé", + "Fiji": "Fiji", + "Finland": "Finlandia", + "France": "Franca", + "French Guiana": "Guiana Francesa", + "French Polynesia": "Polinésia Francesa", + "French Southern Territories": "Territórios Austrais Franceses", + "Gabon": "Gabao", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Alemanha", + "Ghana": "Gana", + "Gibraltar": "Gibraltar", + "Greece": "Grecia", + "Greenland": "Gronelandia", + "Grenada": "Granada", + "Guadeloupe": "Guadalupe", + "Guam": "Guam", + "Guatemala": "Guatemalteco", + "Guernsey": "Guernsey", + "Guinea": "Guine", + "Guinea-Bissau": "Guine", + "Guyana": "Guianense", + "Haiti": "Feira", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "reformado", + "Hungary": "Hungria", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Islandês", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Indio", + "Indonesia": "Indonesio", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Iraque", + "Ireland": "Irlanda", + "Isle of Man": "Isle of Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italia", + "Jamaica": "Jamaica", + "Japan": "Japao", + "Jersey": "Camisa", + "Jordan": "Jordano", + "Kazakhstan": "Cazaquistão", + "Kenya": "Queniano", + "Kiribati": "Quiribati", + "Korea, Democratic People's Republic of": "Coreia Do Norte", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Koweit", + "Kyrgyzstan": "Quirguizistão", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Letao", + "Lebanon": "Libano", + "Lesotho": "Lesoto", + "Liberia": "Liberio", + "Libyan Arab Jamahiriya": "Libio", + "Liechtenstein": "Listenstaine", + "Lithuania": "Lituano", + "Luxembourg": "Luxemburguês", + "Macao": "Macau", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Malgaxe", + "Malawi": "Malavi", + "Malaysia": "Malasio", + "Maldives": "Maldivo", + "Mali": "Pequeno", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Ilhas Marshall", + "Martinique": "Martinica", + "Mauritania": "Mauritania", + "Mauritius": "Maurícia", + "Mayotte": "Mayotte", + "Mexico": "Mexicano", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monaco", + "Mongolia": "Mongólia", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Monserrate", + "Morocco": "Marrocos", + "Mozambique": "Mocambique", + "Myanmar": "Birmanês", + "Namibia": "Namíbia", + "Nauru": "Riso", + "Nepal": "Nepalês", + "Netherlands": "Baixo", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Nova Caledónia", + "New Zealand": "neozelandês", + "Nicaragua": "Nicarágua", + "Niger": "Níger", + "Nigeria": "Nigeriano", + "Niue": "Niue", + "Norfolk Island": "Ilha Norfolk", + "Northern Mariana Islands": "Marianas Do Norte", + "Norway": "Noruega", + "Oman": "Omã", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Paquistao", + "Palau": "Palau", + "Palestinian Territory, Occupied": "palestiniano", + "Panama": "Panama", + "Papua New Guinea": "Papuásia - Nova Guiné", + "Paraguay": "Paraguai", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Filipino", + "Pitcairn": "polinesio", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Polonio", + "Portugal": "Portugal", + "Puerto Rico": "Porto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Romenia", + "Russian Federation": "Russia", + "Rwanda": "Ruandês", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Santa Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Santa Lúcia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "marinho", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "saude", + "Save": "Guardar", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegalês", + "Serbia": "Servio", + "Seychelles": "Seicheles", + "Sierra Leone": "Serra Leoa", + "Signed in as": "Signed in as", + "Singapore": "Singapura", + "Slovakia": "Eslovaco", + "Slovenia": "Esloveno", + "Solomon Islands": "Ilhas Salomão", + "Somalia": "Pai", + "South Africa": "Africa", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Espanha", + "Sri Lanka": "Sri Lanca", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudao", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Suecio", + "Switzerland": "Suico", + "Syrian Arab Republic": "Sirio", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tajiquistão", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Termos de Serviço", + "Thailand": "Tailandês", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Vir", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisino", + "Turkey": "Turquia", + "Turkmenistan": "Turquemenistão", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Pai", + "Ukraine": "Ucrania", + "United Arab Emirates": "emirado", + "United Kingdom": "Reino", + "United States": "americano", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Actualizacao", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguai", + "Uzbekistan": "Usbequistão", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Ilhas Virgens Britânicas", + "Virgin Islands, U.S.": "Ilhas Virgens Americanas", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Saara Ocidental", + "Whoops! Something went wrong.": "Ops! Alguma coisa correu mal.", + "Yearly": "Yearly", + "Yemen": "Iemenita", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zâmbia", + "Zimbabwe": "Pai", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/pt/pt.json b/locales/pt/pt.json index 4b1d70bb58b..b44e8fde4c5 100644 --- a/locales/pt/pt.json +++ b/locales/pt/pt.json @@ -1,710 +1,48 @@ { - "30 Days": "30 dias", - "60 Days": "60 dias", - "90 Days": "90 dias", - ":amount Total": "Total :amount", - ":days day trial": ":days day trial", - ":resource Details": ":resource detalhes", - ":resource Details: :title": ":resource detalhes: :title", "A fresh verification link has been sent to your email address.": "Um novo link de verificação foi enviado para seu endereço de e-mail.", - "A new verification link has been sent to the email address you provided during registration.": "Um novo link de verificação foi enviado para seu endereço de e-mail fornecido durante o registo.", - "Accept Invitation": "Aceitar O Convite", - "Action": "Accao", - "Action Happened At": "Aconteceu Em", - "Action Initiated By": "Iniciado Por", - "Action Name": "Nome", - "Action Status": "Status", - "Action Target": "Destino", - "Actions": "Accao", - "Add": "Adicionar", - "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 additional security to your account using two factor authentication.": "Adicione mais segurança à sua conta utilizando autenticação de dois factores.", - "Add row": "Adicionar uma linha", - "Add Team Member": "Adicionar Membro de Equipa", - "Add VAT Number": "Add VAT Number", - "Added.": "Adicionado.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administrador", - "Administrator users can perform any action.": "Utilizadores com privilégios de Administrador podem executar qualquer acção.", - "Afghanistan": "Afeganistao", - "Aland Islands": "Ilhas Åland", - "Albania": "Albanês", - "Algeria": "Alemanha", - "All of the people that are part of this team.": "Todas as pessoas que fazem parte desta equipa.", - "All resources loaded.": "Todos os recursos carregados.", - "All rights reserved.": "Todos os direitos reservados.", - "Already registered?": "Já está registado?", - "American Samoa": "Samoa Americana", - "An error occured while uploading the file.": "Ocorreu um erro ao enviar o ficheiro.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Anguila", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Outro usuário atualizou este recurso desde que esta página foi carregada. Por favor, refresque a página e tente novamente.", - "Antarctica": "Antárctida", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antígua E Barbuda", - "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.", - "April": "Abril", - "Are you sure you want to delete the selected resources?": "Tem a certeza que deseja apagar os recursos seleccionados?", - "Are you sure you want to delete this file?": "Tem a certeza que deseja apagar este ficheiro?", - "Are you sure you want to delete this resource?": "Tem a certeza que deseja apagar este recurso?", - "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 want to detach the selected resources?": "Tem a certeza que quer separar os recursos seleccionados?", - "Are you sure you want to detach this resource?": "Tem a certeza que quer separar este recurso?", - "Are you sure you want to force delete the selected resources?": "Tem a certeza que deseja forçar a remoção dos recursos seleccionados?", - "Are you sure you want to force delete this resource?": "Tem a certeza que deseja forçar a remoção deste recurso?", - "Are you sure you want to restore the selected resources?": "Tem a certeza que deseja repor os recursos seleccionados?", - "Are you sure you want to restore this resource?": "Tem a certeza que deseja restaurar este recurso?", - "Are you sure you want to run this action?": "Tens a certeza que queres fazer esta acção?", - "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 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?", - "Argentina": "Argentino", - "Armenia": "Armenio", - "Aruba": "Aruba", - "Attach": "Anexar", - "Attach & Attach Another": "Anexar & Anexar Outra", - "Attach :resource": "Anexar :resource", - "August": "Agosto", - "Australia": "Austrália", - "Austria": "Áustria", - "Azerbaijan": "Azerbaijão", - "Bahamas": "Baamas", - "Bahrain": "Barém", - "Bangladesh": "Pai", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Antes de prosseguir, procure pelo link de verificação na sua caixa de correio.", - "Belarus": "Bielorrússia", - "Belgium": "Belgica", - "Belize": "Belize", - "Benin": "Benim", - "Bermuda": "Bermuda", - "Bhutan": "Butão", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolívia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sábado", - "Bosnia And Herzegovina": "Bosnio", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botsuana", - "Bouvet Island": "Ilha Bouvet", - "Brazil": "Brasil", - "British Indian Ocean Territory": "Território Britânico Do Oceano Índico", - "Browser Sessions": "Sessões em Browser", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgária", - "Burkina Faso": "Burquina Faso", - "Burundi": "Burundi", - "Cambodia": "Camboja", - "Cameroon": "Camarao", - "Canada": "Canadá", - "Cancel": "Cancelar", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "verdiano", - "Card": "Cartao", - "Cayman Islands": "Ilhas Caimão", - "Central African Republic": "República Centro-Africana", - "Chad": "Sergio", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Alteracao", - "Chile": "Chile", - "China": "Chino", - "Choose": "Escolher", - "Choose :field": "Escolher o :field", - "Choose :resource": "Escolher o :resource", - "Choose an option": "Escolha uma opção", - "Choose date": "Escolher a data", - "Choose File": "Escolher O Ficheiro", - "Choose Type": "Escolher O Tipo", - "Christmas Island": "Ilha Do Natal", - "City": "City", "click here to request another": "clique aqui para pedir outro", - "Click to choose": "Carregue para escolher", - "Close": "Fechar", - "Cocos (Keeling) Islands": "Ilhas Cocos (Keeling) ", - "Code": "Código", - "Colombia": "Colômbia", - "Comoros": "Comoro", - "Confirm": "Confirmar", - "Confirm Password": "Confirmar Palavra-passe", - "Confirm Payment": "Confirmar O Pagamento", - "Confirm your :amount payment": "Confirme o seu pagamento :amount", - "Congo": "Congolês", - "Congo, Democratic Republic": "Congo, República Democrática", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Constante", - "Cook Islands": "Ilhas Cook", - "Costa Rica": "costa", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "não foi possível encontrar.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Criar", - "Create & Add Another": "Criar & Adicionar Outro", - "Create :resource": "Criar o :resource", - "Create a new team to collaborate with others on projects.": "Crie uma nova equipa para colaborar com outras pessoas em projectos.", - "Create Account": "Criar Uma Conta", - "Create API Token": "Criar um API Token", - "Create New Team": "Criar uma Nova Equipa", - "Create Team": "Criar Equipa", - "Created.": "Criado.", - "Croatia": "Croata", - "Cuba": "Cuba", - "Curaçao": "Curaçao", - "Current Password": "Palavra-Passe atual", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Personalizar", - "Cyprus": "Chipre", - "Czech Republic": "Checo", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Painel de Controlo", - "December": "Dezembro", - "Decrease": "Diminuir", - "Delete": "Eliminar", - "Delete Account": "Eliminar Conta", - "Delete API Token": "Eliminar API Token", - "Delete File": "Lima", - "Delete Resource": "Apagar O Recurso", - "Delete Selected": "Apagar Os Seleccionados", - "Delete Team": "Eliminar Equipa", - "Denmark": "Dinamarca", - "Detach": "Desanexar", - "Detach Resource": "Separar O Recurso", - "Detach Selected": "Separar Os Seleccionados", - "Details": "Informacao", - "Disable": "Inativar", - "Djibouti": "Jibuti", - "Do you really want to leave? You have unsaved changes.": "Queres mesmo ir-te embora? Você tem mudanças não gravadas.", - "Dominica": "Domingo", - "Dominican Republic": "dominicano", - "Done.": "Feito.", - "Download": "Baixar", - "Download Receipt": "Download Receipt", "E-Mail Address": "Endereço de e-mail", - "Ecuador": "Equador", - "Edit": "Editar", - "Edit :resource": "Editar :resource", - "Edit Attached": "Editar Anexado", - "Editor": "Editor", - "Editor users have the ability to read, create, and update.": "Utilizadores com privilégios de Editor podem ler, criar e atualizar.", - "Egypt": "Egipto", - "El Salvador": "El Salvador", - "Email": "E-mail", - "Email Address": "endereco", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "E-mail para redefinir a palavra-passe", - "Enable": "Ativar", - "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.", - "Equatorial Guinea": "Equatorial", - "Eritrea": "Eritreia", - "Estonia": "Estonio", - "Ethiopia": "Etiope", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "É necessária uma confirmação Extra para processar o seu pagamento. Por favor, confirme o seu pagamento preenchendo os seus dados de pagamento abaixo.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "É necessária uma confirmação Extra para processar o seu pagamento. Por favor, continue para a página de pagamento clicando no botão abaixo.", - "Falkland Islands (Malvinas)": "Ilhas Falkland (Malvinas))", - "Faroe Islands": "Ilhas Faroé", - "February": "Fevereiro", - "Fiji": "Fiji", - "Finland": "Finlandia", - "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 .", "Forbidden": "Proibido", - "Force Delete": "Obrigar A Apagar", - "Force Delete Resource": "Forçar A Remoção Do Recurso", - "Force Delete Selected": "Obrigar A Apagar Os Seleccionados", - "Forgot Your Password?": "Esqueceu a Palavra-passe?", - "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.", - "France": "Franca", - "French Guiana": "Guiana Francesa", - "French Polynesia": "Polinésia Francesa", - "French Southern Territories": "Territórios Austrais Franceses", - "Full name": "Nome", - "Gabon": "Gabao", - "Gambia": "Gambia", - "Georgia": "Georgia", - "Germany": "Alemanha", - "Ghana": "Gana", - "Gibraltar": "Gibraltar", - "Go back": "Volte", - "Go Home": "Voltar ao início", "Go to page :page": "Ir para a página :page", - "Great! You have accepted the invitation to join the :team team.": "Muito bom! Aceitou o convite para se juntar à equipa :team.", - "Greece": "Grecia", - "Greenland": "Gronelandia", - "Grenada": "Granada", - "Guadeloupe": "Guadalupe", - "Guam": "Guam", - "Guatemala": "Guatemalteco", - "Guernsey": "Guernsey", - "Guinea": "Guine", - "Guinea-Bissau": "Guine", - "Guyana": "Guianense", - "Haiti": "Feira", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Ilhas Heard e McDonald", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Olá!", - "Hide Content": "Esconder O Conteúdo", - "Hold Up!": "Espera!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "reformado", - "Hungary": "Hungria", - "I agree to the :terms_of_service and :privacy_policy": "Concordo com a :terms_of_service e com a :privacy_policy", - "Iceland": "Islandês", - "ID": "ID", - "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 necessary, you may logout 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 terminar as sessões em browser em todos os dispositivos. Se achar que a sua conta foi comprometida, deve também atualizar a sua palavra-passe.", - "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 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 esta equipe, você pode descartar este e-mail.", "If you did not receive the email": "Se não recebeu o e-mail", - "If you did not request a password reset, no further action is required.": "Se não pediu para redefinir a palavra-passe, 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 aceitação do convite neste e-mail para aceitar o convite da equipe:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "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:", - "Increase": "Aumentar", - "India": "Indio", - "Indonesia": "Indonesio", "Invalid signature.": "Assinatura inválida.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iraniano", - "Iraq": "Iraque", - "Ireland": "Irlanda", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Ilha de Man", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italia", - "Jamaica": "Jamaica", - "January": "Janeiro", - "Japan": "Japao", - "Jersey": "Camisa", - "Jordan": "Jordano", - "July": "Julho", - "June": "Junho", - "Kazakhstan": "Cazaquistão", - "Kenya": "Queniano", - "Key": "Chave", - "Kiribati": "Quiribati", - "Korea": "Coreia", - "Korea, Democratic People's Republic of": "Coreia Do Norte", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Servio", - "Kuwait": "Koweit", - "Kyrgyzstan": "Quirguizistão", - "Lao People's Democratic Republic": "Laos", - "Last active": "Ativo pela última vez", - "Last used": "Usado pela última vez", - "Latvia": "Letao", - "Leave": "Sair", - "Leave Team": "Sair da Equipa", - "Lebanon": "Libano", - "Lens": "Lente", - "Lesotho": "Lesoto", - "Liberia": "Liberio", - "Libyan Arab Jamahiriya": "Libio", - "Liechtenstein": "Listenstaine", - "Lithuania": "Lituano", - "Load :perPage More": "Carregar mais :perPage", - "Log in": "Conectar", "Log out": "Sair", - "Log Out": "sair", - "Log Out Other Browser Sessions": "Desligar Outras Sessões Do Navegador", - "Login": "Iniciar Sessão", - "Logout": "Terminar Sessão", "Logout Other Browser Sessions": "Terminar as outras Sessões em Browsers", - "Luxembourg": "Luxemburguês", - "Macao": "Macau", - "Macedonia": "Macedónia Do Norte", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Malgaxe", - "Malawi": "Malavi", - "Malaysia": "Malasio", - "Maldives": "Maldivo", - "Mali": "Pequeno", - "Malta": "Malta", - "Manage Account": "Gerir Conta", - "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 and logout your active sessions on other browsers and devices.": "Gerir e terminar sessões activas noutros browsers ou dispositivos.", - "Manage API Tokens": "Gerir API Tokens", - "Manage Role": "Gerir Função", - "Manage Team": "Gerir Equipa", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Marco", - "Marshall Islands": "Ilhas Marshall", - "Martinique": "Martinica", - "Mauritania": "Mauritania", - "Mauritius": "Maurícia", - "May": "Poder", - "Mayotte": "Mayotte", - "Mexico": "Mexicano", - "Micronesia, Federated States Of": "Micronésia", - "Moldova": "Moldávia", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monaco", - "Mongolia": "Mongólia", - "Montenegro": "Montenegro", - "Month To Date": "Mês Até À Data", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Monserrate", - "Morocco": "Marrocos", - "Mozambique": "Mocambique", - "Myanmar": "Birmanês", - "Name": "Nome", - "Namibia": "Namíbia", - "Nauru": "Riso", - "Nepal": "Nepalês", - "Netherlands": "Baixo", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Ignorar", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Novo", - "New :resource": "Novo :resource", - "New Caledonia": "Nova Caledónia", - "New Password": "Nova Palavra-passe", - "New Zealand": "neozelandês", - "Next": "Proximo", - "Nicaragua": "Nicarágua", - "Niger": "Níger", - "Nigeria": "Nigeriano", - "Niue": "Niue", - "No": "Não", - "No :resource matched the given criteria.": "O n. º :resource corresponde aos critérios indicados.", - "No additional information...": "Nenhuma informação adicional...", - "No Current Data": "Sem Dados Actuais", - "No Data": "Sem Dados", - "no file selected": "nenhum ficheiro seleccionado", - "No Increase": "Sem Aumento", - "No Prior Data": "Sem Dados Anteriores", - "No Results Found.": "Não Foram Encontrados Resultados.", - "Norfolk Island": "Ilha Norfolk", - "Northern Mariana Islands": "Marianas Do Norte", - "Norway": "Noruega", "Not Found": "Não encontrado", - "Nova User": "Utilizador Nova", - "November": "Novembro", - "October": "Outubro", - "of": "de", "Oh no": "Oh não", - "Oman": "Omã", - "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 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 Trashed": "Apenas Destruído", - "Original": "Original", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Página expirou", "Pagination Navigation": "Navegação em resultados paginados", - "Pakistan": "Paquistao", - "Palau": "Palau", - "Palestinian Territory, Occupied": "palestiniano", - "Panama": "Panama", - "Papua New Guinea": "Papuásia - Nova Guiné", - "Paraguay": "Paraguai", - "Password": "Palavra-passe", - "Pay :amount": "Pagamento :amount", - "Payment Cancelled": "Pagamento Cancelado", - "Payment Confirmation": "Confirmação Do Pagamento", - "Payment Information": "Payment Information", - "Payment Successful": "Pagamento Bem Sucedido", - "Pending Team Invitations": "Convites De Equipa Pendentes", - "Per Page": "Por Página", - "Permanently delete this team.": "Eliminar esta equipa permanentemente.", - "Permanently delete your account.": "Eliminar a sua conta permanentemente.", - "Permissions": "Permissões", - "Peru": "Peru", - "Philippines": "Filipino", - "Photo": "Foto", - "Pitcairn": "polinesio", "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 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 your password before continuing.": "Por favor, confirme sua palavra-passe antes de continuar.", - "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 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 enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Por favor insira a sua palavra-passe para confirmar que pretende terminar as suas outras sessões em browser em todos os seus dispositivos.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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 esta equipe.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Por favor forneça o endereço de e-mail da pessoa que pretende adicionar a esta equipa. O endereço de e-mail deve estar associado a uma conta que já existe.", - "Please provide your name.": "Por favor, indique o seu nome.", - "Poland": "Polonio", - "Portugal": "Portugal", - "Press \/ to search": "Carregar \/ procurar", - "Preview": "Visualizacao", - "Previous": "Anterior", - "Privacy Policy": "privacidade", - "Profile": "Perfil", - "Profile Information": "Informação de Perfil", - "Puerto Rico": "Porto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Trimestre Até À Data", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Código de Recuperação", "Regards": "Atenciosamente", - "Regenerate Recovery Codes": "Regenerar Códigos de Recuperação", - "Register": "Registar", - "Reload": "Recarregar", - "Remember me": "Lembrar-me", - "Remember Me": "Lembrar-me", - "Remove": "Remover", - "Remove Photo": "Remover Foto", - "Remove Team Member": "Remover Membro de Equipa", - "Resend Verification Email": "Reenviar E-mail de Verificação", - "Reset Filters": "Repor Os Filtros", - "Reset Password": "Redefinir Palavra-passe", - "Reset Password Notification": "Notificação para redefinir a Palavra-passe", - "resource": "recurso", - "Resources": "Recurso", - "resources": "recurso", - "Restore": "Restaurar", - "Restore Resource": "Repor O Recurso", - "Restore Selected": "Repor Os Seleccionados", "results": "resultados", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Reuniao", - "Role": "Função", - "Romania": "Romenia", - "Run Action": "Executar A Acção", - "Russian Federation": "Russia", - "Rwanda": "Ruandês", - "Réunion": "Réunion", - "Saint Barthelemy": "St. Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Santa Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "São Cristóvão e Nevis", - "Saint Lucia": "Santa Lúcia", - "Saint Martin": "St. Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "São Pedro e Miquelon", - "Saint Vincent And Grenadines": "São Vicente e Granadinas", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "marinho", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "São Tomé e Príncipe", - "Saudi Arabia": "saude", - "Save": "Guardar", - "Saved.": "Guardado.", - "Search": "Pesquisa", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Selecionar uma nova Foto", - "Select Action": "Seleccionar A Acção", - "Select All": "Seleccionar Tudo", - "Select All Matching": "Seleccionar Toda A Correspondência", - "Send Password Reset Link": "Enviar link para redefinir a Palavra-passe", - "Senegal": "Senegalês", - "September": "Setembro", - "Serbia": "Servio", "Server Error": "Erro do servidor", "Service Unavailable": "Serviço indisponível", - "Seychelles": "Seicheles", - "Show All Fields": "Mostrar Todos Os Campos", - "Show Content": "Mostrar O Conteúdo", - "Show Recovery Codes": "Mostrar Códigos de Recuperação", "Showing": "A mostrar", - "Sierra Leone": "Serra Leoa", - "Signed in as": "Signed in as", - "Singapore": "Singapura", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Eslovaco", - "Slovenia": "Esloveno", - "Solomon Islands": "Ilhas Salomão", - "Somalia": "Pai", - "Something went wrong.": "Algo correu mal.", - "Sorry! You are not authorized to perform this action.": "Desculpa! Não está autorizado a realizar esta acção.", - "Sorry, your session has expired.": "Desculpe, a sua sessão expirou.", - "South Africa": "Africa", - "South Georgia And Sandwich Isl.": "Geórgia do Sul e Ilhas Sandwich do Sul", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Sudão Do Sul", - "Spain": "Espanha", - "Sri Lanka": "Sri Lanca", - "Start Polling": "Iniciar As Sondagens", - "State \/ County": "State \/ County", - "Stop Polling": "Parar As Sondagens", - "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.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudao", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard e Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Suecio", - "Switch Teams": "Trocar de Equipa", - "Switzerland": "Suico", - "Syrian Arab Republic": "Sirio", - "Taiwan": "Formosa", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tajiquistão", - "Tanzania": "Tanzaniano", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Detalhes da Equipa", - "Team Invitation": "Convite De Equipa", - "Team Members": "Membros da Equipa", - "Team Name": "Nome da Equipa", - "Team Owner": "Proprietário da Equipa", - "Team Settings": "Definições da Equipa", - "Terms of Service": "Termos de Serviço", - "Thailand": "Tailandês", - "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 registar! Antes de começar, pode confirmar o seu endereço de email clicando no link presente no email que acabamos de lhe enviar? Se não recebeu o email, teremos todo o prazer em enviar-lhe outro.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "A :attribute deve ser uma função válida.", - "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 and one number.": "O :attribute deve 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 special character.": "O campo :attribute deve ter pelo menos :length caracteres e conter pelo menos um caractere especial.", - "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 at least :length characters and contain at least one uppercase character, one number, and one special character.": "O campo :attribute deve ter pelo menos :length caracteres e conter pelo menos uma 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 ter pelo menos :length caracteres e conter pelo menos uma maiúscula.", - "The :attribute must be at least :length characters.": "O campo :attribute deve ter pelo menos :length caracteres.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "O :resource foi criado!", - "The :resource was deleted!": "O :resource foi apagado!", - "The :resource was restored!": "O :resource foi restaurado!", - "The :resource was updated!": "O :resource foi actualizado!", - "The action ran successfully!": "A ação correu com sucesso!", - "The file was deleted!": "O ficheiro foi apagado!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "O governo não nos deixa mostrar-lhe o que está atrás destas portas.", - "The HasOne relationship has already been filled.": "A relação HasOne já foi preenchida.", - "The payment was successful.": "O pagamento foi bem sucedido.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "O recurso foi atualizado!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Nome da equipa e do proprietário.", - "There are no available options for this resource.": "Não existem opções disponíveis para este recurso.", - "There was a problem executing the action.": "Houve um problema em executar a acção.", - "There was a problem submitting the form.": "Houve um problema ao enviar o formulário.", - "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.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Esta ação não é autorizada.", - "This device": "Este dispositivo", - "This file field is read-only.": "Este campo de ficheiros é apenas para leitura.", - "This image": "Imagem", - "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 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 payment was already successfully confirmed.": "Este pagamento já foi confirmado com sucesso.", - "This payment was cancelled.": "Este pagamento foi cancelado.", - "This resource no longer exists": "Este recurso já não existe", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "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.", - "Timor-Leste": "Timor-Leste", "to": "até", - "Today": "Agora", "Toggle navigation": "Alternar navegação", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Nome do Token", - "Tonga": "Vir", "Too Many Attempts.": "Demasiadas tentativas.", "Too Many Requests": "Demasiados pedidos", - "total": "total", - "Total:": "Total:", - "Trashed": "Lixar", - "Trinidad And Tobago": "Trindade e Tobago", - "Tunisia": "Tunisino", - "Turkey": "Turquia", - "Turkmenistan": "Turquemenistão", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Ilhas Turcas e Caicos", - "Tuvalu": "Tuvalu", - "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.": "A autenticação de dois fatores está ativa. Digitalize o seguinte QR code utilizando a aplicação de autenticação do seu telefone.", - "Uganda": "Pai", - "Ukraine": "Ucrania", "Unauthorized": "Não autorizado", - "United Arab Emirates": "emirado", - "United Kingdom": "Reino", - "United States": "americano", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "Ilhas Distantes dos EUA", - "Update": "Actualizacao", - "Update & Continue Editing": "Actualizar E Continuar A Edição", - "Update :resource": "Actualizar :resource", - "Update :resource: :title": "Atualização :resource: :title", - "Update attached :resource: :title": "Actualização em anexo :resource: :title", - "Update Password": "Atualizar palavra-passe", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Atualize a informação de perfil e mail da sua conta.", - "Uruguay": "Uruguai", - "Use a recovery code": "Utilize um código de recuperação", - "Use an authentication code": "Utilize um código de autenticação", - "Uzbekistan": "Usbequistão", - "Value": "Valor", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Verifique o endereço de e-mail", "Verify Your Email Address": "Verifique seu endereço de e-mail", - "Viet Nam": "Vietnam", - "View": "Visualizar", - "Virgin Islands, British": "Ilhas Virgens Britânicas", - "Virgin Islands, U.S.": "Ilhas Virgens Americanas", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis e Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "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 will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Não vamos pedir a sua palavra-passe novamente por algumas horas.", - "We're lost in space. The page you were trying to view does not exist.": "Estamos perdidos no espaço. A página que você estava tentando ver não existe.", - "Welcome Back!": "Bem-Vindo De Volta!", - "Western Sahara": "Saara Ocidental", - "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 fatores está ativa, será pedido um token seguro e aleatório durante a autenticação. Pode obter este token a partir da aplicação Google Authenticator no seu telefone", - "Whoops": "Grito", - "Whoops!": "Ops!", - "Whoops! Something went wrong.": "Ops! Alguma coisa correu mal.", - "With Trashed": "Com Lixo", - "Write": "Escrever", - "Year To Date": "ano", - "Yearly": "Yearly", - "Yemen": "Iemenita", - "Yes": "Sim", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "A sessão foi iniciada!", - "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 have been invited to join the :team team!": "Foi convidado para se juntar à equipa :team!", - "You have enabled two factor authentication.": "Ativou a autenticação de dois fatores.", - "You have not enabled two factor authentication.": "Não ativou a autenticação de dois fatores.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Seu endereço de e-mail não está verificado.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zâmbia", - "Zimbabwe": "Pai", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Seu endereço de e-mail não está verificado." } diff --git a/locales/pt_BR/packages/cashier.json b/locales/pt_BR/packages/cashier.json new file mode 100644 index 00000000000..7a06eabeadd --- /dev/null +++ b/locales/pt_BR/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Todos os direitos reservados.", + "Card": "Cartão", + "Confirm Payment": "Confirmar pagamento", + "Confirm your :amount payment": "Confirme seu pagamento de :amount", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "É necessária uma confirmação extra para processar o seu pagamento. Por favor, confirme o seu pagamento preenchendo os seus dados de pagamento abaixo.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "É necessária uma confirmação extra para processar o seu pagamento. Por favor, continue para a página de pagamento clicando no botão abaixo.", + "Full name": "Nome", + "Go back": "Voltar", + "Jane Doe": "Jane Doe", + "Pay :amount": "Pagamento :amount", + "Payment Cancelled": "Pagamento Cancelado", + "Payment Confirmation": "Confirmação Do Pagamento", + "Payment Successful": "Pagamento Bem Sucedido", + "Please provide your name.": "Por favor, forneça o seu nome.", + "The payment was successful.": "O pagamento foi bem sucedido.", + "This payment was already successfully confirmed.": "Este pagamento já foi confirmado com sucesso.", + "This payment was cancelled.": "Este pagamento foi cancelado." +} diff --git a/locales/pt_BR/packages/fortify.json b/locales/pt_BR/packages/fortify.json new file mode 100644 index 00000000000..67fd4adc50f --- /dev/null +++ b/locales/pt_BR/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 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 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 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 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.": "O campo :attribute deve possuir no mínimo :length caracteres.", + "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." +} diff --git a/locales/pt_BR/packages/jetstream.json b/locales/pt_BR/packages/jetstream.json new file mode 100644 index 00000000000..40b17464ca5 --- /dev/null +++ b/locales/pt_BR/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "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 processo de cadastro.", + "Accept Invitation": "Aceitar convite", + "Add": "Adicionar", + "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 additional security to your account using two factor authentication.": "Adicione mais segurança à sua conta usando autenticação em dois fatores.", + "Add Team Member": "Adicionar membro a equipe", + "Added.": "Adicionado.", + "Administrator": "Administrador", + "Administrator users can perform any action.": "Usuários com privilégios de Administrador podem executar qualquer acão.", + "All of the people that are part of this team.": "Todas pessoas que fazem parte dessa equipe.", + "Already registered?": "Já registrado?", + "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.", + "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 esta equipe? 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 delete this API token?": "Tem certeza de que deseja excluir este token da API?", + "Are you sure you would like to leave this team?": "Tem certeza de que deseja sair desta equipe?", + "Are you sure you would like to remove this person from the team?": "Tem certeza de que deseja remover esta pessoa da equipe?", + "Browser Sessions": "Sessões do navegador", + "Cancel": "Cancelar", + "Close": "Fechar", + "Code": "Código", + "Confirm": "Confirmar", + "Confirm Password": "Confirmar senha", + "Create": "Criar", + "Create a new team to collaborate with others on projects.": "Crie uma equipe para colaborar com outros em projetos.", + "Create Account": "Criar conta", + "Create API Token": "Criar Token da API", + "Create New Team": "Criar Novo Time", + "Create Team": "Criar Time", + "Created.": "Criado.", + "Current Password": "Senha Atual", + "Dashboard": "Painel", + "Delete": "Excluir", + "Delete Account": "Excluir Conta", + "Delete API Token": "Excluir Token da API", + "Delete Team": "Excluir Time", + "Disable": "Desativar", + "Done.": "Feito.", + "Editor": "Editor", + "Editor users have the ability to read, create, and update.": "Usuários com privilégios de Editor podem ler, criar e atualizar.", + "Email": "E-mail", + "Email Password Reset Link": "Link de redefinição de senha", + "Enable": "Ativar", + "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.", + "For your security, please confirm your password to continue.": "Para sua segurança, por favor confirme a sua senha antes de prosseguir.", + "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.", + "Great! You have accepted the invitation to join the :team team.": "Muito bom! Aceitou o convite para se juntar à equipa :team.", + "I agree to the :terms_of_service and :privacy_policy": "Concordo com os :terms_of_service e com as :privacy_policy", + "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 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 expect to receive an invitation to this team, you may discard this email.": "Se você não esperava receber um convite para esta equipe, você pode descartar 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 da equipe:", + "Last active": "Última atividade", + "Last used": "Usado por último", + "Leave": "Sair", + "Leave Team": "Sair do Time", + "Log in": "Entrar", + "Log Out": "Sair", + "Log Out Other Browser Sessions": "Desligar Outras Sessões Do Navegador", + "Manage Account": "Gerenciar Conta", + "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 Role": "Gerenciar Papel", + "Manage Team": "Gerenciar Time", + "Name": "Nome", + "New Password": "Nova Senha", + "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 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.", + "Password": "Senha", + "Pending Team Invitations": "Convites De Equipa Pendentes", + "Permanently delete this team.": "Excluir este time permanentemente.", + "Permanently delete your account.": "Excluir esta conta permanentemente.", + "Permissions": "Permissões", + "Photo": "Foto", + "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 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 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 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 esta equipe.", + "Privacy Policy": "Política de Privacidade", + "Profile": "Perfil", + "Profile Information": "Informações do Perfil", + "Recovery Code": "Código de Recuperação", + "Regenerate Recovery Codes": "Gerar novamente os Códigos de Recuperação", + "Register": "Registrar", + "Remember me": "Lembre-se de mim", + "Remove": "Remover", + "Remove Photo": "Remover Foto", + "Remove Team Member": "Remover Membro do Time", + "Resend Verification Email": "Enviar novamente o e-mail de verificação", + "Reset Password": "Redefinir senha", + "Role": "Papel", + "Save": "Salvar", + "Saved.": "Salvo.", + "Select A New Photo": "Selecione uma nova foto", + "Show Recovery Codes": "Mostrar Códigos de Recuperação", + "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.", + "Switch Teams": "Mudar de Equipa", + "Team Details": "Detalhes do Time", + "Team Invitation": "Convite De Equipa", + "Team Members": "Membros do Time", + "Team Name": "Nome do Time", + "Team Owner": "Dono do Time", + "Team Settings": "Configurações do Time", + "Terms of Service": "Termos de Serviço", + "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 registar! Antes de começar, confirme o seu endereço de e-mail clicando no link presente no e-mail que acabamos de te enviar? Caso não tenha recebido o email, teremos o maior prazer em reenviar-lhe outro.", + "The :attribute must be a valid role.": ":attribute deve ser um papel válido.", + "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 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 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 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 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.": "O campo :attribute deve possuir no mínimo :length caracteres.", + "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 team's name and owner information.": "Nome do time e informações do dono.", + "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.", + "This device": "Este dispositivo", + "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 password does not match our records.": "Esta senha não corresponde aos nossos registros.", + "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 a equipe.", + "Token Name": "Nome do Token", + "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.": "A autenticação em dois fatores está ativa agora. Escaneie o código QR a seguir com o aplicativo do autenticador em seu telefone.", + "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.", + "Use a recovery code": "Use um código de recuperação", + "Use an authentication code": "Use um código de autenticação", + "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.", + "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.", + "Whoops! Something went wrong.": "Ops! Alguma coisa deu errado.", + "You have been invited to join the :team team!": "Foi convidado para se juntar à equipa :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 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.": "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." +} diff --git a/locales/pt_BR/packages/nova.json b/locales/pt_BR/packages/nova.json new file mode 100644 index 00000000000..77e1fec575c --- /dev/null +++ b/locales/pt_BR/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 dias", + "60 Days": "60 dias", + "90 Days": "90 dias", + ":amount Total": "Total :amount", + ":resource Details": ":resource detalhes", + ":resource Details: :title": ":resource detalhes: :title", + "Action": "Ação", + "Action Happened At": "Aconteceu Em", + "Action Initiated By": "Ação iniciada por", + "Action Name": "Nome da ação", + "Action Status": "Status da ação", + "Action Target": "Destino da ação", + "Actions": "Ações", + "Add row": "Adicionar linha", + "Afghanistan": "Afeganistão", + "Aland Islands": "Ilhas Åland", + "Albania": "Albânia", + "Algeria": "Argélia", + "All resources loaded.": "Todos os recursos carregados.", + "American Samoa": "Samoa Americana", + "An error occured while uploading the file.": "Um erro ocorreu ao subir o arquivo.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguila", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Outro usuário atualizou este recurso desde que esta página foi carregada. Por favor, refresque a página e tente novamente.", + "Antarctica": "Antártica", + "Antigua And Barbuda": "Antígua E Barbuda", + "April": "Abril", + "Are you sure you want to delete the selected resources?": "Você tem certeza que deseja apagar os recursos selecionados?", + "Are you sure you want to delete this file?": "Você tem certeza que deseja apagar este arquivo?", + "Are you sure you want to delete this resource?": "Você tem certeza que deseja apagar este recurso?", + "Are you sure you want to detach the selected resources?": "Você tem certeza que deseja liberar os recursos selecionados?", + "Are you sure you want to detach this resource?": "Você tem certeza que deseja liberar esse recurso?", + "Are you sure you want to force delete the selected resources?": "Vocẽ tem certeza que deseja forçar a exclusão dos recursos selecionados?", + "Are you sure you want to force delete this resource?": "Você tem certeza que deseja forçar a exclusão deste recurso?", + "Are you sure you want to restore the selected resources?": "Você tem certeza que deseja restaurar os recursos selecionados?", + "Are you sure you want to restore this resource?": "Você tem certeza que deseja restaurar esse recurso?", + "Are you sure you want to run this action?": "Você tem certeza que deseja executar essa ação?", + "Argentina": "Argentina", + "Armenia": "Arménia", + "Aruba": "Aruba", + "Attach": "Anexar", + "Attach & Attach Another": "Anexar & Anexar outro", + "Attach :resource": "Anexar :resource", + "August": "Agosto", + "Australia": "Austrália", + "Austria": "Áustria", + "Azerbaijan": "Azerbaijão", + "Bahamas": "Bahamas", + "Bahrain": "Barém", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Bielorrússia", + "Belgium": "Bélgica", + "Belize": "Belize", + "Benin": "Benim", + "Bermuda": "Bermuda", + "Bhutan": "Butão", + "Bolivia": "Bolívia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Santo Eustáquio e Saba", + "Bosnia And Herzegovina": "Bosnia e Herzegovina", + "Botswana": "Botsuana", + "Bouvet Island": "Ilha Bouvet", + "Brazil": "Brasil", + "British Indian Ocean Territory": "Território Britânico Do Oceano Índico", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgária", + "Burkina Faso": "Burquina Faso", + "Burundi": "Burundi", + "Cambodia": "Camboja", + "Cameroon": "Camarão", + "Canada": "Canada", + "Cancel": "Cancelar", + "Cape Verde": "Cabo Verde", + "Cayman Islands": "Ilhas Cayman", + "Central African Republic": "República da África Central", + "Chad": "Chade", + "Changes": "Alterações", + "Chile": "Chile", + "China": "China", + "Choose": "Escolha", + "Choose :field": "Escolha :field", + "Choose :resource": "Escolha :resource", + "Choose an option": "Escolha uma opção", + "Choose date": "Escolha uma data", + "Choose File": "Escolha o arquivo", + "Choose Type": "Escolha o tipo", + "Christmas Island": "Ilha Do Natal", + "Click to choose": "Clique para escolher", + "Cocos (Keeling) Islands": "Ilhas Cocos (Keeling) ", + "Colombia": "Colômbia", + "Comoros": "Comores", + "Confirm Password": "Confirmar senha", + "Congo": "Congo", + "Congo, Democratic Republic": "República Democrática do Congo", + "Constant": "Constante", + "Cook Islands": "Ilhas Cook", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "não foi possível encontrar.", + "Create": "Criar", + "Create & Add Another": "Criar e adicionar", + "Create :resource": "Criar :resource", + "Croatia": "Croácia", + "Cuba": "Cuba", + "Curaçao": "Curaçao", + "Customize": "Personalizar", + "Cyprus": "Chipre", + "Czech Republic": "República Checa", + "Dashboard": "Painel", + "December": "Dezembro", + "Decrease": "Diminuir", + "Delete": "Excluir", + "Delete File": "Apagar O Arquivo", + "Delete Resource": "Apagar O Recurso", + "Delete Selected": "Apagar Os Seleccionados", + "Denmark": "Dinamarca", + "Detach": "Desanexar", + "Detach Resource": "Separar O Recurso", + "Detach Selected": "Separar Os Seleccionados", + "Details": "Detalhes", + "Djibouti": "Jibuti", + "Do you really want to leave? You have unsaved changes.": "Quer mesmo ir embora? Você tem mudanças não salvas.", + "Dominica": "Dominica", + "Dominican Republic": "República Dominicana", + "Download": "Baixar", + "Ecuador": "Equador", + "Edit": "Editar", + "Edit :resource": "Editar :resource", + "Edit Attached": "Editar Anexado", + "Egypt": "Egipto", + "El Salvador": "El Salvador", + "Email Address": "E-Mail", + "Equatorial Guinea": "Equatorial", + "Eritrea": "Eritreia", + "Estonia": "Estónia", + "Ethiopia": "Etiópia", + "Falkland Islands (Malvinas)": "Ilhas Falkland (Malvinas)", + "Faroe Islands": "Ilhas Faroé", + "February": "Fevereiro", + "Fiji": "Fiji", + "Finland": "Finlandia", + "Force Delete": "Forçar A Apagar", + "Force Delete Resource": "Forçar A Apagar O Recurso", + "Force Delete Selected": "Obrigar A Apagar Os Seleccionados", + "Forgot Your Password?": "Esqueceu a Senha?", + "Forgot your password?": "Esqueceu a senha?", + "France": "França", + "French Guiana": "Guiana Francesa", + "French Polynesia": "Polinésia Francesa", + "French Southern Territories": "Territórios Austrais Franceses", + "Gabon": "Gabão", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Alemanha", + "Ghana": "Gana", + "Gibraltar": "Gibraltar", + "Go Home": "Ir para o início", + "Greece": "Grecia", + "Greenland": "Groenlândia", + "Grenada": "Granada", + "Guadeloupe": "Guadalupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guiné", + "Guinea-Bissau": "Guiné-Bissau", + "Guyana": "Guiana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Ilhas Heard e McDonald", + "Hide Content": "Esconder O Conteúdo", + "Hold Up!": "Espera!", + "Holy See (Vatican City State)": "Santa Sé", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungria", + "Iceland": "Islândia", + "ID": "ID", + "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.", + "Increase": "Aumentar", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic Of": "República Islâmica do Irã", + "Iraq": "Iraque", + "Ireland": "Irlanda", + "Isle Of Man": "Ilha de Man", + "Israel": "Israel", + "Italy": "Itália", + "Jamaica": "Jamaica", + "January": "Janeiro", + "Japan": "Japão", + "Jersey": "Jersey", + "Jordan": "Jordânia", + "July": "Julho", + "June": "Junho", + "Kazakhstan": "Cazaquistão", + "Kenya": "Quênia ", + "Key": "Chave", + "Kiribati": "Quiribati", + "Korea": "Coreia", + "Korea, Democratic People's Republic of": "República Popular Democrática da Coreia", + "Kosovo": "Kosovo", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Quirguizistão", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Letônia", + "Lebanon": "Líbano", + "Lens": "Lens", + "Lesotho": "Lesoto", + "Liberia": "Libéria", + "Libyan Arab Jamahiriya": "Jamahiriya Árabe da Líbia", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lituânia", + "Load :perPage More": "Carregar mais :perPage", + "Login": "Entrar", + "Logout": "Sair", + "Luxembourg": "Luxemburgo", + "Macao": "Macau", + "Macedonia": "Macedônia Do Norte", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malásia", + "Maldives": "Maldivas", + "Mali": "Mali", + "Malta": "Malta", + "March": "Março", + "Marshall Islands": "Ilhas Marshall", + "Martinique": "Mauritânia", + "Mauritania": "Mauritania", + "Mauritius": "Mauritania", + "May": "Maio", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States Of": "Estados Federados da Micronésia", + "Moldova": "Moldávia", + "Monaco": "Monaco", + "Mongolia": "Mongólia", + "Montenegro": "Montenegro", + "Month To Date": "Mês Até À Data", + "Montserrat": "Monserrate", + "Morocco": "Marrocos", + "Mozambique": "Moçambique", + "Myanmar": "Myanmar", + "Namibia": "Namíbia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Países Baixos", + "New": "Novo", + "New :resource": "Novo :resource", + "New Caledonia": "Nova Caledônia", + "New Zealand": "Nova Zelândia", + "Next": "Proximo", + "Nicaragua": "Nicarágua", + "Niger": "Níger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "Não", + "No :resource matched the given criteria.": "Nenhum :resource corresponde aos critérios indicados.", + "No additional information...": "Nenhuma informação adicional...", + "No Current Data": "Sem Dados Atuais", + "No Data": "Sem Dados", + "no file selected": "nenhum ficheiro seleccionado", + "No Increase": "Sem Aumento", + "No Prior Data": "Sem Dados Anteriores", + "No Results Found.": "Não Foram Encontrados Resultados.", + "Norfolk Island": "Ilha Norfolk", + "Northern Mariana Islands": "Ilhas Marianas do Norte", + "Norway": "Noruega", + "Nova User": "Utilizador Nova", + "November": "Novembro", + "October": "Outubro", + "of": "de", + "Oman": "Omã ", + "Only Trashed": "Apenas Destruído", + "Original": "Original", + "Pakistan": "Paquistãoo", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Territórios Palestinos", + "Panama": "Panama", + "Papua New Guinea": "Papua Nova Guiné", + "Paraguay": "Paraguai", + "Password": "Senha", + "Per Page": "Por Página", + "Peru": "Peru", + "Philippines": "Filipinas", + "Pitcairn": "Picárnia", + "Poland": "Polônia", + "Portugal": "Portugal", + "Press \/ to search": "Pressione \/ para pesquisar", + "Preview": "Visualizar", + "Previous": "Anterior", + "Puerto Rico": "Porto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Trimestre Até À Data", + "Reload": "Recarregar", + "Remember Me": "Lembre-se de mim", + "Reset Filters": "Repor Os Filtros", + "Reset Password": "Redefinir senha", + "Reset Password Notification": "Notificação de redefinição de senha", + "resource": "recursos", + "Resources": "Recursos", + "resources": "recursos", + "Restore": "Restaurar", + "Restore Resource": "Repor O Recurso", + "Restore Selected": "Repor Os Seleccionados", + "Reunion": "Reunião", + "Romania": "Romênia", + "Run Action": "Executar A Ação", + "Russian Federation": "Federação Russa", + "Rwanda": "Ruanda", + "Saint Barthelemy": "St. Barthélemy", + "Saint Helena": "Santa Helena", + "Saint Kitts And Nevis": "São Cristóvão e Nevis", + "Saint Lucia": "Santa Lúcia", + "Saint Martin": "Ilha de São Martinho", + "Saint Pierre And Miquelon": "São Pedro e Miquelon", + "Saint Vincent And Grenadines": "São Vicente e Granadinas", + "Samoa": "Samoa", + "San Marino": "São Marinho", + "Sao Tome And Principe": "São Tomé and Príncipe", + "Saudi Arabia": "Arábia Saudita", + "Search": "Pesquisar", + "Select Action": "Seleccionar A Ação", + "Select All": "Seleccionar Tudo", + "Select All Matching": "Seleccionar Todas As Correspondências", + "Send Password Reset Link": "Enviar link de redefinição de senha", + "Senegal": "Senegal", + "September": "Setembro", + "Serbia": "Sérvia", + "Seychelles": "Seicheles", + "Show All Fields": "Mostrar Todos Os Campos", + "Show Content": "Mostrar O Conteúdo", + "Sierra Leone": "Serra Leoa", + "Singapore": "Singapura", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Eslováquia", + "Slovenia": "Eslovênia", + "Solomon Islands": "Ilhas Salomão", + "Somalia": "Somália", + "Something went wrong.": "Algo correu mal.", + "Sorry! You are not authorized to perform this action.": "Desculpa! Não está autorizado a realizar esta ação.", + "Sorry, your session has expired.": "Desculpe, a sua sessão expirou.", + "South Africa": "África do Sul", + "South Georgia And Sandwich Isl.": "Ilhas Geórgia do Sul e Sandwich do Sul", + "South Sudan": "Sudão Do Sul", + "Spain": "Espanha", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Iniciar A Votaçao", + "Stop Polling": "Parar A Votaçao", + "Sudan": "Sudão", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard e Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Suécia", + "Switzerland": "Suíça", + "Syrian Arab Republic": "República Árabe Síria", + "Taiwan": "Taiwan", + "Tajikistan": "Tajiquistão", + "Tanzania": "Tanzânia", + "Thailand": "Tailândia", + "The :resource was created!": "O :resource foi criado!", + "The :resource was deleted!": "O :resource foi apagado!", + "The :resource was restored!": "O :resource foi restaurado!", + "The :resource was updated!": "O :resource foi atualizado!", + "The action ran successfully!": "A ação correu com sucesso!", + "The file was deleted!": "O ficheiro foi apagado!", + "The government won't let us show you what's behind these doors": "O governo não nos deixa mostrar-lhe o que está atrás destas portas.", + "The HasOne relationship has already been filled.": "A relação HasOne já foi preenchida.", + "The resource was updated!": "O recurso foi atualizado!", + "There are no available options for this resource.": "Não existem opções disponíveis para este recurso.", + "There was a problem executing the action.": "Houve um problema em executar a ação.", + "There was a problem submitting the form.": "Houve um problema ao enviar o formulário.", + "This file field is read-only.": "Este campo de ficheiros é apenas para leitura.", + "This image": "Esta Imagem", + "This resource no longer exists": "Este recurso já não existe", + "Timor-Leste": "Timor-Leste", + "Today": "Hoje", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "total": "total", + "Trashed": "Destruido", + "Trinidad And Tobago": "Trinidade e Tobago", + "Tunisia": "Tunísia", + "Turkey": "Turquia", + "Turkmenistan": "Turcomenistão", + "Turks And Caicos Islands": "Ilhas Turcas e Caicos", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ucrânia", + "United Arab Emirates": "Emirados Árabes Unidos", + "United Kingdom": "Reino Unido", + "United States": "Estados Unidos", + "United States Outlying Islands": "Ilhas Distantes dos Estados Unidos", + "Update": "Atualizar", + "Update & Continue Editing": "Atualizar E Continuar A Edição", + "Update :resource": "Atualizar :resource", + "Update :resource: :title": "Atualizar :resource: :title", + "Update attached :resource: :title": "Atualizar anexo :resource: :title", + "Uruguay": "Uruguai", + "Uzbekistan": "Usbequistão", + "Value": "Valor", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Visualizar", + "Virgin Islands, British": "Ilhas Virgens Britânicas", + "Virgin Islands, U.S.": "Ilhas Virgens Americanas", + "Wallis And Futuna": "Wallis e Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Estamos perdidos no espaço. A página que você estava tentando ver não existe.", + "Welcome Back!": "Bem-Vindo De Volta!", + "Western Sahara": "Sáara Ocidental", + "Whoops": "Ops", + "Whoops!": "Ops!", + "With Trashed": "Com Destruidos", + "Write": "Escrever", + "Year To Date": "Ano até a data", + "Yemen": "Iêmen", + "Yes": "Sim", + "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.", + "Zambia": "Zâmbia", + "Zimbabwe": "Zimbábue" +} diff --git a/locales/pt_BR/packages/spark-paddle.json b/locales/pt_BR/packages/spark-paddle.json new file mode 100644 index 00000000000..0c46e62b01b --- /dev/null +++ b/locales/pt_BR/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Termos de Serviço", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Ops! Alguma coisa deu errado.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/pt_BR/packages/spark-stripe.json b/locales/pt_BR/packages/spark-stripe.json new file mode 100644 index 00000000000..d35dfe04476 --- /dev/null +++ b/locales/pt_BR/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Endereço", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afeganistão", + "Albania": "Albânia", + "Algeria": "Argélia", + "American Samoa": "Samoa Americana", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguila", + "Antarctica": "Antártica", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Arménia", + "Aruba": "Aruba", + "Australia": "Austrália", + "Austria": "Áustria", + "Azerbaijan": "Azerbaijão", + "Bahamas": "Bahamas", + "Bahrain": "Barém", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Bielorrússia", + "Belgium": "Bélgica", + "Belize": "Belize", + "Benin": "Benim", + "Bermuda": "Bermuda", + "Bhutan": "Butão", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botsuana", + "Bouvet Island": "Ilha Bouvet", + "Brazil": "Brasil", + "British Indian Ocean Territory": "Território Britânico Do Oceano Índico", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgária", + "Burkina Faso": "Burquina Faso", + "Burundi": "Burundi", + "Cambodia": "Camboja", + "Cameroon": "Camarão", + "Canada": "Canada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Cabo Verde", + "Card": "Cartão", + "Cayman Islands": "Ilhas Cayman", + "Central African Republic": "República da África Central", + "Chad": "Chade", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Chile", + "China": "China", + "Christmas Island": "Ilha Do Natal", + "City": "Cidade", + "Cocos (Keeling) Islands": "Ilhas Cocos (Keeling) ", + "Colombia": "Colômbia", + "Comoros": "Comores", + "Confirm Payment": "Confirmar pagamento", + "Confirm your :amount payment": "Confirme seu pagamento de :amount", + "Congo": "Congo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Ilhas Cook", + "Costa Rica": "Costa Rica", + "Country": "País", + "Coupon": "Coupon", + "Croatia": "Croácia", + "Cuba": "Cuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Chipre", + "Czech Republic": "República Checa", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Dinamarca", + "Djibouti": "Jibuti", + "Dominica": "Dominica", + "Dominican Republic": "República Dominicana", + "Download Receipt": "Download Receipt", + "Ecuador": "Equador", + "Egypt": "Egipto", + "El Salvador": "El Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Equatorial", + "Eritrea": "Eritreia", + "Estonia": "Estónia", + "Ethiopia": "Etiópia", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "É necessária uma confirmação extra para processar o seu pagamento. Por favor, continue para a página de pagamento clicando no botão abaixo.", + "Falkland Islands (Malvinas)": "Ilhas Falkland (Malvinas)", + "Faroe Islands": "Ilhas Faroé", + "Fiji": "Fiji", + "Finland": "Finlandia", + "France": "França", + "French Guiana": "Guiana Francesa", + "French Polynesia": "Polinésia Francesa", + "French Southern Territories": "Territórios Austrais Franceses", + "Gabon": "Gabão", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Alemanha", + "Ghana": "Gana", + "Gibraltar": "Gibraltar", + "Greece": "Grecia", + "Greenland": "Groenlândia", + "Grenada": "Granada", + "Guadeloupe": "Guadalupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guiné", + "Guinea-Bissau": "Guiné-Bissau", + "Guyana": "Guiana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Santa Sé", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungria", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Islândia", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Iraque", + "Ireland": "Irlanda", + "Isle of Man": "Isle of Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Itália", + "Jamaica": "Jamaica", + "Japan": "Japão", + "Jersey": "Jersey", + "Jordan": "Jordânia", + "Kazakhstan": "Cazaquistão", + "Kenya": "Quênia ", + "Kiribati": "Quiribati", + "Korea, Democratic People's Republic of": "República Popular Democrática da Coreia", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Quirguizistão", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Letônia", + "Lebanon": "Líbano", + "Lesotho": "Lesoto", + "Liberia": "Libéria", + "Libyan Arab Jamahiriya": "Jamahiriya Árabe da Líbia", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lituânia", + "Luxembourg": "Luxemburgo", + "Macao": "Macau", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malásia", + "Maldives": "Maldivas", + "Mali": "Mali", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Ilhas Marshall", + "Martinique": "Mauritânia", + "Mauritania": "Mauritania", + "Mauritius": "Mauritania", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monaco", + "Mongolia": "Mongólia", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Monserrate", + "Morocco": "Marrocos", + "Mozambique": "Moçambique", + "Myanmar": "Myanmar", + "Namibia": "Namíbia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Países Baixos", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Nova Caledônia", + "New Zealand": "Nova Zelândia", + "Nicaragua": "Nicarágua", + "Niger": "Níger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Ilha Norfolk", + "Northern Mariana Islands": "Ilhas Marianas do Norte", + "Norway": "Noruega", + "Oman": "Omã ", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Paquistãoo", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Territórios Palestinos", + "Panama": "Panama", + "Papua New Guinea": "Papua Nova Guiné", + "Paraguay": "Paraguai", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Filipinas", + "Pitcairn": "Picárnia", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Polônia", + "Portugal": "Portugal", + "Puerto Rico": "Porto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Romênia", + "Russian Federation": "Federação Russa", + "Rwanda": "Ruanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Santa Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Santa Lúcia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "São Marinho", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Arábia Saudita", + "Save": "Salvar", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Sérvia", + "Seychelles": "Seicheles", + "Sierra Leone": "Serra Leoa", + "Signed in as": "Signed in as", + "Singapore": "Singapura", + "Slovakia": "Eslováquia", + "Slovenia": "Eslovênia", + "Solomon Islands": "Ilhas Salomão", + "Somalia": "Somália", + "South Africa": "África do Sul", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Espanha", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudão", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Suécia", + "Switzerland": "Suíça", + "Syrian Arab Republic": "República Árabe Síria", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tajiquistão", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Termos de Serviço", + "Thailand": "Tailândia", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunísia", + "Turkey": "Turquia", + "Turkmenistan": "Turcomenistão", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ucrânia", + "United Arab Emirates": "Emirados Árabes Unidos", + "United Kingdom": "Reino Unido", + "United States": "Estados Unidos", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Atualizar", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguai", + "Uzbekistan": "Usbequistão", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Ilhas Virgens Britânicas", + "Virgin Islands, U.S.": "Ilhas Virgens Americanas", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Sáara Ocidental", + "Whoops! Something went wrong.": "Ops! Alguma coisa deu errado.", + "Yearly": "Yearly", + "Yemen": "Iêmen", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zâmbia", + "Zimbabwe": "Zimbábue", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/pt_BR/pt_BR.json b/locales/pt_BR/pt_BR.json index dde00b4af5f..44f79623fdc 100644 --- a/locales/pt_BR/pt_BR.json +++ b/locales/pt_BR/pt_BR.json @@ -1,710 +1,48 @@ { - "30 Days": "30 dias", - "60 Days": "60 dias", - "90 Days": "90 dias", - ":amount Total": "Total :amount", - ":days day trial": ":days day trial", - ":resource Details": ":resource detalhes", - ":resource Details: :title": ":resource detalhes: :title", "A fresh verification link has been sent to your email address.": "Um novo link de verificação foi enviado para seu endereço de e-mail.", - "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 processo de cadastro.", - "Accept Invitation": "Aceitar convite", - "Action": "Ação", - "Action Happened At": "Aconteceu Em", - "Action Initiated By": "Ação iniciada por", - "Action Name": "Nome da ação", - "Action Status": "Status da ação", - "Action Target": "Destino da ação", - "Actions": "Ações", - "Add": "Adicionar", - "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 additional security to your account using two factor authentication.": "Adicione mais segurança à sua conta usando autenticação em dois fatores.", - "Add row": "Adicionar linha", - "Add Team Member": "Adicionar membro a equipe", - "Add VAT Number": "Add VAT Number", - "Added.": "Adicionado.", - "Address": "Endereço", - "Address Line 2": "Address Line 2", - "Administrator": "Administrador", - "Administrator users can perform any action.": "Usuários com privilégios de Administrador podem executar qualquer acão.", - "Afghanistan": "Afeganistão", - "Aland Islands": "Ilhas Åland", - "Albania": "Albânia", - "Algeria": "Argélia", - "All of the people that are part of this team.": "Todas pessoas que fazem parte dessa equipe.", - "All resources loaded.": "Todos os recursos carregados.", - "All rights reserved.": "Todos os direitos reservados.", - "Already registered?": "Já registrado?", - "American Samoa": "Samoa Americana", - "An error occured while uploading the file.": "Um erro ocorreu ao subir o arquivo.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Anguila", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Outro usuário atualizou este recurso desde que esta página foi carregada. Por favor, refresque a página e tente novamente.", - "Antarctica": "Antártica", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antígua E Barbuda", - "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.", - "April": "Abril", - "Are you sure you want to delete the selected resources?": "Você tem certeza que deseja apagar os recursos selecionados?", - "Are you sure you want to delete this file?": "Você tem certeza que deseja apagar este arquivo?", - "Are you sure you want to delete this resource?": "Você tem certeza que deseja apagar este recurso?", - "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 esta equipe? 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 want to detach the selected resources?": "Você tem certeza que deseja liberar os recursos selecionados?", - "Are you sure you want to detach this resource?": "Você tem certeza que deseja liberar esse recurso?", - "Are you sure you want to force delete the selected resources?": "Vocẽ tem certeza que deseja forçar a exclusão dos recursos selecionados?", - "Are you sure you want to force delete this resource?": "Você tem certeza que deseja forçar a exclusão deste recurso?", - "Are you sure you want to restore the selected resources?": "Você tem certeza que deseja restaurar os recursos selecionados?", - "Are you sure you want to restore this resource?": "Você tem certeza que deseja restaurar esse recurso?", - "Are you sure you want to run this action?": "Você tem certeza que deseja executar essa ação?", - "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 leave this team?": "Tem certeza de que deseja sair desta equipe?", - "Are you sure you would like to remove this person from the team?": "Tem certeza de que deseja remover esta pessoa da equipe?", - "Argentina": "Argentina", - "Armenia": "Arménia", - "Aruba": "Aruba", - "Attach": "Anexar", - "Attach & Attach Another": "Anexar & Anexar outro", - "Attach :resource": "Anexar :resource", - "August": "Agosto", - "Australia": "Austrália", - "Austria": "Áustria", - "Azerbaijan": "Azerbaijão", - "Bahamas": "Bahamas", - "Bahrain": "Barém", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Antes de prosseguir, verifique seu e-mail em busca de um link de verificação.", - "Belarus": "Bielorrússia", - "Belgium": "Bélgica", - "Belize": "Belize", - "Benin": "Benim", - "Bermuda": "Bermuda", - "Bhutan": "Butão", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolívia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Santo Eustáquio e Saba", - "Bosnia And Herzegovina": "Bosnia e Herzegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botsuana", - "Bouvet Island": "Ilha Bouvet", - "Brazil": "Brasil", - "British Indian Ocean Territory": "Território Britânico Do Oceano Índico", - "Browser Sessions": "Sessões do navegador", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgária", - "Burkina Faso": "Burquina Faso", - "Burundi": "Burundi", - "Cambodia": "Camboja", - "Cameroon": "Camarão", - "Canada": "Canada", - "Cancel": "Cancelar", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Cabo Verde", - "Card": "Cartão", - "Cayman Islands": "Ilhas Cayman", - "Central African Republic": "República da África Central", - "Chad": "Chade", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Alterações", - "Chile": "Chile", - "China": "China", - "Choose": "Escolha", - "Choose :field": "Escolha :field", - "Choose :resource": "Escolha :resource", - "Choose an option": "Escolha uma opção", - "Choose date": "Escolha uma data", - "Choose File": "Escolha o arquivo", - "Choose Type": "Escolha o tipo", - "Christmas Island": "Ilha Do Natal", - "City": "Cidade", "click here to request another": "clique aqui para solicitar outro", - "Click to choose": "Clique para escolher", - "Close": "Fechar", - "Cocos (Keeling) Islands": "Ilhas Cocos (Keeling) ", - "Code": "Código", - "Colombia": "Colômbia", - "Comoros": "Comores", - "Confirm": "Confirmar", - "Confirm Password": "Confirmar senha", - "Confirm Payment": "Confirmar pagamento", - "Confirm your :amount payment": "Confirme seu pagamento de :amount", - "Congo": "Congo", - "Congo, Democratic Republic": "República Democrática do Congo", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Constante", - "Cook Islands": "Ilhas Cook", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "não foi possível encontrar.", - "Country": "País", - "Coupon": "Coupon", - "Create": "Criar", - "Create & Add Another": "Criar e adicionar", - "Create :resource": "Criar :resource", - "Create a new team to collaborate with others on projects.": "Crie uma equipe para colaborar com outros em projetos.", - "Create Account": "Criar conta", - "Create API Token": "Criar Token da API", - "Create New Team": "Criar Novo Time", - "Create Team": "Criar Time", - "Created.": "Criado.", - "Croatia": "Croácia", - "Cuba": "Cuba", - "Curaçao": "Curaçao", - "Current Password": "Senha Atual", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Personalizar", - "Cyprus": "Chipre", - "Czech Republic": "República Checa", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Painel", - "December": "Dezembro", - "Decrease": "Diminuir", - "Delete": "Excluir", - "Delete Account": "Excluir Conta", - "Delete API Token": "Excluir Token da API", - "Delete File": "Apagar O Arquivo", - "Delete Resource": "Apagar O Recurso", - "Delete Selected": "Apagar Os Seleccionados", - "Delete Team": "Excluir Time", - "Denmark": "Dinamarca", - "Detach": "Desanexar", - "Detach Resource": "Separar O Recurso", - "Detach Selected": "Separar Os Seleccionados", - "Details": "Detalhes", - "Disable": "Desativar", - "Djibouti": "Jibuti", - "Do you really want to leave? You have unsaved changes.": "Quer mesmo ir embora? Você tem mudanças não salvas.", - "Dominica": "Dominica", - "Dominican Republic": "República Dominicana", - "Done.": "Feito.", - "Download": "Baixar", - "Download Receipt": "Download Receipt", "E-Mail Address": "Endereço de e-mail", - "Ecuador": "Equador", - "Edit": "Editar", - "Edit :resource": "Editar :resource", - "Edit Attached": "Editar Anexado", - "Editor": "Editor", - "Editor users have the ability to read, create, and update.": "Usuários com privilégios de Editor podem ler, criar e atualizar.", - "Egypt": "Egipto", - "El Salvador": "El Salvador", - "Email": "E-mail", - "Email Address": "E-Mail", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Link de redefinição de senha", - "Enable": "Ativar", - "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.", - "Equatorial Guinea": "Equatorial", - "Eritrea": "Eritreia", - "Estonia": "Estónia", - "Ethiopia": "Etiópia", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "É necessária uma confirmação extra para processar o seu pagamento. Por favor, confirme o seu pagamento preenchendo os seus dados de pagamento abaixo.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "É necessária uma confirmação extra para processar o seu pagamento. Por favor, continue para a página de pagamento clicando no botão abaixo.", - "Falkland Islands (Malvinas)": "Ilhas Falkland (Malvinas)", - "Faroe Islands": "Ilhas Faroé", - "February": "Fevereiro", - "Fiji": "Fiji", - "Finland": "Finlandia", - "For your security, please confirm your password to continue.": "Para sua segurança, por favor confirme a sua senha antes de prosseguir.", "Forbidden": "Proibido", - "Force Delete": "Forçar A Apagar", - "Force Delete Resource": "Forçar A Apagar O Recurso", - "Force Delete Selected": "Obrigar A Apagar Os Seleccionados", - "Forgot Your Password?": "Esqueceu a Senha?", - "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.", - "France": "França", - "French Guiana": "Guiana Francesa", - "French Polynesia": "Polinésia Francesa", - "French Southern Territories": "Territórios Austrais Franceses", - "Full name": "Nome", - "Gabon": "Gabão", - "Gambia": "Gambia", - "Georgia": "Georgia", - "Germany": "Alemanha", - "Ghana": "Gana", - "Gibraltar": "Gibraltar", - "Go back": "Voltar", - "Go Home": "Ir para o início", "Go to page :page": "Ir para página :page", - "Great! You have accepted the invitation to join the :team team.": "Muito bom! Aceitou o convite para se juntar à equipa :team.", - "Greece": "Grecia", - "Greenland": "Groenlândia", - "Grenada": "Granada", - "Guadeloupe": "Guadalupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guiné", - "Guinea-Bissau": "Guiné-Bissau", - "Guyana": "Guiana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Ilhas Heard e McDonald", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Olá!", - "Hide Content": "Esconder O Conteúdo", - "Hold Up!": "Espera!", - "Holy See (Vatican City State)": "Santa Sé", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Hungria", - "I agree to the :terms_of_service and :privacy_policy": "Concordo com os :terms_of_service e com as :privacy_policy", - "Iceland": "Islândia", - "ID": "ID", - "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 necessary, you may logout 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 suas outras sessões de navegador em todos os seus dispositivos. Se você desconfiar que sua conta foi comprometida, você deve também atualizar a sua senha.", - "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 esta equipe, você pode descartar este e-mail.", "If you did not receive the email": "Se você não recebeu o 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 da equipe:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "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:", - "Increase": "Aumentar", - "India": "India", - "Indonesia": "Indonesia", "Invalid signature.": "Assinatura inválida.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "República Islâmica do Irã", - "Iraq": "Iraque", - "Ireland": "Irlanda", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Ilha de Man", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Itália", - "Jamaica": "Jamaica", - "January": "Janeiro", - "Japan": "Japão", - "Jersey": "Jersey", - "Jordan": "Jordânia", - "July": "Julho", - "June": "Junho", - "Kazakhstan": "Cazaquistão", - "Kenya": "Quênia ", - "Key": "Chave", - "Kiribati": "Quiribati", - "Korea": "Coreia", - "Korea, Democratic People's Republic of": "República Popular Democrática da Coreia", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuwait", - "Kyrgyzstan": "Quirguizistão", - "Lao People's Democratic Republic": "Laos", - "Last active": "Última atividade", - "Last used": "Usado por último", - "Latvia": "Letônia", - "Leave": "Sair", - "Leave Team": "Sair do Time", - "Lebanon": "Líbano", - "Lens": "Lens", - "Lesotho": "Lesoto", - "Liberia": "Libéria", - "Libyan Arab Jamahiriya": "Jamahiriya Árabe da Líbia", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Lituânia", - "Load :perPage More": "Carregar mais :perPage", - "Log in": "Entrar", "Log out": "Sair", - "Log Out": "Sair", - "Log Out Other Browser Sessions": "Desligar Outras Sessões Do Navegador", - "Login": "Entrar", - "Logout": "Sair", "Logout Other Browser Sessions": "Desconectar outras sessões de navegador", - "Luxembourg": "Luxemburgo", - "Macao": "Macau", - "Macedonia": "Macedônia Do Norte", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagascar", - "Malawi": "Malawi", - "Malaysia": "Malásia", - "Maldives": "Maldivas", - "Mali": "Mali", - "Malta": "Malta", - "Manage Account": "Gerenciar Conta", - "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 and logout your active sessions on other browsers and devices.": "Gerenciar e sair de suas sessões ativas em outros navegadores e dispositivos.", - "Manage API Tokens": "Gerenciar Tokens de API", - "Manage Role": "Gerenciar Papel", - "Manage Team": "Gerenciar Time", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Março", - "Marshall Islands": "Ilhas Marshall", - "Martinique": "Mauritânia", - "Mauritania": "Mauritania", - "Mauritius": "Mauritania", - "May": "Maio", - "Mayotte": "Mayotte", - "Mexico": "Mexico", - "Micronesia, Federated States Of": "Estados Federados da Micronésia", - "Moldova": "Moldávia", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monaco", - "Mongolia": "Mongólia", - "Montenegro": "Montenegro", - "Month To Date": "Mês Até À Data", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Monserrate", - "Morocco": "Marrocos", - "Mozambique": "Moçambique", - "Myanmar": "Myanmar", - "Name": "Nome", - "Namibia": "Namíbia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Países Baixos", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Deixa pra lá", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Novo", - "New :resource": "Novo :resource", - "New Caledonia": "Nova Caledônia", - "New Password": "Nova Senha", - "New Zealand": "Nova Zelândia", - "Next": "Proximo", - "Nicaragua": "Nicarágua", - "Niger": "Níger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "Não", - "No :resource matched the given criteria.": "Nenhum :resource corresponde aos critérios indicados.", - "No additional information...": "Nenhuma informação adicional...", - "No Current Data": "Sem Dados Atuais", - "No Data": "Sem Dados", - "no file selected": "nenhum ficheiro seleccionado", - "No Increase": "Sem Aumento", - "No Prior Data": "Sem Dados Anteriores", - "No Results Found.": "Não Foram Encontrados Resultados.", - "Norfolk Island": "Ilha Norfolk", - "Northern Mariana Islands": "Ilhas Marianas do Norte", - "Norway": "Noruega", "Not Found": "Não Encontrado", - "Nova User": "Utilizador Nova", - "November": "Novembro", - "October": "Outubro", - "of": "de", "Oh no": "Ah não", - "Oman": "Omã ", - "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 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 Trashed": "Apenas Destruído", - "Original": "Original", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Página expirou", "Pagination Navigation": "Navegação da Paginação", - "Pakistan": "Paquistãoo", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Territórios Palestinos", - "Panama": "Panama", - "Papua New Guinea": "Papua Nova Guiné", - "Paraguay": "Paraguai", - "Password": "Senha", - "Pay :amount": "Pagamento :amount", - "Payment Cancelled": "Pagamento Cancelado", - "Payment Confirmation": "Confirmação Do Pagamento", - "Payment Information": "Payment Information", - "Payment Successful": "Pagamento Bem Sucedido", - "Pending Team Invitations": "Convites De Equipa Pendentes", - "Per Page": "Por Página", - "Permanently delete this team.": "Excluir este time permanentemente.", - "Permanently delete your account.": "Excluir esta conta permanentemente.", - "Permissions": "Permissões", - "Peru": "Peru", - "Philippines": "Filipinas", - "Photo": "Foto", - "Pitcairn": "Picárnia", "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 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 your password before continuing.": "Por favor, confirme sua senha antes de continuar.", - "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 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 enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Por favor informe a sua senha para confirmar que você realmente deseja sair de todas sessões de outros navegadores em todos seus dispositivos.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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 esta equipe.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Por favor informe o e-mail da pessoa que você deseja adicionar a este time. Esse e-mail deve estar associado a uma conta existente.", - "Please provide your name.": "Por favor, forneça o seu nome.", - "Poland": "Polônia", - "Portugal": "Portugal", - "Press \/ to search": "Pressione \/ para pesquisar", - "Preview": "Visualizar", - "Previous": "Anterior", - "Privacy Policy": "Política de Privacidade", - "Profile": "Perfil", - "Profile Information": "Informações do Perfil", - "Puerto Rico": "Porto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Trimestre Até À Data", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Código de Recuperação", "Regards": "Atenciosamente", - "Regenerate Recovery Codes": "Gerar novamente os Códigos de Recuperação", - "Register": "Registrar", - "Reload": "Recarregar", - "Remember me": "Lembre-se de mim", - "Remember Me": "Lembre-se de mim", - "Remove": "Remover", - "Remove Photo": "Remover Foto", - "Remove Team Member": "Remover Membro do Time", - "Resend Verification Email": "Enviar novamente o e-mail de verificação", - "Reset Filters": "Repor Os Filtros", - "Reset Password": "Redefinir senha", - "Reset Password Notification": "Notificação de redefinição de senha", - "resource": "recursos", - "Resources": "Recursos", - "resources": "recursos", - "Restore": "Restaurar", - "Restore Resource": "Repor O Recurso", - "Restore Selected": "Repor Os Seleccionados", "results": "resultados", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Reunião", - "Role": "Papel", - "Romania": "Romênia", - "Run Action": "Executar A Ação", - "Russian Federation": "Federação Russa", - "Rwanda": "Ruanda", - "Réunion": "Réunion", - "Saint Barthelemy": "St. Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Santa Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "São Cristóvão e Nevis", - "Saint Lucia": "Santa Lúcia", - "Saint Martin": "Ilha de São Martinho", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "São Pedro e Miquelon", - "Saint Vincent And Grenadines": "São Vicente e Granadinas", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "São Marinho", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "São Tomé and Príncipe", - "Saudi Arabia": "Arábia Saudita", - "Save": "Salvar", - "Saved.": "Salvo.", - "Search": "Pesquisar", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Selecione uma nova foto", - "Select Action": "Seleccionar A Ação", - "Select All": "Seleccionar Tudo", - "Select All Matching": "Seleccionar Todas As Correspondências", - "Send Password Reset Link": "Enviar link de redefinição de senha", - "Senegal": "Senegal", - "September": "Setembro", - "Serbia": "Sérvia", "Server Error": "Erro do servidor", "Service Unavailable": "Serviço indisponível", - "Seychelles": "Seicheles", - "Show All Fields": "Mostrar Todos Os Campos", - "Show Content": "Mostrar O Conteúdo", - "Show Recovery Codes": "Mostrar Códigos de Recuperação", "Showing": "Mostrando", - "Sierra Leone": "Serra Leoa", - "Signed in as": "Signed in as", - "Singapore": "Singapura", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Eslováquia", - "Slovenia": "Eslovênia", - "Solomon Islands": "Ilhas Salomão", - "Somalia": "Somália", - "Something went wrong.": "Algo correu mal.", - "Sorry! You are not authorized to perform this action.": "Desculpa! Não está autorizado a realizar esta ação.", - "Sorry, your session has expired.": "Desculpe, a sua sessão expirou.", - "South Africa": "África do Sul", - "South Georgia And Sandwich Isl.": "Ilhas Geórgia do Sul e Sandwich do Sul", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Sudão Do Sul", - "Spain": "Espanha", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Iniciar A Votaçao", - "State \/ County": "State \/ County", - "Stop Polling": "Parar A Votaçao", - "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.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudão", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard e Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Suécia", - "Switch Teams": "Mudar de Equipa", - "Switzerland": "Suíça", - "Syrian Arab Republic": "República Árabe Síria", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tajiquistão", - "Tanzania": "Tanzânia", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Detalhes do Time", - "Team Invitation": "Convite De Equipa", - "Team Members": "Membros do Time", - "Team Name": "Nome do Time", - "Team Owner": "Dono do Time", - "Team Settings": "Configurações do Time", - "Terms of Service": "Termos de Serviço", - "Thailand": "Tailândia", - "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 registar! Antes de começar, confirme o seu endereço de e-mail clicando no link presente no e-mail que acabamos de te enviar? Caso não tenha recebido o email, teremos o maior prazer em reenviar-lhe outro.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute deve ser um papel válido.", - "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 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 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 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 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.": "O campo :attribute deve possuir no mínimo :length caracteres.", "The :attribute must contain at least one letter.": "O campo :attribute deve conter pelo menos uma letra", "The :attribute must contain at least one number.": "O campo :attribute deve conter pelo menos um número.", "The :attribute must contain at least one symbol.": "O campo :attribute deve conter pelo menos um símbolo.", "The :attribute must contain at least one uppercase and one lowercase letter.": "O campo :attribute deve conter pelo menos uma letra maiúscula e uma minúscula.", - "The :resource was created!": "O :resource foi criado!", - "The :resource was deleted!": "O :resource foi apagado!", - "The :resource was restored!": "O :resource foi restaurado!", - "The :resource was updated!": "O :resource foi atualizado!", - "The action ran successfully!": "A ação correu com sucesso!", - "The file was deleted!": "O ficheiro foi apagado!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "O :attribute informado apareceu em um vazamento de dados. Por favor escolha uma :attribute diferente.", - "The government won't let us show you what's behind these doors": "O governo não nos deixa mostrar-lhe o que está atrás destas portas.", - "The HasOne relationship has already been filled.": "A relação HasOne já foi preenchida.", - "The payment was successful.": "O pagamento foi bem sucedido.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "O recurso foi atualizado!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Nome do time e informações do dono.", - "There are no available options for this resource.": "Não existem opções disponíveis para este recurso.", - "There was a problem executing the action.": "Houve um problema em executar a ação.", - "There was a problem submitting the form.": "Houve um problema ao enviar o formulário.", - "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.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Esta ação não é autorizada.", - "This device": "Este dispositivo", - "This file field is read-only.": "Este campo de ficheiros é apenas para leitura.", - "This image": "Esta Imagem", - "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 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 payment was already successfully confirmed.": "Este pagamento já foi confirmado com sucesso.", - "This payment was cancelled.": "Este pagamento foi cancelado.", - "This resource no longer exists": "Este recurso já não existe", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "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 a equipe.", - "Timor-Leste": "Timor-Leste", "to": "até", - "Today": "Hoje", "Toggle navigation": "Alternar navegação", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Nome do Token", - "Tonga": "Tonga", "Too Many Attempts.": "Muitas tentativas.", "Too Many Requests": "Muitas solicitações", - "total": "total", - "Total:": "Total:", - "Trashed": "Destruido", - "Trinidad And Tobago": "Trinidade e Tobago", - "Tunisia": "Tunísia", - "Turkey": "Turquia", - "Turkmenistan": "Turcomenistão", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Ilhas Turcas e Caicos", - "Tuvalu": "Tuvalu", - "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.": "A autenticação em dois fatores está ativa agora. Escaneie o código QR a seguir com o aplicativo do autenticador em seu telefone.", - "Uganda": "Uganda", - "Ukraine": "Ucrânia", "Unauthorized": "Não autorizado", - "United Arab Emirates": "Emirados Árabes Unidos", - "United Kingdom": "Reino Unido", - "United States": "Estados Unidos", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "Ilhas Distantes dos Estados Unidos", - "Update": "Atualizar", - "Update & Continue Editing": "Atualizar E Continuar A Edição", - "Update :resource": "Atualizar :resource", - "Update :resource: :title": "Atualizar :resource: :title", - "Update attached :resource: :title": "Atualizar anexo :resource: :title", - "Update Password": "Atualizar senha", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Atualize as informações do seu perfil e endereço de e-mail.", - "Uruguay": "Uruguai", - "Use a recovery code": "Use um código de recuperação", - "Use an authentication code": "Use um código de autenticação", - "Uzbekistan": "Usbequistão", - "Value": "Valor", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Verifique o endereço de e-mail", "Verify Your Email Address": "Verifique seu endereço de e-mail", - "Viet Nam": "Vietnam", - "View": "Visualizar", - "Virgin Islands, British": "Ilhas Virgens Britânicas", - "Virgin Islands, U.S.": "Ilhas Virgens Americanas", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis e Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "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 will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Não solicitaremos sua senha novamente por algumas horas.", - "We're lost in space. The page you were trying to view does not exist.": "Estamos perdidos no espaço. A página que você estava tentando ver não existe.", - "Welcome Back!": "Bem-Vindo De Volta!", - "Western Sahara": "Sáara Ocidental", - "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.", - "Whoops": "Ops", - "Whoops!": "Ops!", - "Whoops! Something went wrong.": "Ops! Alguma coisa deu errado.", - "With Trashed": "Com Destruidos", - "Write": "Escrever", - "Year To Date": "Ano até a data", - "Yearly": "Yearly", - "Yemen": "Iêmen", - "Yes": "Sim", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Você já está logado!", - "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 have been invited to join the :team team!": "Foi convidado para se juntar à equipa :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 may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Seu endereço de e-mail não está verificado.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zâmbia", - "Zimbabwe": "Zimbábue", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Seu endereço de e-mail não está verificado." } diff --git a/locales/ro/packages/cashier.json b/locales/ro/packages/cashier.json new file mode 100644 index 00000000000..ee0e0675666 --- /dev/null +++ b/locales/ro/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Toate drepturile rezervate.", + "Card": "Carte", + "Confirm Payment": "Confirmă Plata", + "Confirm your :amount payment": "Confirmați plata :amount", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Confirmare suplimentară este necesară pentru a procesa plata. Vă rugăm să confirmați plata completând detaliile de plată de mai jos.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Confirmare suplimentară este necesară pentru a procesa plata. Vă rugăm să continuați la pagina de plată făcând clic pe butonul de mai jos.", + "Full name": "Nume complet", + "Go back": "Du-te înapoi", + "Jane Doe": "Jane Doe", + "Pay :amount": "Plăti :amount", + "Payment Cancelled": "Plata Anulată", + "Payment Confirmation": "Confirmarea Plății", + "Payment Successful": "Plata Cu Succes", + "Please provide your name.": "Vă rugăm să furnizați numele dumneavoastră.", + "The payment was successful.": "Plata a avut succes.", + "This payment was already successfully confirmed.": "Această plată a fost deja confirmată cu succes.", + "This payment was cancelled.": "Această plată a fost anulată." +} diff --git a/locales/ro/packages/fortify.json b/locales/ro/packages/fortify.json new file mode 100644 index 00000000000..970facf7812 --- /dev/null +++ b/locales/ro/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 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 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 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 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.": ":attribute trebuie să aibă cel puțin :length de caractere.", + "The provided password does not match your current password.": "Parola furnizată nu se potrivește cu parola curentă.", + "The provided password was incorrect.": "Parola furnizată a fost incorectă.", + "The provided two factor authentication code was invalid.": "Codul de autentificare cu doi factori furnizat a fost nevalid." +} diff --git a/locales/ro/packages/jetstream.json b/locales/ro/packages/jetstream.json new file mode 100644 index 00000000000..6c6adc5cfa5 --- /dev/null +++ b/locales/ro/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "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.", + "Accept Invitation": "Acceptați Invitația", + "Add": "Adaugă", + "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 additional security to your account using two factor authentication.": "Adăugați securitate suplimentară în contul dvs. utilizând autentificarea cu doi factori.", + "Add Team Member": "Adaugă Membru Al Echipei", + "Added.": "Adăugat.", + "Administrator": "Administrator", + "Administrator users can perform any action.": "Utilizatorii de Administrator pot efectua orice acțiune.", + "All of the people that are part of this team.": "Toți oamenii care fac parte din această echipă.", + "Already registered?": "Ești deja înregistrat?", + "API Token": "Simbolul API", + "API Token Permissions": "Permisiuni API Token", + "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.", + "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 delete this API token?": "Sunteți sigur că doriți să ștergeți acest token API?", + "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ă?", + "Browser Sessions": "Sesiuni De Browser", + "Cancel": "Anulează", + "Close": "Închide", + "Code": "Cod", + "Confirm": "Confirmă", + "Confirm Password": "Confirmare parolă", + "Create": "Creează", + "Create a new team to collaborate with others on projects.": "Creați o nouă echipă pentru a colabora cu alte persoane la proiecte.", + "Create Account": "Creează Cont", + "Create API Token": "Creați API Token", + "Create New Team": "Creați O Echipă Nouă", + "Create Team": "Creează Echipă", + "Created.": "Creat.", + "Current Password": "Parola Curentă", + "Dashboard": "Tablou de bord", + "Delete": "Șterge", + "Delete Account": "Șterge Contul", + "Delete API Token": "Șterge simbolul API", + "Delete Team": "Șterge Echipa", + "Disable": "Dezactivează", + "Done.": "S-a făcut.", + "Editor": "Editor", + "Editor users have the ability to read, create, and update.": "Utilizatorii editorului au capacitatea de a citi, crea și actualiza.", + "Email": "E-mail", + "Email Password Reset Link": "Link De Resetare A Parolei De E-Mail", + "Enable": "Activează", + "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ță.", + "For your security, please confirm your password to continue.": "Pentru securitatea dvs., vă rugăm să confirmați parola pentru a continua.", + "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? 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ă.", + "Great! You have accepted the invitation to join the :team team.": "Grozav! Ați acceptat invitația de a vă alătura echipei :team.", + "I agree to the :terms_of_service and :privacy_policy": "Sunt de acord cu :terms_of_service și :privacy_policy", + "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 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 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 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:", + "Last active": "Ultimul activ", + "Last used": "Ultima utilizare", + "Leave": "Lasă", + "Leave Team": "Părăsește Echipa", + "Log in": "Autentificare", + "Log Out": "Deconectează", + "Log Out Other Browser Sessions": "Deconectați Alte Sesiuni De Browser", + "Manage Account": "Gestionați Contul", + "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 Role": "Gestionați Rolul", + "Manage Team": "Gestionați Echipa", + "Name": "Nume", + "New Password": "Parolă Nouă", + "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 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.", + "Password": "Parolă", + "Pending Team Invitations": "Invitații De Echipă În Așteptare", + "Permanently delete this team.": "Ștergeți definitiv această echipă.", + "Permanently delete your account.": "Ștergeți definitiv contul.", + "Permissions": "Permisiuni", + "Photo": "Fotografie", + "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 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 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 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ă.", + "Privacy Policy": "Politica De Confidențialitate", + "Profile": "Profil", + "Profile Information": "Informații Despre Profil", + "Recovery Code": "Codul De Recuperare", + "Regenerate Recovery Codes": "Regenerați Codurile De Recuperare", + "Register": "Înregistrare", + "Remember me": "Amintește-ți de mine", + "Remove": "Elimină", + "Remove Photo": "Elimină Fotografia", + "Remove Team Member": "Elimină Membrul Echipei", + "Resend Verification Email": "Retrimiteți E-Mailul De Verificare", + "Reset Password": "Resetare parolă", + "Role": "Rol", + "Save": "Salvează", + "Saved.": "Salvat.", + "Select A New Photo": "Selectați O Fotografie Nouă", + "Show Recovery Codes": "Arată Codurile De Recuperare", + "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.", + "Switch Teams": "Schimbă Echipele", + "Team Details": "Detalii Echipa", + "Team Invitation": "Invitație La Echipă", + "Team Members": "Membrii Echipei", + "Team Name": "Numele Echipei", + "Team Owner": "Proprietarul Echipei", + "Team Settings": "Setări Echipă", + "Terms of Service": "Termenii serviciului", + "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, puteți verifica adresa dvs. 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 a valid role.": ":attribute trebuie să fie un rol valabil.", + "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 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 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 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 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.": ":attribute trebuie să aibă cel puțin :length de caractere.", + "The provided password does not match your current password.": "Parola furnizată nu se potrivește cu parola curentă.", + "The provided password was incorrect.": "Parola furnizată a fost incorectă.", + "The provided two factor authentication code was invalid.": "Codul de autentificare cu doi factori furnizat a fost nevalid.", + "The team's name and owner information.": "Numele echipei și informații despre proprietar.", + "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.", + "This device": "Acest dispozitiv", + "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 password does not match our records.": "Această parolă nu se potrivește cu înregistrările noastre.", + "This user already belongs to the team.": "Acest utilizator aparține deja echipei.", + "This user has already been invited to the team.": "Acest utilizator a fost deja invitat în echipă.", + "Token Name": "Nume Token", + "Two Factor Authentication": "Autentificare Cu Doi Factori", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Autentificarea cu doi factori este acum activată. Scanați următorul cod QR utilizând aplicația de autentificare a telefonului.", + "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.", + "Use a recovery code": "Utilizați un cod de recuperare", + "Use an authentication code": "Utilizarea unui cod de autentificare", + "We were unable to find a registered user with this email address.": "Nu am putut găsi un utilizator înregistrat cu această adresă de e-mail.", + "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.", + "Whoops! Something went wrong.": "Hopa! Ceva a mers prost.", + "You have been invited to join the :team team!": "Ați fost invitat să vă alăturați echipei :team!", + "You have enabled two factor authentication.": "Ați activat autentificarea cu doi factori.", + "You have not enabled two factor authentication.": "Nu ați activat autentificarea cu doi factori.", + "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.": "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 o echipă pe care ați creat-o." +} diff --git a/locales/ro/packages/nova.json b/locales/ro/packages/nova.json new file mode 100644 index 00000000000..cb2c69b944a --- /dev/null +++ b/locales/ro/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 de zile", + "60 Days": "60 de zile", + "90 Days": "90 de zile", + ":amount Total": ":amount Total", + ":resource Details": ":resource detalii", + ":resource Details: :title": ":resource detalii: :title", + "Action": "Acțiune", + "Action Happened At": "Sa Întâmplat La", + "Action Initiated By": "Inițiat De", + "Action Name": "Denumire", + "Action Status": "Stare", + "Action Target": "Țintă", + "Actions": "Acțiuni", + "Add row": "Adaugă rând", + "Afghanistan": "Afganistan", + "Aland Islands": "Insulele Åland", + "Albania": "Albania", + "Algeria": "Algeria", + "All resources loaded.": "Toate resursele încărcate.", + "American Samoa": "Samoa Americană", + "An error occured while uploading the file.": "A apărut o eroare la încărcarea fișierului.", + "Andorra": "Andorrană", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Un alt utilizator a actualizat această resursă de când a fost încărcată această pagină. Reîmprospătați pagina și încercați din nou.", + "Antarctica": "Antarctica", + "Antigua And Barbuda": "Antigua și Barbuda", + "April": "Aprilie", + "Are you sure you want to delete the selected resources?": "Sunteți sigur că doriți să ștergeți resursele selectate?", + "Are you sure you want to delete this file?": "Sunteți sigur că doriți să ștergeți acest fișier?", + "Are you sure you want to delete this resource?": "Sunteți sigur că doriți să ștergeți această resursă?", + "Are you sure you want to detach the selected resources?": "Sunteți sigur că doriți să detașați resursele selectate?", + "Are you sure you want to detach this resource?": "Sunteți sigur că doriți să detașați această resursă?", + "Are you sure you want to force delete the selected resources?": "Sunteți sigur că doriți să forțați ștergerea resurselor selectate?", + "Are you sure you want to force delete this resource?": "Sunteți sigur că doriți să forțați ștergerea acestei resurse?", + "Are you sure you want to restore the selected resources?": "Sunteți sigur că doriți să restaurați resursele selectate?", + "Are you sure you want to restore this resource?": "Sunteți sigur că doriți să restaurați această resursă?", + "Are you sure you want to run this action?": "Sunteți sigur că doriți să rulați această acțiune?", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Attach": "Atașează", + "Attach & Attach Another": "Atașează & Atașează Altul", + "Attach :resource": "Atașează :resource", + "August": "August", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaidjan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgia", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius și Sábado", + "Bosnia And Herzegovina": "Bosnia și Herțegovina", + "Botswana": "Botswana", + "Bouvet Island": "Insula Bouvet", + "Brazil": "Brazilia", + "British Indian Ocean Territory": "Teritoriul Britanic Din Oceanul Indian", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodgia", + "Cameroon": "Camerun", + "Canada": "Canada", + "Cancel": "Anulează", + "Cape Verde": "Capul Verde", + "Cayman Islands": "Insulele Cayman", + "Central African Republic": "Republica Centrafricană", + "Chad": "Ciad", + "Changes": "Modificări", + "Chile": "Chile", + "China": "China", + "Choose": "Alege", + "Choose :field": "Alege :field", + "Choose :resource": "Alege :resource", + "Choose an option": "Alegeți o opțiune", + "Choose date": "Alege data", + "Choose File": "Alege Fișier", + "Choose Type": "Alegeți Tipul", + "Christmas Island": "Insula Crăciunului", + "Click to choose": "Faceți clic pentru a alege", + "Cocos (Keeling) Islands": "Insulele Cocos", + "Colombia": "Columbia", + "Comoros": "Comore", + "Confirm Password": "Confirmare parolă", + "Congo": "Congo", + "Congo, Democratic Republic": "Congo, Republica Democratică", + "Constant": "Constantă", + "Cook Islands": "Insulele Cook", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "nu a putut fi găsit.", + "Create": "Creează", + "Create & Add Another": "Creează Și Adaugă Altul", + "Create :resource": "Creează :resource", + "Croatia": "Croația", + "Cuba": "Cuba", + "Curaçao": "Curacao", + "Customize": "Personalizează", + "Cyprus": "Cipru", + "Czech Republic": "Cehia", + "Dashboard": "Tablou de bord", + "December": "Decembrie", + "Decrease": "Scădere", + "Delete": "Șterge", + "Delete File": "Șterge Fișierul", + "Delete Resource": "Șterge Resursa", + "Delete Selected": "Șterge Selectat", + "Denmark": "Danemarca", + "Detach": "Detașează", + "Detach Resource": "Detașează Resursa", + "Detach Selected": "Detașează Selectat", + "Details": "Detalii", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Chiar vrei să pleci? Ai schimbări nesalvate.", + "Dominica": "Duminică", + "Dominican Republic": "Republica Dominicană", + "Download": "Descarcă", + "Ecuador": "Ecuador", + "Edit": "Editare", + "Edit :resource": "Editare :resource", + "Edit Attached": "Editare Atașat", + "Egypt": "Egipt", + "El Salvador": "Salvador", + "Email Address": "Adresa De E-Mail", + "Equatorial Guinea": "Guineea Ecuatorială", + "Eritrea": "Eritreea", + "Estonia": "Estonia", + "Ethiopia": "Etiopia", + "Falkland Islands (Malvinas)": "Insulele Falkland (Malvinas)", + "Faroe Islands": "Insulele Feroe", + "February": "Februarie", + "Fiji": "Fiji", + "Finland": "Finlanda", + "Force Delete": "Forțează Ștergerea", + "Force Delete Resource": "Forțează Ștergerea Resursei", + "Force Delete Selected": "Forțează Ștergerea Selectată", + "Forgot Your Password?": "Ați uitat parola?", + "Forgot your password?": "Ați uitat parola?", + "France": "Franța", + "French Guiana": "Guyana Franceză", + "French Polynesia": "Polinezia Franceză", + "French Southern Territories": "Teritoriile Sudice Franceze", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Germania", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "Acasă", + "Greece": "Grecia", + "Greenland": "Groenlanda", + "Grenada": "Grenada", + "Guadeloupe": "Guadelupa", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guineea", + "Guinea-Bissau": "Guineea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Insula Heard și Insulele McDonald", + "Hide Content": "Ascunde Conținutul", + "Hold Up!": "Stai Așa!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Ungaria", + "Iceland": "Islanda", + "ID": "ID", + "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.", + "Increase": "Creștere", + "India": "India", + "Indonesia": "Indonezia", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Irak", + "Ireland": "Irlanda", + "Isle Of Man": "Insula Man", + "Israel": "Israel", + "Italy": "Italia", + "Jamaica": "Jamaica", + "January": "Ianuarie", + "Japan": "Japonia", + "Jersey": "Tricou", + "Jordan": "Iordania", + "July": "Iulie", + "June": "Iunie", + "Kazakhstan": "Kazahstan", + "Kenya": "Kenya", + "Key": "Cheie", + "Kiribati": "Kiribati", + "Korea": "Coreea De Sud", + "Korea, Democratic People's Republic of": "Coreea De Nord", + "Kosovo": "Kosovo", + "Kuwait": "Kuweit", + "Kyrgyzstan": "Kârgâzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Letonia", + "Lebanon": "Liban", + "Lens": "Obiectiv", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libia", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lituania", + "Load :perPage More": "Încărcați :perPage mai mult", + "Login": "Autentificare", + "Logout": "Deautentificare", + "Luxembourg": "Luxemburg", + "Macao": "Macao", + "Macedonia": "Macedonia De Nord", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaezia", + "Maldives": "Maldive", + "Mali": "Mici", + "Malta": "Malta", + "March": "Martie", + "Marshall Islands": "Insulele Marshall", + "Martinique": "Martinica", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "May": "Mai", + "Mayotte": "Mayotte", + "Mexico": "Mexic", + "Micronesia, Federated States Of": "Micronezia", + "Moldova": "Moldova", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Muntenegru", + "Month To Date": "Lună Până În Prezent", + "Montserrat": "Montserrat", + "Morocco": "Maroc", + "Mozambique": "Mozambic", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Țările de jos", + "New": "Nou", + "New :resource": "Nou :resource", + "New Caledonia": "Noua Caledonie", + "New Zealand": "Noua Zeelandă", + "Next": "Înainte", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "Nu", + "No :resource matched the given criteria.": "Nr.:resource corespundea criteriilor date.", + "No additional information...": "Nu există informații suplimentare...", + "No Current Data": "Nu Există Date Curente", + "No Data": "Nu Există Date", + "no file selected": "niciun fișier selectat", + "No Increase": "Nicio Creștere", + "No Prior Data": "Nu Există Date Anterioare", + "No Results Found.": "Nu S-Au Găsit Rezultate.", + "Norfolk Island": "Insula Norfolk", + "Northern Mariana Islands": "Insulele Mariane De Nord", + "Norway": "Norvegia", + "Nova User": "Utilizator Nova", + "November": "Noiembrie", + "October": "Octombrie", + "of": "din", + "Oman": "Oman", + "Only Trashed": "Numai Distrus", + "Original": "Original", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Teritoriile Palestiniene", + "Panama": "Panama", + "Papua New Guinea": "Papua Noua Guinee", + "Paraguay": "Paraguay", + "Password": "Parolă", + "Per Page": "Pe Pagină", + "Peru": "Peru", + "Philippines": "Filipine", + "Pitcairn": "Insulele Pitcairn", + "Poland": "Polonia", + "Portugal": "Portugalia", + "Press \/ to search": "Apăsați \/ pentru a căuta", + "Preview": "Previzualizare", + "Previous": "Anterior", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Trimestru Până În Prezent", + "Reload": "Reîncarcă", + "Remember Me": "Ține-mă minte", + "Reset Filters": "Resetează Filtrele", + "Reset Password": "Resetare parolă", + "Reset Password Notification": "Notificare resetare parolă", + "resource": "resursă", + "Resources": "Resurse", + "resources": "resurse", + "Restore": "Restaurare", + "Restore Resource": "Restaurare Resursă", + "Restore Selected": "Restaurare Selectată", + "Reunion": "Întâlnire", + "Romania": "Romania", + "Run Action": "Execută Acțiunea", + "Russian Federation": "Federația Rusă", + "Rwanda": "Rwanda", + "Saint Barthelemy": "Barthélemy", + "Saint Helena": "Sfânta Elena", + "Saint Kitts And Nevis": "St. Kitts și Nevis", + "Saint Lucia": "Sfânta Lucia", + "Saint Martin": "Sf. Martin", + "Saint Pierre And Miquelon": "Saint Pierre și Miquelon", + "Saint Vincent And Grenadines": "Vincent și Grenadine", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "São Tomé și Principe", + "Saudi Arabia": "Arabia Saudită", + "Search": "Caută", + "Select Action": "Selectați Acțiune", + "Select All": "Selectați Toate", + "Select All Matching": "Selectați Toate Potrivirile", + "Send Password Reset Link": "Trimite link-ul pentru resetarea parolei", + "Senegal": "Senegal", + "September": "Septembrie", + "Serbia": "Serbia", + "Seychelles": "Insulele Seychelles", + "Show All Fields": "Arată Toate Câmpurile", + "Show Content": "Afișează Conținut", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapore", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovacia", + "Slovenia": "Slovenia", + "Solomon Islands": "Insulele Solomon", + "Somalia": "Somalia", + "Something went wrong.": "Ceva a mers prost.", + "Sorry! You are not authorized to perform this action.": "Scuze! Nu sunteți autorizat să efectuați această acțiune.", + "Sorry, your session has expired.": "Îmi pare rău, sesiunea a expirat.", + "South Africa": "Africa De Sud", + "South Georgia And Sandwich Isl.": "Georgia de Sud și Insulele Sandwich de Sud", + "South Sudan": "Sudanul De Sud", + "Spain": "Spania", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Începeți Sondarea", + "Stop Polling": "Opriți Sondajele", + "Sudan": "Sudan", + "Suriname": "Surinam", + "Svalbard And Jan Mayen": "Svalbard și Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Suedia", + "Switzerland": "Elveția", + "Syrian Arab Republic": "Siria", + "Taiwan": "Taiwan", + "Tajikistan": "Tadjikistan", + "Tanzania": "Tanzania", + "Thailand": "Thailanda", + "The :resource was created!": ":resource a fost creat!", + "The :resource was deleted!": ":resource a fost șters!", + "The :resource was restored!": ":resource a fost restaurat!", + "The :resource was updated!": ":resource a fost actualizat!", + "The action ran successfully!": "Acțiunea s-a desfășurat cu succes!", + "The file was deleted!": "Fișierul a fost șters!", + "The government won't let us show you what's behind these doors": "Guvernul nu ne va lăsa să vă arătăm ce se află în spatele acestor uși", + "The HasOne relationship has already been filled.": "Relația HasOne a fost deja umplută.", + "The resource was updated!": "Resursa a fost actualizată!", + "There are no available options for this resource.": "Nu există opțiuni disponibile pentru această resursă.", + "There was a problem executing the action.": "A existat o problemă de executare a acțiunii.", + "There was a problem submitting the form.": "A fost o problemă la trimiterea formularului.", + "This file field is read-only.": "Acest câmp fișier este doar în citire.", + "This image": "Această imagine", + "This resource no longer exists": "Această resursă nu mai există", + "Timor-Leste": "Timorul De Est", + "Today": "Astăzi", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Vino", + "total": "total", + "Trashed": "Distrus", + "Trinidad And Tobago": "Trinidad și Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turcia", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Insulele Turks și Caicos", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ucraina", + "United Arab Emirates": "Emiratele Arabe Unite", + "United Kingdom": "Regatul Unit", + "United States": "Statele Unite", + "United States Outlying Islands": "Insulele periferice ale SUA", + "Update": "Actualizează", + "Update & Continue Editing": "Actualizează Și Continuă Editarea", + "Update :resource": "Actualizare :resource", + "Update :resource: :title": "Actualizare :resource: :title", + "Update attached :resource: :title": "Actualizare atașată :resource: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Value": "Valoare", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Vizualizare", + "Virgin Islands, British": "Insulele Virgine Britanice", + "Virgin Islands, U.S.": "Insulele Virgine Americane", + "Wallis And Futuna": "Wallis și Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Suntem pierduți în spațiu. Pagina pe care încercați să o vizualizați nu există.", + "Welcome Back!": "Bine Ai Revenit!", + "Western Sahara": "Sahara Occidentală", + "Whoops": "Hopa", + "Whoops!": "Oops!", + "With Trashed": "Cu Gunoi", + "Write": "Scrie", + "Year To Date": "Anul Până În Prezent", + "Yemen": "Yemenit", + "Yes": "Da", + "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.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/ro/packages/spark-paddle.json b/locales/ro/packages/spark-paddle.json new file mode 100644 index 00000000000..e1eea31b603 --- /dev/null +++ b/locales/ro/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Termenii serviciului", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Hopa! Ceva a mers prost.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/ro/packages/spark-stripe.json b/locales/ro/packages/spark-stripe.json new file mode 100644 index 00000000000..f646e29aa4f --- /dev/null +++ b/locales/ro/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afganistan", + "Albania": "Albania", + "Algeria": "Algeria", + "American Samoa": "Samoa Americană", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorrană", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarctica", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaidjan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgia", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Insula Bouvet", + "Brazil": "Brazilia", + "British Indian Ocean Territory": "Teritoriul Britanic Din Oceanul Indian", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodgia", + "Cameroon": "Camerun", + "Canada": "Canada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Capul Verde", + "Card": "Carte", + "Cayman Islands": "Insulele Cayman", + "Central African Republic": "Republica Centrafricană", + "Chad": "Ciad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Chile", + "China": "China", + "Christmas Island": "Insula Crăciunului", + "City": "City", + "Cocos (Keeling) Islands": "Insulele Cocos", + "Colombia": "Columbia", + "Comoros": "Comore", + "Confirm Payment": "Confirmă Plata", + "Confirm your :amount payment": "Confirmați plata :amount", + "Congo": "Congo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Insulele Cook", + "Costa Rica": "Costa Rica", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Croația", + "Cuba": "Cuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Cipru", + "Czech Republic": "Cehia", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Danemarca", + "Djibouti": "Djibouti", + "Dominica": "Duminică", + "Dominican Republic": "Republica Dominicană", + "Download Receipt": "Download Receipt", + "Ecuador": "Ecuador", + "Egypt": "Egipt", + "El Salvador": "Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Guineea Ecuatorială", + "Eritrea": "Eritreea", + "Estonia": "Estonia", + "Ethiopia": "Etiopia", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Confirmare suplimentară este necesară pentru a procesa plata. Vă rugăm să continuați la pagina de plată făcând clic pe butonul de mai jos.", + "Falkland Islands (Malvinas)": "Insulele Falkland (Malvinas)", + "Faroe Islands": "Insulele Feroe", + "Fiji": "Fiji", + "Finland": "Finlanda", + "France": "Franța", + "French Guiana": "Guyana Franceză", + "French Polynesia": "Polinezia Franceză", + "French Southern Territories": "Teritoriile Sudice Franceze", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Germania", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Grecia", + "Greenland": "Groenlanda", + "Grenada": "Grenada", + "Guadeloupe": "Guadelupa", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guineea", + "Guinea-Bissau": "Guineea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Ungaria", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Islanda", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "India", + "Indonesia": "Indonezia", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Irak", + "Ireland": "Irlanda", + "Isle of Man": "Isle of Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italia", + "Jamaica": "Jamaica", + "Japan": "Japonia", + "Jersey": "Tricou", + "Jordan": "Iordania", + "Kazakhstan": "Kazahstan", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Coreea De Nord", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuweit", + "Kyrgyzstan": "Kârgâzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Letonia", + "Lebanon": "Liban", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libia", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lituania", + "Luxembourg": "Luxemburg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaezia", + "Maldives": "Maldive", + "Mali": "Mici", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Insulele Marshall", + "Martinique": "Martinica", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mexic", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Muntenegru", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Maroc", + "Mozambique": "Mozambic", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Țările de jos", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Noua Caledonie", + "New Zealand": "Noua Zeelandă", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Insula Norfolk", + "Northern Mariana Islands": "Insulele Mariane De Nord", + "Norway": "Norvegia", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Teritoriile Palestiniene", + "Panama": "Panama", + "Papua New Guinea": "Papua Noua Guinee", + "Paraguay": "Paraguay", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Filipine", + "Pitcairn": "Insulele Pitcairn", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Polonia", + "Portugal": "Portugalia", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Romania", + "Russian Federation": "Federația Rusă", + "Rwanda": "Rwanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Sfânta Elena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Sfânta Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Arabia Saudită", + "Save": "Salvează", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbia", + "Seychelles": "Insulele Seychelles", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapore", + "Slovakia": "Slovacia", + "Slovenia": "Slovenia", + "Solomon Islands": "Insulele Solomon", + "Somalia": "Somalia", + "South Africa": "Africa De Sud", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Spania", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Surinam", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Suedia", + "Switzerland": "Elveția", + "Syrian Arab Republic": "Siria", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tadjikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Termenii serviciului", + "Thailand": "Thailanda", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timorul De Est", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Vino", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turcia", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ucraina", + "United Arab Emirates": "Emiratele Arabe Unite", + "United Kingdom": "Regatul Unit", + "United States": "Statele Unite", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Actualizează", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Insulele Virgine Britanice", + "Virgin Islands, U.S.": "Insulele Virgine Americane", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Sahara Occidentală", + "Whoops! Something went wrong.": "Hopa! Ceva a mers prost.", + "Yearly": "Yearly", + "Yemen": "Yemenit", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/ro/ro.json b/locales/ro/ro.json index df5ec456bdf..b1f385d620e 100644 --- a/locales/ro/ro.json +++ b/locales/ro/ro.json @@ -1,710 +1,48 @@ { - "30 Days": "30 de zile", - "60 Days": "60 de zile", - "90 Days": "90 de zile", - ":amount Total": ":amount Total", - ":days day trial": ":days day trial", - ":resource Details": ":resource detalii", - ":resource Details: :title": ":resource detalii: :title", "A fresh verification link has been sent to your email address.": "Am trimis un nou link de verificare pe adresa dvs. de e-mail", - "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.", - "Accept Invitation": "Acceptați Invitația", - "Action": "Acțiune", - "Action Happened At": "Sa Întâmplat La", - "Action Initiated By": "Inițiat De", - "Action Name": "Denumire", - "Action Status": "Stare", - "Action Target": "Țintă", - "Actions": "Acțiuni", - "Add": "Adaugă", - "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 additional security to your account using two factor authentication.": "Adăugați securitate suplimentară în contul dvs. utilizând autentificarea cu doi factori.", - "Add row": "Adaugă rând", - "Add Team Member": "Adaugă Membru Al Echipei", - "Add VAT Number": "Add VAT Number", - "Added.": "Adăugat.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administrator", - "Administrator users can perform any action.": "Utilizatorii de Administrator pot efectua orice acțiune.", - "Afghanistan": "Afganistan", - "Aland Islands": "Insulele Åland", - "Albania": "Albania", - "Algeria": "Algeria", - "All of the people that are part of this team.": "Toți oamenii care fac parte din această echipă.", - "All resources loaded.": "Toate resursele încărcate.", - "All rights reserved.": "Toate drepturile rezervate.", - "Already registered?": "Ești deja înregistrat?", - "American Samoa": "Samoa Americană", - "An error occured while uploading the file.": "A apărut o eroare la încărcarea fișierului.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorrană", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Un alt utilizator a actualizat această resursă de când a fost încărcată această pagină. Reîmprospătați pagina și încercați din nou.", - "Antarctica": "Antarctica", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua și Barbuda", - "API Token": "Simbolul API", - "API Token Permissions": "Permisiuni API Token", - "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.", - "April": "Aprilie", - "Are you sure you want to delete the selected resources?": "Sunteți sigur că doriți să ștergeți resursele selectate?", - "Are you sure you want to delete this file?": "Sunteți sigur că doriți să ștergeți acest fișier?", - "Are you sure you want to delete this resource?": "Sunteți sigur că doriți să ștergeți această resursă?", - "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 want to detach the selected resources?": "Sunteți sigur că doriți să detașați resursele selectate?", - "Are you sure you want to detach this resource?": "Sunteți sigur că doriți să detașați această resursă?", - "Are you sure you want to force delete the selected resources?": "Sunteți sigur că doriți să forțați ștergerea resurselor selectate?", - "Are you sure you want to force delete this resource?": "Sunteți sigur că doriți să forțați ștergerea acestei resurse?", - "Are you sure you want to restore the selected resources?": "Sunteți sigur că doriți să restaurați resursele selectate?", - "Are you sure you want to restore this resource?": "Sunteți sigur că doriți să restaurați această resursă?", - "Are you sure you want to run this action?": "Sunteți sigur că doriți să rulați această acțiune?", - "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 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ă?", - "Argentina": "Argentina", - "Armenia": "Armenia", - "Aruba": "Aruba", - "Attach": "Atașează", - "Attach & Attach Another": "Atașează & Atașează Altul", - "Attach :resource": "Atașează :resource", - "August": "August", - "Australia": "Australia", - "Austria": "Austria", - "Azerbaijan": "Azerbaidjan", - "Bahamas": "Bahamas", - "Bahrain": "Bahrain", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Înainte de a continua, vă rugăm să verificați e-mailul pentru link-ul de verificare.", - "Belarus": "Belarus", - "Belgium": "Belgia", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bhutan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius și Sábado", - "Bosnia And Herzegovina": "Bosnia și Herțegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Insula Bouvet", - "Brazil": "Brazilia", - "British Indian Ocean Territory": "Teritoriul Britanic Din Oceanul Indian", - "Browser Sessions": "Sesiuni De Browser", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgaria", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Cambodgia", - "Cameroon": "Camerun", - "Canada": "Canada", - "Cancel": "Anulează", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Capul Verde", - "Card": "Carte", - "Cayman Islands": "Insulele Cayman", - "Central African Republic": "Republica Centrafricană", - "Chad": "Ciad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Modificări", - "Chile": "Chile", - "China": "China", - "Choose": "Alege", - "Choose :field": "Alege :field", - "Choose :resource": "Alege :resource", - "Choose an option": "Alegeți o opțiune", - "Choose date": "Alege data", - "Choose File": "Alege Fișier", - "Choose Type": "Alegeți Tipul", - "Christmas Island": "Insula Crăciunului", - "City": "City", "click here to request another": "apăsați aici pentru a solicita altul", - "Click to choose": "Faceți clic pentru a alege", - "Close": "Închide", - "Cocos (Keeling) Islands": "Insulele Cocos", - "Code": "Cod", - "Colombia": "Columbia", - "Comoros": "Comore", - "Confirm": "Confirmă", - "Confirm Password": "Confirmare parolă", - "Confirm Payment": "Confirmă Plata", - "Confirm your :amount payment": "Confirmați plata :amount", - "Congo": "Congo", - "Congo, Democratic Republic": "Congo, Republica Democratică", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Constantă", - "Cook Islands": "Insulele Cook", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "nu a putut fi găsit.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Creează", - "Create & Add Another": "Creează Și Adaugă Altul", - "Create :resource": "Creează :resource", - "Create a new team to collaborate with others on projects.": "Creați o nouă echipă pentru a colabora cu alte persoane la proiecte.", - "Create Account": "Creează Cont", - "Create API Token": "Creați API Token", - "Create New Team": "Creați O Echipă Nouă", - "Create Team": "Creează Echipă", - "Created.": "Creat.", - "Croatia": "Croația", - "Cuba": "Cuba", - "Curaçao": "Curacao", - "Current Password": "Parola Curentă", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Personalizează", - "Cyprus": "Cipru", - "Czech Republic": "Cehia", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Tablou de bord", - "December": "Decembrie", - "Decrease": "Scădere", - "Delete": "Șterge", - "Delete Account": "Șterge Contul", - "Delete API Token": "Șterge simbolul API", - "Delete File": "Șterge Fișierul", - "Delete Resource": "Șterge Resursa", - "Delete Selected": "Șterge Selectat", - "Delete Team": "Șterge Echipa", - "Denmark": "Danemarca", - "Detach": "Detașează", - "Detach Resource": "Detașează Resursa", - "Detach Selected": "Detașează Selectat", - "Details": "Detalii", - "Disable": "Dezactivează", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Chiar vrei să pleci? Ai schimbări nesalvate.", - "Dominica": "Duminică", - "Dominican Republic": "Republica Dominicană", - "Done.": "S-a făcut.", - "Download": "Descarcă", - "Download Receipt": "Download Receipt", "E-Mail Address": "Adresă de e-mail", - "Ecuador": "Ecuador", - "Edit": "Editare", - "Edit :resource": "Editare :resource", - "Edit Attached": "Editare Atașat", - "Editor": "Editor", - "Editor users have the ability to read, create, and update.": "Utilizatorii editorului au capacitatea de a citi, crea și actualiza.", - "Egypt": "Egipt", - "El Salvador": "Salvador", - "Email": "E-mail", - "Email Address": "Adresa De E-Mail", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Link De Resetare A Parolei De E-Mail", - "Enable": "Activează", - "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ță.", - "Equatorial Guinea": "Guineea Ecuatorială", - "Eritrea": "Eritreea", - "Estonia": "Estonia", - "Ethiopia": "Etiopia", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Confirmare suplimentară este necesară pentru a procesa plata. Vă rugăm să confirmați plata completând detaliile de plată de mai jos.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Confirmare suplimentară este necesară pentru a procesa plata. Vă rugăm să continuați la pagina de plată făcând clic pe butonul de mai jos.", - "Falkland Islands (Malvinas)": "Insulele Falkland (Malvinas)", - "Faroe Islands": "Insulele Feroe", - "February": "Februarie", - "Fiji": "Fiji", - "Finland": "Finlanda", - "For your security, please confirm your password to continue.": "Pentru securitatea dvs., vă rugăm să confirmați parola pentru a continua.", "Forbidden": "Interzis", - "Force Delete": "Forțează Ștergerea", - "Force Delete Resource": "Forțează Ștergerea Resursei", - "Force Delete Selected": "Forțează Ștergerea Selectată", - "Forgot Your 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? 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ă.", - "France": "Franța", - "French Guiana": "Guyana Franceză", - "French Polynesia": "Polinezia Franceză", - "French Southern Territories": "Teritoriile Sudice Franceze", - "Full name": "Nume complet", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Georgia", - "Germany": "Germania", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Du-te înapoi", - "Go Home": "Acasă", "Go to page :page": "Mergi la pagina :page", - "Great! You have accepted the invitation to join the :team team.": "Grozav! Ați acceptat invitația de a vă alătura echipei :team.", - "Greece": "Grecia", - "Greenland": "Groenlanda", - "Grenada": "Grenada", - "Guadeloupe": "Guadelupa", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guineea", - "Guinea-Bissau": "Guineea-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Insula Heard și Insulele McDonald", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Bună!", - "Hide Content": "Ascunde Conținutul", - "Hold Up!": "Stai Așa!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Ungaria", - "I agree to the :terms_of_service and :privacy_policy": "Sunt de acord cu :terms_of_service și :privacy_policy", - "Iceland": "Islanda", - "ID": "ID", - "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 necessary, you may logout 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. 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 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, 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 receive the email": "Dacă nu ați primit e-mailul", - "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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "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:", - "Increase": "Creștere", - "India": "India", - "Indonesia": "Indonezia", "Invalid signature.": "Semnătură incorectă.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Irak", - "Ireland": "Irlanda", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Insula Man", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italia", - "Jamaica": "Jamaica", - "January": "Ianuarie", - "Japan": "Japonia", - "Jersey": "Tricou", - "Jordan": "Iordania", - "July": "Iulie", - "June": "Iunie", - "Kazakhstan": "Kazahstan", - "Kenya": "Kenya", - "Key": "Cheie", - "Kiribati": "Kiribati", - "Korea": "Coreea De Sud", - "Korea, Democratic People's Republic of": "Coreea De Nord", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuweit", - "Kyrgyzstan": "Kârgâzstan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Ultimul activ", - "Last used": "Ultima utilizare", - "Latvia": "Letonia", - "Leave": "Lasă", - "Leave Team": "Părăsește Echipa", - "Lebanon": "Liban", - "Lens": "Obiectiv", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libia", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Lituania", - "Load :perPage More": "Încărcați :perPage mai mult", - "Log in": "Autentificare", "Log out": "Deconectează", - "Log Out": "Deconectează", - "Log Out Other Browser Sessions": "Deconectați Alte Sesiuni De Browser", - "Login": "Autentificare", - "Logout": "Deautentificare", "Logout Other Browser Sessions": "Deconectare Alte Sesiuni De Browser", - "Luxembourg": "Luxemburg", - "Macao": "Macao", - "Macedonia": "Macedonia De Nord", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagascar", - "Malawi": "Malawi", - "Malaysia": "Malaezia", - "Maldives": "Maldive", - "Mali": "Mici", - "Malta": "Malta", - "Manage Account": "Gestionați Contul", - "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 and logout 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 Role": "Gestionați Rolul", - "Manage Team": "Gestionați Echipa", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Martie", - "Marshall Islands": "Insulele Marshall", - "Martinique": "Martinica", - "Mauritania": "Mauritania", - "Mauritius": "Mauritius", - "May": "Mai", - "Mayotte": "Mayotte", - "Mexico": "Mexic", - "Micronesia, Federated States Of": "Micronezia", - "Moldova": "Moldova", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monaco", - "Mongolia": "Mongolia", - "Montenegro": "Muntenegru", - "Month To Date": "Lună Până În Prezent", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Maroc", - "Mozambique": "Mozambic", - "Myanmar": "Myanmar", - "Name": "Nume", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Țările de jos", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Nu contează", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Nou", - "New :resource": "Nou :resource", - "New Caledonia": "Noua Caledonie", - "New Password": "Parolă Nouă", - "New Zealand": "Noua Zeelandă", - "Next": "Înainte", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "Nu", - "No :resource matched the given criteria.": "Nr.:resource corespundea criteriilor date.", - "No additional information...": "Nu există informații suplimentare...", - "No Current Data": "Nu Există Date Curente", - "No Data": "Nu Există Date", - "no file selected": "niciun fișier selectat", - "No Increase": "Nicio Creștere", - "No Prior Data": "Nu Există Date Anterioare", - "No Results Found.": "Nu S-Au Găsit Rezultate.", - "Norfolk Island": "Insula Norfolk", - "Northern Mariana Islands": "Insulele Mariane De Nord", - "Norway": "Norvegia", "Not Found": "Negăsit", - "Nova User": "Utilizator Nova", - "November": "Noiembrie", - "October": "Octombrie", - "of": "din", "Oh no": "O, nu", - "Oman": "Oman", - "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 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 Trashed": "Numai Distrus", - "Original": "Original", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Pagina a expirat", "Pagination Navigation": "Navigare Paginare", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Teritoriile Palestiniene", - "Panama": "Panama", - "Papua New Guinea": "Papua Noua Guinee", - "Paraguay": "Paraguay", - "Password": "Parolă", - "Pay :amount": "Plăti :amount", - "Payment Cancelled": "Plata Anulată", - "Payment Confirmation": "Confirmarea Plății", - "Payment Information": "Payment Information", - "Payment Successful": "Plata Cu Succes", - "Pending Team Invitations": "Invitații De Echipă În Așteptare", - "Per Page": "Pe Pagină", - "Permanently delete this team.": "Ștergeți definitiv această echipă.", - "Permanently delete your account.": "Ștergeți definitiv contul.", - "Permissions": "Permisiuni", - "Peru": "Peru", - "Philippines": "Filipine", - "Photo": "Fotografie", - "Pitcairn": "Insulele Pitcairn", "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 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 your password before continuing.": "Vă rugam să confirmați parola înainte de a continua.", - "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 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 enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Vă rugăm să introduceți parola pentru a confirma că doriți să vă deconectați de la celelalte sesiuni de browser pe toate dispozitivele.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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 provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Vă rugăm să furnizați adresa de e-mail a persoanei pe care doriți să o adăugați la această echipă. Adresa de e-mail trebuie să fie asociată cu un cont existent.", - "Please provide your name.": "Vă rugăm să furnizați numele dumneavoastră.", - "Poland": "Polonia", - "Portugal": "Portugalia", - "Press \/ to search": "Apăsați \/ pentru a căuta", - "Preview": "Previzualizare", - "Previous": "Anterior", - "Privacy Policy": "Politica De Confidențialitate", - "Profile": "Profil", - "Profile Information": "Informații Despre Profil", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Trimestru Până În Prezent", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Codul De Recuperare", "Regards": "Toate cele bune", - "Regenerate Recovery Codes": "Regenerați Codurile De Recuperare", - "Register": "Înregistrare", - "Reload": "Reîncarcă", - "Remember me": "Amintește-ți de mine", - "Remember Me": "Ține-mă minte", - "Remove": "Elimină", - "Remove Photo": "Elimină Fotografia", - "Remove Team Member": "Elimină Membrul Echipei", - "Resend Verification Email": "Retrimiteți E-Mailul De Verificare", - "Reset Filters": "Resetează Filtrele", - "Reset Password": "Resetare parolă", - "Reset Password Notification": "Notificare resetare parolă", - "resource": "resursă", - "Resources": "Resurse", - "resources": "resurse", - "Restore": "Restaurare", - "Restore Resource": "Restaurare Resursă", - "Restore Selected": "Restaurare Selectată", "results": "rezultate", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Întâlnire", - "Role": "Rol", - "Romania": "Romania", - "Run Action": "Execută Acțiunea", - "Russian Federation": "Federația Rusă", - "Rwanda": "Rwanda", - "Réunion": "Réunion", - "Saint Barthelemy": "Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Sfânta Elena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "St. Kitts și Nevis", - "Saint Lucia": "Sfânta Lucia", - "Saint Martin": "Sf. Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "Saint Pierre și Miquelon", - "Saint Vincent And Grenadines": "Vincent și Grenadine", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "São Tomé și Principe", - "Saudi Arabia": "Arabia Saudită", - "Save": "Salvează", - "Saved.": "Salvat.", - "Search": "Caută", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Selectați O Fotografie Nouă", - "Select Action": "Selectați Acțiune", - "Select All": "Selectați Toate", - "Select All Matching": "Selectați Toate Potrivirile", - "Send Password Reset Link": "Trimite link-ul pentru resetarea parolei", - "Senegal": "Senegal", - "September": "Septembrie", - "Serbia": "Serbia", "Server Error": "Eroare de server", "Service Unavailable": "Serviciu indisponibil", - "Seychelles": "Insulele Seychelles", - "Show All Fields": "Arată Toate Câmpurile", - "Show Content": "Afișează Conținut", - "Show Recovery Codes": "Arată Codurile De Recuperare", "Showing": "Arată", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapore", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovacia", - "Slovenia": "Slovenia", - "Solomon Islands": "Insulele Solomon", - "Somalia": "Somalia", - "Something went wrong.": "Ceva a mers prost.", - "Sorry! You are not authorized to perform this action.": "Scuze! Nu sunteți autorizat să efectuați această acțiune.", - "Sorry, your session has expired.": "Îmi pare rău, sesiunea a expirat.", - "South Africa": "Africa De Sud", - "South Georgia And Sandwich Isl.": "Georgia de Sud și Insulele Sandwich de Sud", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Sudanul De Sud", - "Spain": "Spania", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Începeți Sondarea", - "State \/ County": "State \/ County", - "Stop Polling": "Opriți Sondajele", - "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.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Surinam", - "Svalbard And Jan Mayen": "Svalbard și Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Suedia", - "Switch Teams": "Schimbă Echipele", - "Switzerland": "Elveția", - "Syrian Arab Republic": "Siria", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tadjikistan", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Detalii Echipa", - "Team Invitation": "Invitație La Echipă", - "Team Members": "Membrii Echipei", - "Team Name": "Numele Echipei", - "Team Owner": "Proprietarul Echipei", - "Team Settings": "Setări Echipă", - "Terms of Service": "Termenii serviciului", - "Thailand": "Thailanda", - "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, puteți verifica adresa dvs. 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.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute trebuie să fie un rol valabil.", - "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 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 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 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 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.": ":attribute trebuie să aibă cel puțin :length de caractere.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource a fost creat!", - "The :resource was deleted!": ":resource a fost șters!", - "The :resource was restored!": ":resource a fost restaurat!", - "The :resource was updated!": ":resource a fost actualizat!", - "The action ran successfully!": "Acțiunea s-a desfășurat cu succes!", - "The file was deleted!": "Fișierul a fost șters!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Guvernul nu ne va lăsa să vă arătăm ce se află în spatele acestor uși", - "The HasOne relationship has already been filled.": "Relația HasOne a fost deja umplută.", - "The payment was successful.": "Plata a avut succes.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Parola furnizată nu se potrivește cu parola curentă.", - "The provided password was incorrect.": "Parola furnizată a fost incorectă.", - "The provided two factor authentication code was invalid.": "Codul de autentificare cu doi factori furnizat a fost nevalid.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Resursa a fost actualizată!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Numele echipei și informații despre proprietar.", - "There are no available options for this resource.": "Nu există opțiuni disponibile pentru această resursă.", - "There was a problem executing the action.": "A existat o problemă de executare a acțiunii.", - "There was a problem submitting the form.": "A fost o problemă la trimiterea formularului.", - "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.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Această acțiune nu este permisă.", - "This device": "Acest dispozitiv", - "This file field is read-only.": "Acest câmp fișier este doar în citire.", - "This image": "Această imagine", - "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 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 payment was already successfully confirmed.": "Această plată a fost deja confirmată cu succes.", - "This payment was cancelled.": "Această plată a fost anulată.", - "This resource no longer exists": "Această resursă nu mai există", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Acest utilizator aparține deja echipei.", - "This user has already been invited to the team.": "Acest utilizator a fost deja invitat în echipă.", - "Timor-Leste": "Timorul De Est", "to": "la", - "Today": "Astăzi", "Toggle navigation": "Comută navigarea", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Nume Token", - "Tonga": "Vino", "Too Many Attempts.": "Prea multe încercări.", "Too Many Requests": "Prea multe cereri", - "total": "total", - "Total:": "Total:", - "Trashed": "Distrus", - "Trinidad And Tobago": "Trinidad și Tobago", - "Tunisia": "Tunisia", - "Turkey": "Turcia", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Insulele Turks și Caicos", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Autentificare Cu Doi Factori", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Autentificarea cu doi factori este acum activată. Scanați următorul cod QR utilizând aplicația de autentificare a telefonului.", - "Uganda": "Uganda", - "Ukraine": "Ucraina", "Unauthorized": "Nepermis", - "United Arab Emirates": "Emiratele Arabe Unite", - "United Kingdom": "Regatul Unit", - "United States": "Statele Unite", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "Insulele periferice ale SUA", - "Update": "Actualizează", - "Update & Continue Editing": "Actualizează Și Continuă Editarea", - "Update :resource": "Actualizare :resource", - "Update :resource: :title": "Actualizare :resource: :title", - "Update attached :resource: :title": "Actualizare atașată :resource: :title", - "Update Password": "Actualizați Parola", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Actualizați informațiile profilului contului dvs. și adresa de e-mail.", - "Uruguay": "Uruguay", - "Use a recovery code": "Utilizați un cod de recuperare", - "Use an authentication code": "Utilizarea unui cod de autentificare", - "Uzbekistan": "Uzbekistan", - "Value": "Valoare", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Verificare adresă de e-mail", "Verify Your Email Address": "Verificați-vă adresa de e-mail", - "Viet Nam": "Vietnam", - "View": "Vizualizare", - "Virgin Islands, British": "Insulele Virgine Britanice", - "Virgin Islands, U.S.": "Insulele Virgine Americane", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis și Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Nu am putut găsi un utilizator înregistrat cu această adresă de e-mail.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Nu vă vom mai solicita adresa de e-mail pentru câteva ore", - "We're lost in space. The page you were trying to view does not exist.": "Suntem pierduți în spațiu. Pagina pe care încercați să o vizualizați nu există.", - "Welcome Back!": "Bine Ai Revenit!", - "Western Sahara": "Sahara Occidentală", - "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.", - "Whoops": "Hopa", - "Whoops!": "Oops!", - "Whoops! Something went wrong.": "Hopa! Ceva a mers prost.", - "With Trashed": "Cu Gunoi", - "Write": "Scrie", - "Year To Date": "Anul Până În Prezent", - "Yearly": "Yearly", - "Yemen": "Yemenit", - "Yes": "Da", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Sunteți autentificat!", - "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 have been invited to join the :team team!": "Ați fost invitat să vă alăturați echipei :team!", - "You have enabled two factor authentication.": "Ați activat autentificarea cu doi factori.", - "You have not enabled two factor authentication.": "Nu ați activat autentificarea cu doi factori.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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 o echipă pe care ați creat-o.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Adresa dvs. de e-mail nu este verificată.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Adresa dvs. de e-mail nu este verificată." } diff --git a/locales/ru/packages/cashier.json b/locales/ru/packages/cashier.json new file mode 100644 index 00000000000..cad5b5055e0 --- /dev/null +++ b/locales/ru/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Все права защищены.", + "Card": "Карта", + "Confirm Payment": "Подтвердить оплату", + "Confirm your :amount payment": "Подтвердите платёж на сумму :amount", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Необходимо дополнительное подтверждение для обработки Вашего платежа. Пожалуйста, подтвердите Ваш платёж, заполнив платежные реквизиты.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Необходимо дополнительное подтверждение для обработки Вашего платежа. Пожалуйста, перейдите на страницу оплаты, нажав кнопку ниже.", + "Full name": "ФИО", + "Go back": "Назад", + "Jane Doe": "Jane Doe", + "Pay :amount": "Оплатить :amount", + "Payment Cancelled": "Платёж отменён", + "Payment Confirmation": "Платёж подтверждён", + "Payment Successful": "Платёж выполнен", + "Please provide your name.": "Пожалуйста, укажите Ваше имя.", + "The payment was successful.": "Оплата прошла успешно.", + "This payment was already successfully confirmed.": "Платёж уже подтверждён.", + "This payment was cancelled.": "Платёж был отменён." +} diff --git a/locales/ru/packages/fortify.json b/locales/ru/packages/fortify.json new file mode 100644 index 00000000000..31dc1972aeb --- /dev/null +++ b/locales/ru/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 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 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.": "Поле :attribute должно быть не меньше :length символов.", + "The provided password does not match your current password.": "Указанный пароль не соответствует Вашему текущему паролю.", + "The provided password was incorrect.": "Неверный пароль.", + "The provided two factor authentication code was invalid.": "Неверный код двухфакторной аутентификации." +} diff --git a/locales/ru/packages/jetstream.json b/locales/ru/packages/jetstream.json new file mode 100644 index 00000000000..80e8f4f43f1 --- /dev/null +++ b/locales/ru/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Новая ссылка для подтверждения была отправлена на Ваш email-адрес, указанный при регистрации.", + "Accept Invitation": "Принять приглашение", + "Add": "Добавить", + "Add a new team member to your team, allowing them to collaborate with you.": "Добавьте нового члена в свою команду для совместной работы с ним.", + "Add additional security to your account using two factor authentication.": "Защитите свой аккаунт используя двухфакторную аутентификацию.", + "Add Team Member": "Добавить члена команды", + "Added.": "Добавлено.", + "Administrator": "Администратор", + "Administrator users can perform any action.": "Пользователи с правами администратора могут выполнять любые действия.", + "All of the people that are part of this team.": "Все люди, являющиеся частью этой команды", + "Already registered?": "Уже зарегистрированы?", + "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 токены позволяют сторонним службам аутентифицироваться в приложении от Вашего имени.", + "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 delete this API token?": "Вы уверены, что хотите удалить этот API токен?", + "Are you sure you would like to leave this team?": "Вы уверены, что хотите покинуть эту команду?", + "Are you sure you would like to remove this person from the team?": "Вы уверены, что хотите удалить этого члена команды?", + "Browser Sessions": "Сеансы", + "Cancel": "Отмена", + "Close": "Закрыть", + "Code": "Код", + "Confirm": "Подтвердить", + "Confirm Password": "Подтверждение пароля", + "Create": "Создать", + "Create a new team to collaborate with others on projects.": "Создайте новую команду для совместной работы над проектами.", + "Create Account": "Создать аккаунт", + "Create API Token": "Создать API токен", + "Create New Team": "Создать команду", + "Create Team": "Создать команду", + "Created.": "Создано.", + "Current Password": "Текущий пароль", + "Dashboard": "Главная", + "Delete": "Удалить", + "Delete Account": "Удалить аккаунт", + "Delete API Token": "Удалить API токен", + "Delete Team": "Удалить команду", + "Disable": "Отключить", + "Done.": "Успешно.", + "Editor": "Редактор", + "Editor users have the ability to read, create, and update.": "Пользователи с правами редактора могут читать, создавать и обновлять.", + "Email": "E-Mail адрес", + "Email Password Reset Link": "Ссылка для сброса пароля", + "Enable": "Включить", + "Ensure your account is using a long, random password to stay secure.": "В целях безопасности убедитесь, что Вы используете длинный рандомный пароль.", + "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.": "Забыли пароль? Нет проблем. Просто сообщите Ваш email-адрес и мы пришлём Вам ссылку для сброса пароля.", + "Great! You have accepted the invitation to join the :team team.": "Отлично! Вы приняли приглашение присоединиться к команде :team.", + "I agree to the :terms_of_service and :privacy_policy": "Я соглашаюсь с :terms_of_service и :privacy_policy", + "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 you already have an account, you may accept this invitation by clicking the button below:": "Если у Вас уже есть учётная запись, Вы можете принять это приглашение, нажав на кнопку:", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "Если у Вас нет учётной записи, Вы можете создать её, нажав на кнопку ниже. После создания учётной записи, Вы можете нажать кнопку принятия приглашения в этом письме, чтобы принять его:", + "Last active": "Последняя активность", + "Last used": "Последнее использование", + "Leave": "Покинуть", + "Leave Team": "Покинуть команду", + "Log in": "Войти", + "Log Out": "Выйти", + "Log Out Other Browser Sessions": "Завершить другие сессии", + "Manage Account": "Управление аккаунтом", + "Manage and log out your active sessions on other browsers and devices.": "Управление активными сеансами на других устройствах.", + "Manage API Tokens": "Управление API токенами", + "Manage Role": "Управление ролью", + "Manage Team": "Управление командой", + "Name": "Имя", + "New Password": "Новый пароль", + "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 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.": "После удаления Вашей учётной записи все её ресурсы и данные будут удалены без возможности восстановления. Перед удалением учётной записи загрузите данные и информацию, которую хотите сохранить.", + "Password": "Пароль", + "Pending Team Invitations": "Ожидающие приглашения в команду", + "Permanently delete this team.": "Удалить эту команду навсегда.", + "Permanently delete your account.": "Удалить свой аккаунт навсегда.", + "Permissions": "Разрешения", + "Photo": "Фото", + "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 copy your new API token. For your security, it won't be shown again.": "Скопируйте Ваш новый API токен. В целях безопасности он больше не будет отображаться.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Введите пароль для подтверждения выхода из других сеансов на всех ваших устройствах.", + "Please provide the email address of the person you would like to add to this team.": "Укажите электронный адрес человека, которого Вы хотите добавить в эту команду.", + "Privacy Policy": "политикой конфиденциальности", + "Profile": "Профиль", + "Profile Information": "Информация профиля", + "Recovery Code": "Код восстановления", + "Regenerate Recovery Codes": "Перегенерировать коды восстановления", + "Register": "Регистрация", + "Remember me": "Запомнить меня", + "Remove": "Удалить", + "Remove Photo": "Удалить фото", + "Remove Team Member": "Удалить члена команды", + "Resend Verification Email": "Выслать повторно письмо для подтверждения", + "Reset Password": "Сбросить пароль", + "Role": "Роль", + "Save": "Сохранить", + "Saved.": "Сохранено.", + "Select A New Photo": "Выбрать фото", + "Show Recovery Codes": "Показать коды восстановления", + "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.": "Храните эти коды восстановления в безопасном месте. Их можно использовать для восстановления доступа к Вашей учётной записи, если Ваше устройство с двухфакторной аутентификацией потеряно.", + "Switch Teams": "Сменить команды", + "Team Details": "Детали команды", + "Team Invitation": "Приглашение в команду", + "Team Members": "Члены команды", + "Team Name": "Название команды", + "Team Owner": "Владелец команды", + "Team Settings": "Настройки команды", + "Terms of Service": "условиями обслуживания", + "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 a valid role.": "Поле :attribute должно быть корректной ролью.", + "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 and 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 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 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.": "Поле :attribute должно быть не меньше :length символов.", + "The provided password does not match your current password.": "Указанный пароль не соответствует Вашему текущему паролю.", + "The provided password was incorrect.": "Неверный пароль.", + "The provided two factor authentication code was invalid.": "Неверный код двухфакторной аутентификации.", + "The team's name and owner information.": "Название команды и информация о её владельце.", + "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.": "Эти люди были приглашены в Вашу команду и получили электронное письмо с приглашением. Они могут присоединиться к команде, приняв приглашение.", + "This device": "Это устройство", + "This is a secure area of the application. Please confirm your password before continuing.": "Это защищённая область приложения. Пожалуйста, подтвердите Ваш пароль, прежде чем продолжить.", + "This password does not match our records.": "Пароль не соответствует.", + "This user already belongs to the team.": "Пользователь уже входит в команду.", + "This user has already been invited to the team.": "Этот пользователь уже был приглашён в команду.", + "Token Name": "Имя токена", + "Two Factor Authentication": "Двухфакторная аутентификация", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Двухфакторная аутентификация включена. Сканируйте QR-код с помощью приложения проверки аутентификации на Вашем телефоне.", + "Update Password": "Обновить пароль", + "Update your account's profile information and email address.": "Обновите информацию и email-адрес в профиле Вашей учётной записи.", + "Use a recovery code": "Использовать код восстановления", + "Use an authentication code": "Использовать код аутентификации", + "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.": "Если двухфакторная аутентификация включена, Вам будет предложено ввести случайный токен безопасности во время аутентификации. Вы можете получить этот токен в приложении Google Authenticator Вашего телефона.", + "Whoops! Something went wrong.": "Упс! Что-то пошло не так.", + "You have been invited to join the :team team!": "Вас пригласили присоединиться к команде :team!", + "You have enabled two factor authentication.": "Вы включили двухфакторную аутентификацию.", + "You have not enabled two factor authentication.": "Вы не включили двухфакторную аутентификацию.", + "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.": "Вы не можете покидать созданную Вами команду." +} diff --git a/locales/ru/packages/nova.json b/locales/ru/packages/nova.json new file mode 100644 index 00000000000..1adb0a948c5 --- /dev/null +++ b/locales/ru/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 дней", + "60 Days": "60 дней", + "90 Days": "90 дней", + ":amount Total": ":amount всего", + ":resource Details": "Детали :resource", + ":resource Details: :title": "Детали :resource: :title", + "Action": "Действие", + "Action Happened At": "Произошло в", + "Action Initiated By": "Инициировано", + "Action Name": "Имя", + "Action Status": "Статус", + "Action Target": "Цель", + "Actions": "Действия", + "Add row": "Добавить строку", + "Afghanistan": "Афганистан", + "Aland Islands": "Аландские острова", + "Albania": "Албания", + "Algeria": "Алжир", + "All resources loaded.": "Все ресурсы загружены.", + "American Samoa": "Американское Самоа", + "An error occured while uploading the file.": "Произошла ошибка при загрузке файла.", + "Andorra": "Андорра", + "Angola": "Ангола", + "Anguilla": "Ангилья", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Другой пользователь обновил этот ресурс, так как страница была загружена. Обновите страницу и попробуйте ещё раз.", + "Antarctica": "Антарктида", + "Antigua And Barbuda": "Антигуа и Барбуда", + "April": "Апрель", + "Are you sure you want to delete the selected resources?": "Вы уверены, что хотите удалить выбранные ресурсы?", + "Are you sure you want to delete this file?": "Вы уверены, что хотите удалить файл?", + "Are you sure you want to delete this resource?": "Вы уверены, что хотите удалить ресурс?", + "Are you sure you want to detach the selected resources?": "Вы уверены, что хотите отключить выбранные ресурсы?", + "Are you sure you want to detach this resource?": "Вы уверены, что хотите отключить ресурс?", + "Are you sure you want to force delete the selected resources?": "Вы уверены, что хотите навсегда удалить выбранные ресурсы?", + "Are you sure you want to force delete this resource?": "Вы уверены, что хотите навсегда удалить ресурс?", + "Are you sure you want to restore the selected resources?": "Вы уверены, что хотите восстановить выбранные ресурсы?", + "Are you sure you want to restore this resource?": "Вы уверены, что хотите восстановить ресурс?", + "Are you sure you want to run this action?": "Вы уверены, что хотите запустить это действие?", + "Argentina": "Аргентина", + "Armenia": "Армения", + "Aruba": "Аруба", + "Attach": "Прикрепить", + "Attach & Attach Another": "Прикрепить и прикрепить другое", + "Attach :resource": "Прикрепить :resource", + "August": "Август", + "Australia": "Австралия", + "Austria": "Австрия", + "Azerbaijan": "Азербайджан", + "Bahamas": "Багамы", + "Bahrain": "Бахрейн", + "Bangladesh": "Бангладеш", + "Barbados": "Барбадос", + "Belarus": "Беларусь", + "Belgium": "Бельгия", + "Belize": "Белиз", + "Benin": "Бенин", + "Bermuda": "Бермудские острова", + "Bhutan": "Бутан", + "Bolivia": "Боливия", + "Bonaire, Sint Eustatius and Saba": "Бонэйр, Синт-Эстатиус и Саба", + "Bosnia And Herzegovina": "Босния и Герцеговина", + "Botswana": "Ботсвана", + "Bouvet Island": "Остров Буве", + "Brazil": "Бразилия", + "British Indian Ocean Territory": "Британская территория Индийского океана", + "Brunei Darussalam": "Бруней-Даруссалам", + "Bulgaria": "Болгария", + "Burkina Faso": "Буркина-Фасо", + "Burundi": "Бурунди", + "Cambodia": "Камбоджа", + "Cameroon": "Камерун", + "Canada": "Канада", + "Cancel": "Отмена", + "Cape Verde": "Кабо-Верде", + "Cayman Islands": "Каймановы острова", + "Central African Republic": "Центрально-Африканская Республика", + "Chad": "Чад", + "Changes": "Изменения", + "Chile": "Чили", + "China": "Китай", + "Choose": "Выберите", + "Choose :field": "Выберите :field", + "Choose :resource": "Выберите :resource", + "Choose an option": "Выберите опцию", + "Choose date": "Выберите дату", + "Choose File": "Выберите файл", + "Choose Type": "Выберите тип", + "Christmas Island": "Остров Рождества", + "Click to choose": "Кликните для выбора", + "Cocos (Keeling) Islands": "Кокосовые (Килинг) острова", + "Colombia": "Колумбия", + "Comoros": "Коморские острова", + "Confirm Password": "Подтверждение пароля", + "Congo": "Конго", + "Congo, Democratic Republic": "Конго, Демократическая Республика", + "Constant": "Константа", + "Cook Islands": "Острова Кука", + "Costa Rica": "Коста-Рика", + "Cote D'Ivoire": "Кот-д'Ивуар", + "could not be found.": "не может быть найдено.", + "Create": "Создать", + "Create & Add Another": "Создать и добавить другое", + "Create :resource": "Создать :resource", + "Croatia": "Хорватия", + "Cuba": "Куба", + "Curaçao": "Кюрасао", + "Customize": "Настройка", + "Cyprus": "Кипр", + "Czech Republic": "Республика Чехия", + "Dashboard": "Главная", + "December": "Декабрь", + "Decrease": "Снижение", + "Delete": "Удалить", + "Delete File": "Удалить файл", + "Delete Resource": "Удалить ресурс", + "Delete Selected": "Удалить выбранные", + "Denmark": "Дания", + "Detach": "Открепить", + "Detach Resource": "Открепить ресурс", + "Detach Selected": "Открепить выбранные", + "Details": "Подробности", + "Djibouti": "Джибути", + "Do you really want to leave? You have unsaved changes.": "Вы действительно хотите уйти? У Вас есть несохранённые изменения.", + "Dominica": "Доминика", + "Dominican Republic": "Доминиканская Республика", + "Download": "Скачать", + "Ecuador": "Эквадор", + "Edit": "Редактировать", + "Edit :resource": "Редактировать :resource", + "Edit Attached": "Редактировать прикреплённые", + "Egypt": "Египет", + "El Salvador": "Сальвадор", + "Email Address": "Email", + "Equatorial Guinea": "Экваториальная Гвинея", + "Eritrea": "Эритрея", + "Estonia": "Эстония", + "Ethiopia": "Эфиопия", + "Falkland Islands (Malvinas)": "Фолклендские (Мальвинские) острова", + "Faroe Islands": "Фарерские острова", + "February": "Февраль", + "Fiji": "Фиджи", + "Finland": "Финляндия", + "Force Delete": "Принудительно удалить", + "Force Delete Resource": "Принудительно удалить ресурс", + "Force Delete Selected": "Принудительно удалить выбранное", + "Forgot Your Password?": "Забыли пароль?", + "Forgot your password?": "Забыли пароль?", + "France": "Франция", + "French Guiana": "Французская Гвиана", + "French Polynesia": "Французская Полинезия", + "French Southern Territories": "Южные Французские Территории", + "Gabon": "Габон", + "Gambia": "Гамбия", + "Georgia": "Грузия", + "Germany": "Германия", + "Ghana": "Гана", + "Gibraltar": "Гибралтар", + "Go Home": "Домой", + "Greece": "Греция", + "Greenland": "Гренландия", + "Grenada": "Гренада", + "Guadeloupe": "Гваделупа", + "Guam": "Гуам", + "Guatemala": "Гватемала", + "Guernsey": "Гернси", + "Guinea": "Гвинея", + "Guinea-Bissau": "Гвинея-Бисау", + "Guyana": "Гайана", + "Haiti": "Гаити", + "Heard Island & Mcdonald Islands": "Остров Херд и острова Макдональд", + "Hide Content": "Скрыть контент", + "Hold Up!": "Задержать!", + "Holy See (Vatican City State)": "Святой Престол (государство-город Ватикан)", + "Honduras": "Гондурас", + "Hong Kong": "Гонконг", + "Hungary": "Венгрия", + "Iceland": "Исландия", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "Если Вы не запрашивали сброс пароля, то дополнительных действий не требуется.", + "Increase": "Увеличить", + "India": "Индия", + "Indonesia": "Индонезия", + "Iran, Islamic Republic Of": "Иран", + "Iraq": "Ирак", + "Ireland": "Ирландия", + "Isle Of Man": "Остров Мэн", + "Israel": "Израиль", + "Italy": "Италия", + "Jamaica": "Ямайка", + "January": "Январь", + "Japan": "Япония", + "Jersey": "Джерси", + "Jordan": "Иордания", + "July": "Июль", + "June": "Июнь", + "Kazakhstan": "Казахстан", + "Kenya": "Кения", + "Key": "Ключ", + "Kiribati": "Кирибати", + "Korea": "Южная Корея", + "Korea, Democratic People's Republic of": "Северная Корея", + "Kosovo": "Косово", + "Kuwait": "Кувейт", + "Kyrgyzstan": "Кыргызстан", + "Lao People's Democratic Republic": "Лаосская Народно-Демократическая Республика", + "Latvia": "Латвия", + "Lebanon": "Ливан", + "Lens": "Линза", + "Lesotho": "Лесото", + "Liberia": "Либерия", + "Libyan Arab Jamahiriya": "Ливийская арабская джамахирия", + "Liechtenstein": "Лихтенштейн", + "Lithuania": "Литва", + "Load :perPage More": "Загрузить ещё :perPage", + "Login": "Войти", + "Logout": "Выйти", + "Luxembourg": "Люксембург", + "Macao": "Макао", + "Macedonia": "Македония", + "Madagascar": "Мадагаскар", + "Malawi": "Малави", + "Malaysia": "Малайзия", + "Maldives": "Мальдивы", + "Mali": "Мали", + "Malta": "Мальта", + "March": "Март", + "Marshall Islands": "Маршалловы острова", + "Martinique": "Мартиника", + "Mauritania": "Мавритания", + "Mauritius": "Маврикий", + "May": "Май", + "Mayotte": "Майотта", + "Mexico": "Мексика", + "Micronesia, Federated States Of": "Микронезия", + "Moldova": "Молдова", + "Monaco": "Монако", + "Mongolia": "Монголия", + "Montenegro": "Черногория", + "Month To Date": "С начала месяца по дату", + "Montserrat": "Монтсеррат", + "Morocco": "Марокко", + "Mozambique": "Мозамбик", + "Myanmar": "Мьянма", + "Namibia": "Намибия", + "Nauru": "Науру", + "Nepal": "Непал", + "Netherlands": "Нидерланды", + "New": "Новый", + "New :resource": "Новый :resource", + "New Caledonia": "Новая Каледония", + "New Zealand": "Новая Зеландия", + "Next": "Следующий", + "Nicaragua": "Никарагуа", + "Niger": "Нигер", + "Nigeria": "Нигерия", + "Niue": "Ниуэ", + "No": "Нет", + "No :resource matched the given criteria.": "Нет :resource совпадающих с условиями.", + "No additional information...": "Нет дополнительной информации...", + "No Current Data": "Нет текущих данных", + "No Data": "Нет данных", + "no file selected": "нет выбранных файлов", + "No Increase": "Не увеличено", + "No Prior Data": "Нет приоритетных данных", + "No Results Found.": "Результаты не найдены.", + "Norfolk Island": "Остров Норфолк", + "Northern Mariana Islands": "Северные Марианские острова", + "Norway": "Норвегия", + "Nova User": "Пользователь Nova", + "November": "Ноябрь", + "October": "Октябрь", + "of": "из", + "Oman": "Оман", + "Only Trashed": "Только удалённые", + "Original": "Оригинал", + "Pakistan": "Пакистан", + "Palau": "Палау", + "Palestinian Territory, Occupied": "Палестинская территория", + "Panama": "Панама", + "Papua New Guinea": "Папуа-Новая Гвинея", + "Paraguay": "Парагвай", + "Password": "Пароль", + "Per Page": "На страницу", + "Peru": "Перу", + "Philippines": "Филиппины", + "Pitcairn": "Питкэрн", + "Poland": "Польша", + "Portugal": "Португалия", + "Press \/ to search": "Нажмите \"\/\" для поиска", + "Preview": "Предпросмотр", + "Previous": "Предыдущий", + "Puerto Rico": "Пуэрто-Рико", + "Qatar": "Катар", + "Quarter To Date": "Квартал до даты", + "Reload": "Перезагрузить", + "Remember Me": "Запомнить меня", + "Reset Filters": "Сбросить фильтры", + "Reset Password": "Сбросить пароль", + "Reset Password Notification": "Уведомление сброса пароля", + "resource": "ресурс", + "Resources": "Ресурсы", + "resources": "ресурсы", + "Restore": "Восстановить", + "Restore Resource": "Восстановить ресурс", + "Restore Selected": "Восстановить выбранные", + "Reunion": "Воссоединение", + "Romania": "Румыния", + "Run Action": "Выполнить действие", + "Russian Federation": "Российская Федерация", + "Rwanda": "Руанда", + "Saint Barthelemy": "Сен-Бартелеми", + "Saint Helena": "Остров Святой Елены", + "Saint Kitts And Nevis": "Сент-Китс и Невис", + "Saint Lucia": "Сент-Люсия", + "Saint Martin": "Сен-Мартен", + "Saint Pierre And Miquelon": "Сен-Пьер и Микелон", + "Saint Vincent And Grenadines": "Сент-Винсент и Гренадины", + "Samoa": "Самоа", + "San Marino": "Сан-Марино", + "Sao Tome And Principe": "Сан-Томе и Принсипи", + "Saudi Arabia": "Саудовская Аравия", + "Search": "Поиск", + "Select Action": "Выбрать действие", + "Select All": "Выбрать все", + "Select All Matching": "Выбрать все совпадающие", + "Send Password Reset Link": "Отправить ссылку сброса пароля", + "Senegal": "Сенегал", + "September": "Сентябрь", + "Serbia": "Сербия", + "Seychelles": "Сейшелы", + "Show All Fields": "Показать все поля", + "Show Content": "Показать контент", + "Sierra Leone": "Сьерра-Леоне", + "Singapore": "Сингапур", + "Sint Maarten (Dutch part)": "Синт-Мартен (голландская часть)", + "Slovakia": "Словакия", + "Slovenia": "Словения", + "Solomon Islands": "Соломоновы острова", + "Somalia": "Сомали", + "Something went wrong.": "Что-то не так.", + "Sorry! You are not authorized to perform this action.": "Извините, у Вас не хватает прав для выполнения этого действия.", + "Sorry, your session has expired.": "Извините, Ваша сессия устарела.", + "South Africa": "Южная Африка", + "South Georgia And Sandwich Isl.": "Южная Георгия и Сэндвичевые острова", + "South Sudan": "Южный Судан", + "Spain": "Испания", + "Sri Lanka": "Шри-Ланка", + "Start Polling": "Начать опрос", + "Stop Polling": "Остановить опрос", + "Sudan": "Судан", + "Suriname": "Суринам", + "Svalbard And Jan Mayen": "Шпицберген и Ян-Майен", + "Swaziland": "Свазиленд", + "Sweden": "Швеция", + "Switzerland": "Швейцария", + "Syrian Arab Republic": "Сирия", + "Taiwan": "Тайвань", + "Tajikistan": "Таджикистан", + "Tanzania": "Танзания", + "Thailand": "Таиланд", + "The :resource was created!": "Ресурс :resource создан!", + "The :resource was deleted!": "Ресурс :resource удалён!", + "The :resource was restored!": "Ресурс :resource восстановлен!", + "The :resource was updated!": "Ресурс :resource обновлён!", + "The action ran successfully!": "Действие успешно запущено!", + "The file was deleted!": "Файл удалён!", + "The government won't let us show you what's behind these doors": "Правительство не позволяет нам показывать то, что прячется за этими дверями", + "The HasOne relationship has already been filled.": "Релейшен hasOne уже заполнен.", + "The resource was updated!": "Ресурс был обновлён!", + "There are no available options for this resource.": "Нет доступных опций для этого ресурса.", + "There was a problem executing the action.": "При выполнении действия возникла проблема.", + "There was a problem submitting the form.": "При отправке формы возникла проблема.", + "This file field is read-only.": "Поле файла доступно только для чтения.", + "This image": "Это изображение", + "This resource no longer exists": "Ресурс больше не существует", + "Timor-Leste": "Тимор-Лешти", + "Today": "Сегодня", + "Togo": "Того", + "Tokelau": "Токелау", + "Tonga": "Тонга", + "total": "всего", + "Trashed": "Удалённые", + "Trinidad And Tobago": "Тринидад и Тобаго", + "Tunisia": "Тунис", + "Turkey": "Индюк", + "Turkmenistan": "Туркменистан", + "Turks And Caicos Islands": "Острова Теркс и Кайкос", + "Tuvalu": "Тувалу", + "Uganda": "Уганда", + "Ukraine": "Украина", + "United Arab Emirates": "Объединенные Арабские Эмираты", + "United Kingdom": "Соединенное Королевство", + "United States": "Соединенные Штаты", + "United States Outlying Islands": "Внешние острова США", + "Update": "Обновить", + "Update & Continue Editing": "Обновить и продолжить редактирование", + "Update :resource": "Обновить :resource", + "Update :resource: :title": "Обновить :resource: :title", + "Update attached :resource: :title": "Обновить прикреплённый :resource: :title", + "Uruguay": "Уругвай", + "Uzbekistan": "Узбекистан", + "Value": "Значение", + "Vanuatu": "Вануату", + "Venezuela": "Венесуэла", + "Viet Nam": "Вьетнам", + "View": "Показать", + "Virgin Islands, British": "Виргинские острова, Британские", + "Virgin Islands, U.S.": "Виргинские острова, США", + "Wallis And Futuna": "Уоллис и Футуна", + "We're lost in space. The page you were trying to view does not exist.": "Мы потерялись в пространстве. Страница, которую Вы пытаетесь просмотреть, не существует.", + "Welcome Back!": "С возвращением!", + "Western Sahara": "Западная Сахара", + "Whoops": "Упс", + "Whoops!": "Упс!", + "With Trashed": "С удалёнными", + "Write": "Записать", + "Year To Date": "С начала года до даты", + "Yemen": "Йемен", + "Yes": "Да", + "You are receiving this email because we received a password reset request for your account.": "Вы получили это письмо, потому что мы получили запрос на сброс пароля для Вашей учетной записи.", + "Zambia": "Замбия", + "Zimbabwe": "Зимбабве" +} diff --git a/locales/ru/packages/spark-paddle.json b/locales/ru/packages/spark-paddle.json new file mode 100644 index 00000000000..c79183a708e --- /dev/null +++ b/locales/ru/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "условиями обслуживания", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Упс! Что-то пошло не так.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/ru/packages/spark-stripe.json b/locales/ru/packages/spark-stripe.json new file mode 100644 index 00000000000..56d29246010 --- /dev/null +++ b/locales/ru/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Афганистан", + "Albania": "Албания", + "Algeria": "Алжир", + "American Samoa": "Американское Самоа", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Андорра", + "Angola": "Ангола", + "Anguilla": "Ангилья", + "Antarctica": "Антарктида", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Аргентина", + "Armenia": "Армения", + "Aruba": "Аруба", + "Australia": "Австралия", + "Austria": "Австрия", + "Azerbaijan": "Азербайджан", + "Bahamas": "Багамы", + "Bahrain": "Бахрейн", + "Bangladesh": "Бангладеш", + "Barbados": "Барбадос", + "Belarus": "Беларусь", + "Belgium": "Бельгия", + "Belize": "Белиз", + "Benin": "Бенин", + "Bermuda": "Бермудские острова", + "Bhutan": "Бутан", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Ботсвана", + "Bouvet Island": "Остров Буве", + "Brazil": "Бразилия", + "British Indian Ocean Territory": "Британская территория Индийского океана", + "Brunei Darussalam": "Бруней-Даруссалам", + "Bulgaria": "Болгария", + "Burkina Faso": "Буркина-Фасо", + "Burundi": "Бурунди", + "Cambodia": "Камбоджа", + "Cameroon": "Камерун", + "Canada": "Канада", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Кабо-Верде", + "Card": "Карта", + "Cayman Islands": "Каймановы острова", + "Central African Republic": "Центрально-Африканская Республика", + "Chad": "Чад", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Чили", + "China": "Китай", + "Christmas Island": "Остров Рождества", + "City": "City", + "Cocos (Keeling) Islands": "Кокосовые (Килинг) острова", + "Colombia": "Колумбия", + "Comoros": "Коморские острова", + "Confirm Payment": "Подтвердить оплату", + "Confirm your :amount payment": "Подтвердите платёж на сумму :amount", + "Congo": "Конго", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Острова Кука", + "Costa Rica": "Коста-Рика", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Хорватия", + "Cuba": "Куба", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Кипр", + "Czech Republic": "Республика Чехия", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Дания", + "Djibouti": "Джибути", + "Dominica": "Доминика", + "Dominican Republic": "Доминиканская Республика", + "Download Receipt": "Download Receipt", + "Ecuador": "Эквадор", + "Egypt": "Египет", + "El Salvador": "Сальвадор", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Экваториальная Гвинея", + "Eritrea": "Эритрея", + "Estonia": "Эстония", + "Ethiopia": "Эфиопия", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Необходимо дополнительное подтверждение для обработки Вашего платежа. Пожалуйста, перейдите на страницу оплаты, нажав кнопку ниже.", + "Falkland Islands (Malvinas)": "Фолклендские (Мальвинские) острова", + "Faroe Islands": "Фарерские острова", + "Fiji": "Фиджи", + "Finland": "Финляндия", + "France": "Франция", + "French Guiana": "Французская Гвиана", + "French Polynesia": "Французская Полинезия", + "French Southern Territories": "Южные Французские Территории", + "Gabon": "Габон", + "Gambia": "Гамбия", + "Georgia": "Грузия", + "Germany": "Германия", + "Ghana": "Гана", + "Gibraltar": "Гибралтар", + "Greece": "Греция", + "Greenland": "Гренландия", + "Grenada": "Гренада", + "Guadeloupe": "Гваделупа", + "Guam": "Гуам", + "Guatemala": "Гватемала", + "Guernsey": "Гернси", + "Guinea": "Гвинея", + "Guinea-Bissau": "Гвинея-Бисау", + "Guyana": "Гайана", + "Haiti": "Гаити", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Святой Престол (государство-город Ватикан)", + "Honduras": "Гондурас", + "Hong Kong": "Гонконг", + "Hungary": "Венгрия", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Исландия", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Индия", + "Indonesia": "Индонезия", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Ирак", + "Ireland": "Ирландия", + "Isle of Man": "Isle of Man", + "Israel": "Израиль", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Италия", + "Jamaica": "Ямайка", + "Japan": "Япония", + "Jersey": "Джерси", + "Jordan": "Иордания", + "Kazakhstan": "Казахстан", + "Kenya": "Кения", + "Kiribati": "Кирибати", + "Korea, Democratic People's Republic of": "Северная Корея", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Кувейт", + "Kyrgyzstan": "Кыргызстан", + "Lao People's Democratic Republic": "Лаосская Народно-Демократическая Республика", + "Latvia": "Латвия", + "Lebanon": "Ливан", + "Lesotho": "Лесото", + "Liberia": "Либерия", + "Libyan Arab Jamahiriya": "Ливийская арабская джамахирия", + "Liechtenstein": "Лихтенштейн", + "Lithuania": "Литва", + "Luxembourg": "Люксембург", + "Macao": "Макао", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Мадагаскар", + "Malawi": "Малави", + "Malaysia": "Малайзия", + "Maldives": "Мальдивы", + "Mali": "Мали", + "Malta": "Мальта", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Маршалловы острова", + "Martinique": "Мартиника", + "Mauritania": "Мавритания", + "Mauritius": "Маврикий", + "Mayotte": "Майотта", + "Mexico": "Мексика", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Монако", + "Mongolia": "Монголия", + "Montenegro": "Черногория", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Монтсеррат", + "Morocco": "Марокко", + "Mozambique": "Мозамбик", + "Myanmar": "Мьянма", + "Namibia": "Намибия", + "Nauru": "Науру", + "Nepal": "Непал", + "Netherlands": "Нидерланды", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Новая Каледония", + "New Zealand": "Новая Зеландия", + "Nicaragua": "Никарагуа", + "Niger": "Нигер", + "Nigeria": "Нигерия", + "Niue": "Ниуэ", + "Norfolk Island": "Остров Норфолк", + "Northern Mariana Islands": "Северные Марианские острова", + "Norway": "Норвегия", + "Oman": "Оман", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Пакистан", + "Palau": "Палау", + "Palestinian Territory, Occupied": "Палестинская территория", + "Panama": "Панама", + "Papua New Guinea": "Папуа-Новая Гвинея", + "Paraguay": "Парагвай", + "Payment Information": "Payment Information", + "Peru": "Перу", + "Philippines": "Филиппины", + "Pitcairn": "Питкэрн", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Польша", + "Portugal": "Португалия", + "Puerto Rico": "Пуэрто-Рико", + "Qatar": "Катар", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Румыния", + "Russian Federation": "Российская Федерация", + "Rwanda": "Руанда", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Остров Святой Елены", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Сент-Люсия", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Самоа", + "San Marino": "Сан-Марино", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Саудовская Аравия", + "Save": "Сохранить", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Сенегал", + "Serbia": "Сербия", + "Seychelles": "Сейшелы", + "Sierra Leone": "Сьерра-Леоне", + "Signed in as": "Signed in as", + "Singapore": "Сингапур", + "Slovakia": "Словакия", + "Slovenia": "Словения", + "Solomon Islands": "Соломоновы острова", + "Somalia": "Сомали", + "South Africa": "Южная Африка", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Испания", + "Sri Lanka": "Шри-Ланка", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Судан", + "Suriname": "Суринам", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Свазиленд", + "Sweden": "Швеция", + "Switzerland": "Швейцария", + "Syrian Arab Republic": "Сирия", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Таджикистан", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "условиями обслуживания", + "Thailand": "Таиланд", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Тимор-Лешти", + "Togo": "Того", + "Tokelau": "Токелау", + "Tonga": "Тонга", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Тунис", + "Turkey": "Индюк", + "Turkmenistan": "Туркменистан", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Тувалу", + "Uganda": "Уганда", + "Ukraine": "Украина", + "United Arab Emirates": "Объединенные Арабские Эмираты", + "United Kingdom": "Соединенное Королевство", + "United States": "Соединенные Штаты", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Обновить", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Уругвай", + "Uzbekistan": "Узбекистан", + "Vanuatu": "Вануату", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Вьетнам", + "Virgin Islands, British": "Виргинские острова, Британские", + "Virgin Islands, U.S.": "Виргинские острова, США", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Западная Сахара", + "Whoops! Something went wrong.": "Упс! Что-то пошло не так.", + "Yearly": "Yearly", + "Yemen": "Йемен", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Замбия", + "Zimbabwe": "Зимбабве", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/ru/ru.json b/locales/ru/ru.json index 04393b84787..86171b1278b 100644 --- a/locales/ru/ru.json +++ b/locales/ru/ru.json @@ -1,710 +1,48 @@ { - "30 Days": "30 дней", - "60 Days": "60 дней", - "90 Days": "90 дней", - ":amount Total": ":amount всего", - ":days day trial": ":days day trial", - ":resource Details": "Детали :resource", - ":resource Details: :title": "Детали :resource: :title", "A fresh verification link has been sent to your email address.": "Новая ссылка для подтверждения была отправлена на Ваш email-адрес.", - "A new verification link has been sent to the email address you provided during registration.": "Новая ссылка для подтверждения была отправлена на Ваш email-адрес, указанный при регистрации.", - "Accept Invitation": "Принять приглашение", - "Action": "Действие", - "Action Happened At": "Произошло в", - "Action Initiated By": "Инициировано", - "Action Name": "Имя", - "Action Status": "Статус", - "Action Target": "Цель", - "Actions": "Действия", - "Add": "Добавить", - "Add a new team member to your team, allowing them to collaborate with you.": "Добавьте нового члена в свою команду для совместной работы с ним.", - "Add additional security to your account using two factor authentication.": "Защитите свой аккаунт используя двухфакторную аутентификацию.", - "Add row": "Добавить строку", - "Add Team Member": "Добавить члена команды", - "Add VAT Number": "Add VAT Number", - "Added.": "Добавлено.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Администратор", - "Administrator users can perform any action.": "Пользователи с правами администратора могут выполнять любые действия.", - "Afghanistan": "Афганистан", - "Aland Islands": "Аландские острова", - "Albania": "Албания", - "Algeria": "Алжир", - "All of the people that are part of this team.": "Все люди, являющиеся частью этой команды", - "All resources loaded.": "Все ресурсы загружены.", - "All rights reserved.": "Все права защищены.", - "Already registered?": "Уже зарегистрированы?", - "American Samoa": "Американское Самоа", - "An error occured while uploading the file.": "Произошла ошибка при загрузке файла.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Андорра", - "Angola": "Ангола", - "Anguilla": "Ангилья", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Другой пользователь обновил этот ресурс, так как страница была загружена. Обновите страницу и попробуйте ещё раз.", - "Antarctica": "Антарктида", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Антигуа и Барбуда", - "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 токены позволяют сторонним службам аутентифицироваться в приложении от Вашего имени.", - "April": "Апрель", - "Are you sure you want to delete the selected resources?": "Вы уверены, что хотите удалить выбранные ресурсы?", - "Are you sure you want to delete this file?": "Вы уверены, что хотите удалить файл?", - "Are you sure you want to delete this resource?": "Вы уверены, что хотите удалить ресурс?", - "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 detach the selected resources?": "Вы уверены, что хотите отключить выбранные ресурсы?", - "Are you sure you want to detach this resource?": "Вы уверены, что хотите отключить ресурс?", - "Are you sure you want to force delete the selected resources?": "Вы уверены, что хотите навсегда удалить выбранные ресурсы?", - "Are you sure you want to force delete this resource?": "Вы уверены, что хотите навсегда удалить ресурс?", - "Are you sure you want to restore the selected resources?": "Вы уверены, что хотите восстановить выбранные ресурсы?", - "Are you sure you want to restore this resource?": "Вы уверены, что хотите восстановить ресурс?", - "Are you sure you want to run this action?": "Вы уверены, что хотите запустить это действие?", - "Are you sure you would like to delete this API token?": "Вы уверены, что хотите удалить этот API токен?", - "Are you sure you would like to leave this team?": "Вы уверены, что хотите покинуть эту команду?", - "Are you sure you would like to remove this person from the team?": "Вы уверены, что хотите удалить этого члена команды?", - "Argentina": "Аргентина", - "Armenia": "Армения", - "Aruba": "Аруба", - "Attach": "Прикрепить", - "Attach & Attach Another": "Прикрепить и прикрепить другое", - "Attach :resource": "Прикрепить :resource", - "August": "Август", - "Australia": "Австралия", - "Austria": "Австрия", - "Azerbaijan": "Азербайджан", - "Bahamas": "Багамы", - "Bahrain": "Бахрейн", - "Bangladesh": "Бангладеш", - "Barbados": "Барбадос", "Before proceeding, please check your email for a verification link.": "Прежде чем продолжить, пожалуйста, проверьте ссылку подтверждения в своей электронной почте.", - "Belarus": "Беларусь", - "Belgium": "Бельгия", - "Belize": "Белиз", - "Benin": "Бенин", - "Bermuda": "Бермудские острова", - "Bhutan": "Бутан", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Боливия", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Бонэйр, Синт-Эстатиус и Саба", - "Bosnia And Herzegovina": "Босния и Герцеговина", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Ботсвана", - "Bouvet Island": "Остров Буве", - "Brazil": "Бразилия", - "British Indian Ocean Territory": "Британская территория Индийского океана", - "Browser Sessions": "Сеансы", - "Brunei Darussalam": "Бруней-Даруссалам", - "Bulgaria": "Болгария", - "Burkina Faso": "Буркина-Фасо", - "Burundi": "Бурунди", - "Cambodia": "Камбоджа", - "Cameroon": "Камерун", - "Canada": "Канада", - "Cancel": "Отмена", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Кабо-Верде", - "Card": "Карта", - "Cayman Islands": "Каймановы острова", - "Central African Republic": "Центрально-Африканская Республика", - "Chad": "Чад", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Изменения", - "Chile": "Чили", - "China": "Китай", - "Choose": "Выберите", - "Choose :field": "Выберите :field", - "Choose :resource": "Выберите :resource", - "Choose an option": "Выберите опцию", - "Choose date": "Выберите дату", - "Choose File": "Выберите файл", - "Choose Type": "Выберите тип", - "Christmas Island": "Остров Рождества", - "City": "City", "click here to request another": "нажмите здесь, чтобы запросить еще раз", - "Click to choose": "Кликните для выбора", - "Close": "Закрыть", - "Cocos (Keeling) Islands": "Кокосовые (Килинг) острова", - "Code": "Код", - "Colombia": "Колумбия", - "Comoros": "Коморские острова", - "Confirm": "Подтвердить", - "Confirm Password": "Подтверждение пароля", - "Confirm Payment": "Подтвердить оплату", - "Confirm your :amount payment": "Подтвердите платёж на сумму :amount", - "Congo": "Конго", - "Congo, Democratic Republic": "Конго, Демократическая Республика", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Константа", - "Cook Islands": "Острова Кука", - "Costa Rica": "Коста-Рика", - "Cote D'Ivoire": "Кот-д'Ивуар", - "could not be found.": "не может быть найдено.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Создать", - "Create & Add Another": "Создать и добавить другое", - "Create :resource": "Создать :resource", - "Create a new team to collaborate with others on projects.": "Создайте новую команду для совместной работы над проектами.", - "Create Account": "Создать аккаунт", - "Create API Token": "Создать API токен", - "Create New Team": "Создать команду", - "Create Team": "Создать команду", - "Created.": "Создано.", - "Croatia": "Хорватия", - "Cuba": "Куба", - "Curaçao": "Кюрасао", - "Current Password": "Текущий пароль", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Настройка", - "Cyprus": "Кипр", - "Czech Republic": "Республика Чехия", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Главная", - "December": "Декабрь", - "Decrease": "Снижение", - "Delete": "Удалить", - "Delete Account": "Удалить аккаунт", - "Delete API Token": "Удалить API токен", - "Delete File": "Удалить файл", - "Delete Resource": "Удалить ресурс", - "Delete Selected": "Удалить выбранные", - "Delete Team": "Удалить команду", - "Denmark": "Дания", - "Detach": "Открепить", - "Detach Resource": "Открепить ресурс", - "Detach Selected": "Открепить выбранные", - "Details": "Подробности", - "Disable": "Отключить", - "Djibouti": "Джибути", - "Do you really want to leave? You have unsaved changes.": "Вы действительно хотите уйти? У Вас есть несохранённые изменения.", - "Dominica": "Доминика", - "Dominican Republic": "Доминиканская Республика", - "Done.": "Успешно.", - "Download": "Скачать", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-Mail адрес", - "Ecuador": "Эквадор", - "Edit": "Редактировать", - "Edit :resource": "Редактировать :resource", - "Edit Attached": "Редактировать прикреплённые", - "Editor": "Редактор", - "Editor users have the ability to read, create, and update.": "Пользователи с правами редактора могут читать, создавать и обновлять.", - "Egypt": "Египет", - "El Salvador": "Сальвадор", - "Email": "E-Mail адрес", - "Email Address": "Email", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Ссылка для сброса пароля", - "Enable": "Включить", - "Ensure your account is using a long, random password to stay secure.": "В целях безопасности убедитесь, что Вы используете длинный рандомный пароль.", - "Equatorial Guinea": "Экваториальная Гвинея", - "Eritrea": "Эритрея", - "Estonia": "Эстония", - "Ethiopia": "Эфиопия", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Необходимо дополнительное подтверждение для обработки Вашего платежа. Пожалуйста, подтвердите Ваш платёж, заполнив платежные реквизиты.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Необходимо дополнительное подтверждение для обработки Вашего платежа. Пожалуйста, перейдите на страницу оплаты, нажав кнопку ниже.", - "Falkland Islands (Malvinas)": "Фолклендские (Мальвинские) острова", - "Faroe Islands": "Фарерские острова", - "February": "Февраль", - "Fiji": "Фиджи", - "Finland": "Финляндия", - "For your security, please confirm your password to continue.": "Для продолжения подтвердите пароль для Вашей безопасности.", "Forbidden": "Запрещено", - "Force Delete": "Принудительно удалить", - "Force Delete Resource": "Принудительно удалить ресурс", - "Force Delete Selected": "Принудительно удалить выбранное", - "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.": "Забыли пароль? Нет проблем. Просто сообщите Ваш email-адрес и мы пришлём Вам ссылку для сброса пароля.", - "France": "Франция", - "French Guiana": "Французская Гвиана", - "French Polynesia": "Французская Полинезия", - "French Southern Territories": "Южные Французские Территории", - "Full name": "ФИО", - "Gabon": "Габон", - "Gambia": "Гамбия", - "Georgia": "Грузия", - "Germany": "Германия", - "Ghana": "Гана", - "Gibraltar": "Гибралтар", - "Go back": "Назад", - "Go Home": "Домой", "Go to page :page": "Перейти к :page-й странице", - "Great! You have accepted the invitation to join the :team team.": "Отлично! Вы приняли приглашение присоединиться к команде :team.", - "Greece": "Греция", - "Greenland": "Гренландия", - "Grenada": "Гренада", - "Guadeloupe": "Гваделупа", - "Guam": "Гуам", - "Guatemala": "Гватемала", - "Guernsey": "Гернси", - "Guinea": "Гвинея", - "Guinea-Bissau": "Гвинея-Бисау", - "Guyana": "Гайана", - "Haiti": "Гаити", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Остров Херд и острова Макдональд", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Здравствуйте!", - "Hide Content": "Скрыть контент", - "Hold Up!": "Задержать!", - "Holy See (Vatican City State)": "Святой Престол (государство-город Ватикан)", - "Honduras": "Гондурас", - "Hong Kong": "Гонконг", - "Hungary": "Венгрия", - "I agree to the :terms_of_service and :privacy_policy": "Я соглашаюсь с :terms_of_service и :privacy_policy", - "Iceland": "Исландия", - "ID": "ID", - "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 logout 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 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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Если у Вас возникли проблемы с кликом по кнопке \":actionText\", скопируйте и вставьте адрес\nв адресную строку браузера:", - "Increase": "Увеличить", - "India": "Индия", - "Indonesia": "Индонезия", "Invalid signature.": "Неверная подпись.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Иран", - "Iraq": "Ирак", - "Ireland": "Ирландия", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Остров Мэн", - "Israel": "Израиль", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Италия", - "Jamaica": "Ямайка", - "January": "Январь", - "Japan": "Япония", - "Jersey": "Джерси", - "Jordan": "Иордания", - "July": "Июль", - "June": "Июнь", - "Kazakhstan": "Казахстан", - "Kenya": "Кения", - "Key": "Ключ", - "Kiribati": "Кирибати", - "Korea": "Южная Корея", - "Korea, Democratic People's Republic of": "Северная Корея", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Косово", - "Kuwait": "Кувейт", - "Kyrgyzstan": "Кыргызстан", - "Lao People's Democratic Republic": "Лаосская Народно-Демократическая Республика", - "Last active": "Последняя активность", - "Last used": "Последнее использование", - "Latvia": "Латвия", - "Leave": "Покинуть", - "Leave Team": "Покинуть команду", - "Lebanon": "Ливан", - "Lens": "Линза", - "Lesotho": "Лесото", - "Liberia": "Либерия", - "Libyan Arab Jamahiriya": "Ливийская арабская джамахирия", - "Liechtenstein": "Лихтенштейн", - "Lithuania": "Литва", - "Load :perPage More": "Загрузить ещё :perPage", - "Log in": "Войти", "Log out": "Выйти", - "Log Out": "Выйти", - "Log Out Other Browser Sessions": "Завершить другие сессии", - "Login": "Войти", - "Logout": "Выйти", "Logout Other Browser Sessions": "Завершить все сеансы, кроме текущего", - "Luxembourg": "Люксембург", - "Macao": "Макао", - "Macedonia": "Македония", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Мадагаскар", - "Malawi": "Малави", - "Malaysia": "Малайзия", - "Maldives": "Мальдивы", - "Mali": "Мали", - "Malta": "Мальта", - "Manage Account": "Управление аккаунтом", - "Manage and log out your active sessions on other browsers and devices.": "Управление активными сеансами на других устройствах.", "Manage and logout your active sessions on other browsers and devices.": "Управляйте активными сеансами и выходите из них в других браузерах и устройствах.", - "Manage API Tokens": "Управление API токенами", - "Manage Role": "Управление ролью", - "Manage Team": "Управление командой", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Март", - "Marshall Islands": "Маршалловы острова", - "Martinique": "Мартиника", - "Mauritania": "Мавритания", - "Mauritius": "Маврикий", - "May": "Май", - "Mayotte": "Майотта", - "Mexico": "Мексика", - "Micronesia, Federated States Of": "Микронезия", - "Moldova": "Молдова", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Монако", - "Mongolia": "Монголия", - "Montenegro": "Черногория", - "Month To Date": "С начала месяца по дату", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Монтсеррат", - "Morocco": "Марокко", - "Mozambique": "Мозамбик", - "Myanmar": "Мьянма", - "Name": "Имя", - "Namibia": "Намибия", - "Nauru": "Науру", - "Nepal": "Непал", - "Netherlands": "Нидерланды", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Не требуется", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Новый", - "New :resource": "Новый :resource", - "New Caledonia": "Новая Каледония", - "New Password": "Новый пароль", - "New Zealand": "Новая Зеландия", - "Next": "Следующий", - "Nicaragua": "Никарагуа", - "Niger": "Нигер", - "Nigeria": "Нигерия", - "Niue": "Ниуэ", - "No": "Нет", - "No :resource matched the given criteria.": "Нет :resource совпадающих с условиями.", - "No additional information...": "Нет дополнительной информации...", - "No Current Data": "Нет текущих данных", - "No Data": "Нет данных", - "no file selected": "нет выбранных файлов", - "No Increase": "Не увеличено", - "No Prior Data": "Нет приоритетных данных", - "No Results Found.": "Результаты не найдены.", - "Norfolk Island": "Остров Норфолк", - "Northern Mariana Islands": "Северные Марианские острова", - "Norway": "Норвегия", "Not Found": "Не найдено", - "Nova User": "Пользователь Nova", - "November": "Ноябрь", - "October": "Октябрь", - "of": "из", "Oh no": "О, нет", - "Oman": "Оман", - "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 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 Trashed": "Только удалённые", - "Original": "Оригинал", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Страница устарела", "Pagination Navigation": "Навигация", - "Pakistan": "Пакистан", - "Palau": "Палау", - "Palestinian Territory, Occupied": "Палестинская территория", - "Panama": "Панама", - "Papua New Guinea": "Папуа-Новая Гвинея", - "Paraguay": "Парагвай", - "Password": "Пароль", - "Pay :amount": "Оплатить :amount", - "Payment Cancelled": "Платёж отменён", - "Payment Confirmation": "Платёж подтверждён", - "Payment Information": "Payment Information", - "Payment Successful": "Платёж выполнен", - "Pending Team Invitations": "Ожидающие приглашения в команду", - "Per Page": "На страницу", - "Permanently delete this team.": "Удалить эту команду навсегда.", - "Permanently delete your account.": "Удалить свой аккаунт навсегда.", - "Permissions": "Разрешения", - "Peru": "Перу", - "Philippines": "Филиппины", - "Photo": "Фото", - "Pitcairn": "Питкэрн", "Please click the button below to verify your email address.": "Пожалуйста, нажмите кнопку ниже, чтобы подтвердить свой адрес электронной почты.", - "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 your password before continuing.": "Пожалуйста, подтвердите Ваш пароль перед продолжением.", - "Please copy your new API token. For your security, it won't be shown again.": "Скопируйте Ваш новый API токен. В целях безопасности он больше не будет отображаться.", - "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 logout of your other browser sessions across all of your devices.": "Для подтверждения выхода из других сеансов на всех устройствах, введите свой пароль для подтверждения.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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. The email address must be associated with an existing account.": "Укажите email-адрес человека, которого Вы хотите добавить в эту команду. Email-адрес должен быть связан с существующим аккаунтом.", - "Please provide your name.": "Пожалуйста, укажите Ваше имя.", - "Poland": "Польша", - "Portugal": "Португалия", - "Press \/ to search": "Нажмите \"\/\" для поиска", - "Preview": "Предпросмотр", - "Previous": "Предыдущий", - "Privacy Policy": "политикой конфиденциальности", - "Profile": "Профиль", - "Profile Information": "Информация профиля", - "Puerto Rico": "Пуэрто-Рико", - "Qatar": "Катар", - "Quarter To Date": "Квартал до даты", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Код восстановления", "Regards": "С уважением", - "Regenerate Recovery Codes": "Перегенерировать коды восстановления", - "Register": "Регистрация", - "Reload": "Перезагрузить", - "Remember me": "Запомнить меня", - "Remember Me": "Запомнить меня", - "Remove": "Удалить", - "Remove Photo": "Удалить фото", - "Remove Team Member": "Удалить члена команды", - "Resend Verification Email": "Выслать повторно письмо для подтверждения", - "Reset Filters": "Сбросить фильтры", - "Reset Password": "Сбросить пароль", - "Reset Password Notification": "Уведомление сброса пароля", - "resource": "ресурс", - "Resources": "Ресурсы", - "resources": "ресурсы", - "Restore": "Восстановить", - "Restore Resource": "Восстановить ресурс", - "Restore Selected": "Восстановить выбранные", "results": "результатов", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Воссоединение", - "Role": "Роль", - "Romania": "Румыния", - "Run Action": "Выполнить действие", - "Russian Federation": "Российская Федерация", - "Rwanda": "Руанда", - "Réunion": "Réunion", - "Saint Barthelemy": "Сен-Бартелеми", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Остров Святой Елены", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "Сент-Китс и Невис", - "Saint Lucia": "Сент-Люсия", - "Saint Martin": "Сен-Мартен", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "Сен-Пьер и Микелон", - "Saint Vincent And Grenadines": "Сент-Винсент и Гренадины", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Самоа", - "San Marino": "Сан-Марино", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "Сан-Томе и Принсипи", - "Saudi Arabia": "Саудовская Аравия", - "Save": "Сохранить", - "Saved.": "Сохранено.", - "Search": "Поиск", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Выбрать фото", - "Select Action": "Выбрать действие", - "Select All": "Выбрать все", - "Select All Matching": "Выбрать все совпадающие", - "Send Password Reset Link": "Отправить ссылку сброса пароля", - "Senegal": "Сенегал", - "September": "Сентябрь", - "Serbia": "Сербия", "Server Error": "Ошибка сервера", "Service Unavailable": "Сервис недоступен", - "Seychelles": "Сейшелы", - "Show All Fields": "Показать все поля", - "Show Content": "Показать контент", - "Show Recovery Codes": "Показать коды восстановления", "Showing": "Показано с", - "Sierra Leone": "Сьерра-Леоне", - "Signed in as": "Signed in as", - "Singapore": "Сингапур", - "Sint Maarten (Dutch part)": "Синт-Мартен (голландская часть)", - "Slovakia": "Словакия", - "Slovenia": "Словения", - "Solomon Islands": "Соломоновы острова", - "Somalia": "Сомали", - "Something went wrong.": "Что-то не так.", - "Sorry! You are not authorized to perform this action.": "Извините, у Вас не хватает прав для выполнения этого действия.", - "Sorry, your session has expired.": "Извините, Ваша сессия устарела.", - "South Africa": "Южная Африка", - "South Georgia And Sandwich Isl.": "Южная Георгия и Сэндвичевые острова", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Южный Судан", - "Spain": "Испания", - "Sri Lanka": "Шри-Ланка", - "Start Polling": "Начать опрос", - "State \/ County": "State \/ County", - "Stop Polling": "Остановить опрос", - "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.": "Храните эти коды восстановления в безопасном месте. Их можно использовать для восстановления доступа к Вашей учётной записи, если Ваше устройство с двухфакторной аутентификацией потеряно.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Судан", - "Suriname": "Суринам", - "Svalbard And Jan Mayen": "Шпицберген и Ян-Майен", - "Swaziland": "Свазиленд", - "Sweden": "Швеция", - "Switch Teams": "Сменить команды", - "Switzerland": "Швейцария", - "Syrian Arab Republic": "Сирия", - "Taiwan": "Тайвань", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Таджикистан", - "Tanzania": "Танзания", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Детали команды", - "Team Invitation": "Приглашение в команду", - "Team Members": "Члены команды", - "Team Name": "Название команды", - "Team Owner": "Владелец команды", - "Team Settings": "Настройки команды", - "Terms of Service": "условиями обслуживания", - "Thailand": "Таиланд", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "Поле :attribute должно быть корректной ролью.", - "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 and 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 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 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.": "Поле :attribute должно быть не меньше :length символов.", "The :attribute must contain at least one letter.": "Поле :attribute должно содержать минимум одну букву.", "The :attribute must contain at least one number.": "Поле :attribute должно содержать минимум одну цифру.", "The :attribute must contain at least one symbol.": "Поле :attribute должно содержать минимум один спец символ.", "The :attribute must contain at least one uppercase and one lowercase letter.": "Поле :attribute должно содержать как минимум по одному символу в нижнем и верхнем регистрах.", - "The :resource was created!": "Ресурс :resource создан!", - "The :resource was deleted!": "Ресурс :resource удалён!", - "The :resource was restored!": "Ресурс :resource восстановлен!", - "The :resource was updated!": "Ресурс :resource обновлён!", - "The action ran successfully!": "Действие успешно запущено!", - "The file was deleted!": "Файл удалён!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "Значение поля :attribute обнаружено в утечке данных. Пожалуйста, укажите другое значение для :attribute.", - "The government won't let us show you what's behind these doors": "Правительство не позволяет нам показывать то, что прячется за этими дверями", - "The HasOne relationship has already been filled.": "Релейшен hasOne уже заполнен.", - "The payment was successful.": "Оплата прошла успешно.", - "The provided coupon code is invalid.": "The provided coupon code is 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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Ресурс был обновлён!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Название команды и информация о её владельце.", - "There are no available options for this resource.": "Нет доступных опций для этого ресурса.", - "There was a problem executing the action.": "При выполнении действия возникла проблема.", - "There was a problem submitting the form.": "При отправке формы возникла проблема.", - "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.": "Эти люди были приглашены в Вашу команду и получили электронное письмо с приглашением. Они могут присоединиться к команде, приняв приглашение.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Неавторизованное действие.", - "This device": "Это устройство", - "This file field is read-only.": "Поле файла доступно только для чтения.", - "This image": "Это изображение", - "This is a secure area of the application. Please confirm your password before continuing.": "Это защищённая область приложения. Пожалуйста, подтвердите Ваш пароль, прежде чем продолжить.", - "This password does not match our records.": "Пароль не соответствует.", "This password reset link will expire in :count minutes.": "Срок действия ссылки для сброса пароля истекает через :count минут.", - "This payment was already successfully confirmed.": "Платёж уже подтверждён.", - "This payment was cancelled.": "Платёж был отменён.", - "This resource no longer exists": "Ресурс больше не существует", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Пользователь уже входит в команду.", - "This user has already been invited to the team.": "Этот пользователь уже был приглашён в команду.", - "Timor-Leste": "Тимор-Лешти", "to": "по", - "Today": "Сегодня", "Toggle navigation": "Переключить навигацию", - "Togo": "Того", - "Tokelau": "Токелау", - "Token Name": "Имя токена", - "Tonga": "Тонга", "Too Many Attempts.": "Слишком много попыток.", "Too Many Requests": "Слишком много запросов", - "total": "всего", - "Total:": "Total:", - "Trashed": "Удалённые", - "Trinidad And Tobago": "Тринидад и Тобаго", - "Tunisia": "Тунис", - "Turkey": "Индюк", - "Turkmenistan": "Туркменистан", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Острова Теркс и Кайкос", - "Tuvalu": "Тувалу", - "Two Factor Authentication": "Двухфакторная аутентификация", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Двухфакторная аутентификация включена. Сканируйте QR-код с помощью приложения проверки аутентификации на Вашем телефоне.", - "Uganda": "Уганда", - "Ukraine": "Украина", "Unauthorized": "Не авторизован", - "United Arab Emirates": "Объединенные Арабские Эмираты", - "United Kingdom": "Соединенное Королевство", - "United States": "Соединенные Штаты", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "Внешние острова США", - "Update": "Обновить", - "Update & Continue Editing": "Обновить и продолжить редактирование", - "Update :resource": "Обновить :resource", - "Update :resource: :title": "Обновить :resource: :title", - "Update attached :resource: :title": "Обновить прикреплённый :resource: :title", - "Update Password": "Обновить пароль", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Обновите информацию и email-адрес в профиле Вашей учётной записи.", - "Uruguay": "Уругвай", - "Use a recovery code": "Использовать код восстановления", - "Use an authentication code": "Использовать код аутентификации", - "Uzbekistan": "Узбекистан", - "Value": "Значение", - "Vanuatu": "Вануату", - "VAT Number": "VAT Number", - "Venezuela": "Венесуэла", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Подтвердить email-адрес", "Verify Your Email Address": "Подтвердите Ваш email-адрес", - "Viet Nam": "Вьетнам", - "View": "Показать", - "Virgin Islands, British": "Виргинские острова, Британские", - "Virgin Islands, U.S.": "Виргинские острова, США", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Уоллис и Футуна", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Нам не удалось найти зарегистрированного пользователя с этим адресом электронной почты.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Мы не будем запрашивать Ваш пароль вновь в течение нескольких часов.", - "We're lost in space. The page you were trying to view does not exist.": "Мы потерялись в пространстве. Страница, которую Вы пытаетесь просмотреть, не существует.", - "Welcome Back!": "С возвращением!", - "Western Sahara": "Западная Сахара", - "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 Вашего телефона.", - "Whoops": "Упс", - "Whoops!": "Упс!", - "Whoops! Something went wrong.": "Упс! Что-то пошло не так.", - "With Trashed": "С удалёнными", - "Write": "Записать", - "Year To Date": "С начала года до даты", - "Yearly": "Yearly", - "Yemen": "Йемен", - "Yes": "Да", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Вы вошли в систему!", - "You are receiving this email because we received a password reset request for your account.": "Вы получили это письмо, потому что мы получили запрос на сброс пароля для Вашей учетной записи.", - "You have been invited to join the :team team!": "Вас пригласили присоединиться к команде :team!", - "You have enabled two factor authentication.": "Вы включили двухфакторную аутентификацию.", - "You have not enabled two factor authentication.": "Вы не включили двухфакторную аутентификацию.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.": "Вы не можете покидать созданную Вами команду.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Ваш email адрес не подтвержден.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Замбия", - "Zimbabwe": "Зимбабве", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Ваш email адрес не подтвержден." } diff --git a/locales/sc/packages/cashier.json b/locales/sc/packages/cashier.json new file mode 100644 index 00000000000..d815141a0b5 --- /dev/null +++ b/locales/sc/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "All rights reserved.", + "Card": "Card", + "Confirm Payment": "Confirm Payment", + "Confirm your :amount payment": "Confirm your :amount payment", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", + "Full name": "Full name", + "Go back": "Go back", + "Jane Doe": "Jane Doe", + "Pay :amount": "Pay :amount", + "Payment Cancelled": "Payment Cancelled", + "Payment Confirmation": "Payment Confirmation", + "Payment Successful": "Payment Successful", + "Please provide your name.": "Please provide your name.", + "The payment was successful.": "The payment was successful.", + "This payment was already successfully confirmed.": "This payment was already successfully confirmed.", + "This payment was cancelled.": "This payment was cancelled." +} diff --git a/locales/sc/packages/fortify.json b/locales/sc/packages/fortify.json new file mode 100644 index 00000000000..fa4b05c7684 --- /dev/null +++ b/locales/sc/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 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 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." +} diff --git a/locales/sc/packages/jetstream.json b/locales/sc/packages/jetstream.json new file mode 100644 index 00000000000..0f42c7ba1ac --- /dev/null +++ b/locales/sc/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "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.", + "Accept Invitation": "Accept Invitation", + "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 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", + "Added.": "Added.", + "Administrator": "Administrator", + "Administrator users can perform any action.": "Administrator users can perform any action.", + "All of the people that are part of this team.": "All of the people that are part of this team.", + "Already registered?": "Already registered?", + "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.", + "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 delete this API token?": "Are you sure you would like to delete this API token?", + "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?", + "Browser Sessions": "Browser Sessions", + "Cancel": "Cancel", + "Close": "Close", + "Code": "Code", + "Confirm": "Confirm", + "Confirm Password": "Confirm Password", + "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 API Token": "Create API Token", + "Create New Team": "Create New Team", + "Create Team": "Create Team", + "Created.": "Created.", + "Current Password": "Current Password", + "Dashboard": "Dashboard", + "Delete": "Delete", + "Delete Account": "Delete Account", + "Delete API Token": "Delete API Token", + "Delete Team": "Delete Team", + "Disable": "Disable", + "Done.": "Done.", + "Editor": "Editor", + "Editor users have the ability to read, create, and update.": "Editor users have the ability to read, create, and update.", + "Email": "Email", + "Email Password Reset Link": "Email Password Reset Link", + "Enable": "Enable", + "Ensure your account is using a long, random password to stay secure.": "Ensure your account is using a long, random password to stay secure.", + "For your security, please confirm your password to continue.": "For your security, please confirm your password to continue.", + "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.", + "Great! You have accepted the invitation to join the :team team.": "Great! You have accepted the invitation to join the :team team.", + "I agree to the :terms_of_service and :privacy_policy": "I agree to the :terms_of_service and :privacy_policy", + "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 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 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 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:", + "Last active": "Last active", + "Last used": "Last used", + "Leave": "Leave", + "Leave Team": "Leave Team", + "Log in": "Log in", + "Log Out": "Log Out", + "Log Out Other Browser Sessions": "Log Out Other Browser Sessions", + "Manage Account": "Manage Account", + "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 Role": "Manage Role", + "Manage Team": "Manage Team", + "Name": "Name", + "New Password": "New Password", + "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 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.", + "Password": "Password", + "Pending Team Invitations": "Pending Team Invitations", + "Permanently delete this team.": "Permanently delete this team.", + "Permanently delete your account.": "Permanently delete your account.", + "Permissions": "Permissions", + "Photo": "Photo", + "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 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 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.", + "Privacy Policy": "Privacy Policy", + "Profile": "Profile", + "Profile Information": "Profile Information", + "Recovery Code": "Recovery Code", + "Regenerate Recovery Codes": "Regenerate Recovery Codes", + "Register": "Register", + "Remember me": "Remember me", + "Remove": "Remove", + "Remove Photo": "Remove Photo", + "Remove Team Member": "Remove Team Member", + "Resend Verification Email": "Resend Verification Email", + "Reset Password": "Reset Password", + "Role": "Role", + "Save": "Save", + "Saved.": "Saved.", + "Select A New Photo": "Select A New Photo", + "Show Recovery Codes": "Show Recovery Codes", + "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.", + "Switch Teams": "Switch Teams", + "Team Details": "Team Details", + "Team Invitation": "Team Invitation", + "Team Members": "Team Members", + "Team Name": "Team Name", + "Team Owner": "Team Owner", + "Team Settings": "Team Settings", + "Terms of Service": "Terms of Service", + "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 a valid role.": "The :attribute must be a valid role.", + "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 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 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 team's name and owner information.": "The team's name and owner information.", + "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.", + "This device": "This device", + "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 password does not match our records.": "This password does not match our records.", + "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.", + "Token Name": "Token Name", + "Two Factor Authentication": "Two Factor Authentication", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.", + "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", + "Use an authentication code": "Use an authentication code", + "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.", + "Whoops! Something went wrong.": "Whoops! Something went wrong.", + "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 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." +} diff --git a/locales/sc/packages/nova.json b/locales/sc/packages/nova.json new file mode 100644 index 00000000000..4b295ddfca3 --- /dev/null +++ b/locales/sc/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Days", + "60 Days": "60 Days", + "90 Days": "90 Days", + ":amount Total": ":amount Total", + ":resource Details": ":resource Details", + ":resource Details: :title": ":resource Details: :title", + "Action": "Action", + "Action Happened At": "Happened At", + "Action Initiated By": "Initiated By", + "Action Name": "Name", + "Action Status": "Status", + "Action Target": "Target", + "Actions": "Actions", + "Add row": "Add row", + "Afghanistan": "Afghanistan", + "Aland Islands": "Åland Islands", + "Albania": "Albania", + "Algeria": "Algeria", + "All resources loaded.": "All resources loaded.", + "American Samoa": "American Samoa", + "An error occured while uploading the file.": "An error occured while uploading the file.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Another user has updated this resource since this page was loaded. Please refresh the page and try again.", + "Antarctica": "Antarctica", + "Antigua And Barbuda": "Antigua and Barbuda", + "April": "April", + "Are you sure you want to delete the selected resources?": "Are you sure you want to delete the selected resources?", + "Are you sure you want to delete this file?": "Are you sure you want to delete this file?", + "Are you sure you want to delete this resource?": "Are you sure you want to delete this resource?", + "Are you sure you want to detach the selected resources?": "Are you sure you want to detach the selected resources?", + "Are you sure you want to detach this resource?": "Are you sure you want to detach this resource?", + "Are you sure you want to force delete the selected resources?": "Are you sure you want to force delete the selected resources?", + "Are you sure you want to force delete this resource?": "Are you sure you want to force delete this resource?", + "Are you sure you want to restore the selected resources?": "Are you sure you want to restore the selected resources?", + "Are you sure you want to restore this resource?": "Are you sure you want to restore this resource?", + "Are you sure you want to run this action?": "Are you sure you want to run this action?", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Attach": "Attach", + "Attach & Attach Another": "Attach & Attach Another", + "Attach :resource": "Attach :resource", + "August": "August", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgium", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Saba", + "Bosnia And Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brazil", + "British Indian Ocean Territory": "British Indian Ocean Territory", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Cameroon", + "Canada": "Canada", + "Cancel": "Cancel", + "Cape Verde": "Cape Verde", + "Cayman Islands": "Cayman Islands", + "Central African Republic": "Central African Republic", + "Chad": "Chad", + "Changes": "Changes", + "Chile": "Chile", + "China": "China", + "Choose": "Choose", + "Choose :field": "Choose :field", + "Choose :resource": "Choose :resource", + "Choose an option": "Choose an option", + "Choose date": "Choose date", + "Choose File": "Choose File", + "Choose Type": "Choose Type", + "Christmas Island": "Christmas Island", + "Click to choose": "Click to choose", + "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", + "Colombia": "Colombia", + "Comoros": "Comoros", + "Confirm Password": "Confirm Password", + "Congo": "Congo", + "Congo, Democratic Republic": "Congo, Democratic Republic", + "Constant": "Constant", + "Cook Islands": "Cook Islands", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "could not be found.", + "Create": "Create", + "Create & Add Another": "Create & Add Another", + "Create :resource": "Create :resource", + "Croatia": "Croatia", + "Cuba": "Cuba", + "Curaçao": "Curaçao", + "Customize": "Customize", + "Cyprus": "Cyprus", + "Czech Republic": "Czechia", + "Dashboard": "Dashboard", + "December": "December", + "Decrease": "Decrease", + "Delete": "Delete", + "Delete File": "Delete File", + "Delete Resource": "Delete Resource", + "Delete Selected": "Delete Selected", + "Denmark": "Denmark", + "Detach": "Detach", + "Detach Resource": "Detach Resource", + "Detach Selected": "Detach Selected", + "Details": "Details", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Do you really want to leave? You have unsaved changes.", + "Dominica": "Dominica", + "Dominican Republic": "Dominican Republic", + "Download": "Download", + "Ecuador": "Ecuador", + "Edit": "Edit", + "Edit :resource": "Edit :resource", + "Edit Attached": "Edit Attached", + "Egypt": "Egypt", + "El Salvador": "El Salvador", + "Email Address": "Email Address", + "Equatorial Guinea": "Equatorial Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Ethiopia", + "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", + "Faroe Islands": "Faroe Islands", + "February": "February", + "Fiji": "Fiji", + "Finland": "Finland", + "Force Delete": "Force Delete", + "Force Delete Resource": "Force Delete Resource", + "Force Delete Selected": "Force Delete Selected", + "Forgot Your Password?": "Forgot Your Password?", + "Forgot your password?": "Forgot your password?", + "France": "France", + "French Guiana": "French Guiana", + "French Polynesia": "French Polynesia", + "French Southern Territories": "French Southern Territories", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Germany", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "Go Home", + "Greece": "Greece", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Heard Island and McDonald Islands", + "Hide Content": "Hide Content", + "Hold Up!": "Hold Up!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungary", + "Iceland": "Iceland", + "ID": "ID", + "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.", + "Increase": "Increase", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Iraq", + "Ireland": "Ireland", + "Isle Of Man": "Isle of Man", + "Israel": "Israel", + "Italy": "Italy", + "Jamaica": "Jamaica", + "January": "January", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "July": "July", + "June": "June", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Key": "Key", + "Kiribati": "Kiribati", + "Korea": "South Korea", + "Korea, Democratic People's Republic of": "North Korea", + "Kosovo": "Kosovo", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvia", + "Lebanon": "Lebanon", + "Lens": "Lens", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lithuania", + "Load :perPage More": "Load :perPage More", + "Login": "Login", + "Logout": "Logout", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia": "North Macedonia", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Mali", + "Malta": "Malta", + "March": "March", + "Marshall Islands": "Marshall Islands", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "May": "May", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States Of": "Micronesia", + "Moldova": "Moldova", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Month To Date": "Month To Date", + "Montserrat": "Montserrat", + "Morocco": "Morocco", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Netherlands", + "New": "New", + "New :resource": "New :resource", + "New Caledonia": "New Caledonia", + "New Zealand": "New Zealand", + "Next": "Next", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "No", + "No :resource matched the given criteria.": "No :resource matched the given criteria.", + "No additional information...": "No additional information...", + "No Current Data": "No Current Data", + "No Data": "No Data", + "no file selected": "no file selected", + "No Increase": "No Increase", + "No Prior Data": "No Prior Data", + "No Results Found.": "No Results Found.", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Northern Mariana Islands", + "Norway": "Norway", + "Nova User": "Nova User", + "November": "November", + "October": "October", + "of": "of", + "Oman": "Oman", + "Only Trashed": "Only Trashed", + "Original": "Original", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinian Territories", + "Panama": "Panama", + "Papua New Guinea": "Papua New Guinea", + "Paraguay": "Paraguay", + "Password": "Password", + "Per Page": "Per Page", + "Peru": "Peru", + "Philippines": "Philippines", + "Pitcairn": "Pitcairn Islands", + "Poland": "Poland", + "Portugal": "Portugal", + "Press \/ to search": "Press \/ to search", + "Preview": "Preview", + "Previous": "Previous", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Quarter To Date", + "Reload": "Reload", + "Remember Me": "Remember Me", + "Reset Filters": "Reset Filters", + "Reset Password": "Reset Password", + "Reset Password Notification": "Reset Password Notification", + "resource": "resource", + "Resources": "Resources", + "resources": "resources", + "Restore": "Restore", + "Restore Resource": "Restore Resource", + "Restore Selected": "Restore Selected", + "Reunion": "Réunion", + "Romania": "Romania", + "Run Action": "Run Action", + "Russian Federation": "Russian Federation", + "Rwanda": "Rwanda", + "Saint Barthelemy": "St. Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts And Nevis": "St. Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin": "St. Martin", + "Saint Pierre And Miquelon": "St. Pierre and Miquelon", + "Saint Vincent And Grenadines": "St. Vincent and Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "São Tomé and Príncipe", + "Saudi Arabia": "Saudi Arabia", + "Search": "Search", + "Select Action": "Select Action", + "Select All": "Select All", + "Select All Matching": "Select All Matching", + "Send Password Reset Link": "Send Password Reset Link", + "Senegal": "Senegal", + "September": "September", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Show All Fields": "Show All Fields", + "Show Content": "Show Content", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapore", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Solomon Islands", + "Somalia": "Somalia", + "Something went wrong.": "Something went wrong.", + "Sorry! You are not authorized to perform this action.": "Sorry! You are not authorized to perform this action.", + "Sorry, your session has expired.": "Sorry, your session has expired.", + "South Africa": "South Africa", + "South Georgia And Sandwich Isl.": "South Georgia and South Sandwich Islands", + "South Sudan": "South Sudan", + "Spain": "Spain", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Start Polling", + "Stop Polling": "Stop Polling", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sweden", + "Switzerland": "Switzerland", + "Syrian Arab Republic": "Syria", + "Taiwan": "Taiwan", + "Tajikistan": "Tajikistan", + "Tanzania": "Tanzania", + "Thailand": "Thailand", + "The :resource was created!": "The :resource was created!", + "The :resource was deleted!": "The :resource was deleted!", + "The :resource was restored!": "The :resource was restored!", + "The :resource was updated!": "The :resource was updated!", + "The action ran successfully!": "The action ran successfully!", + "The file was deleted!": "The file was deleted!", + "The government won't let us show you what's behind these doors": "The government won't let us show you what's behind these doors", + "The HasOne relationship has already been filled.": "The HasOne relationship has already been filled.", + "The resource was updated!": "The resource was updated!", + "There are no available options for this resource.": "There are no available options for this resource.", + "There was a problem executing the action.": "There was a problem executing the action.", + "There was a problem submitting the form.": "There was a problem submitting the form.", + "This file field is read-only.": "This file field is read-only.", + "This image": "This image", + "This resource no longer exists": "This resource no longer exists", + "Timor-Leste": "Timor-Leste", + "Today": "Today", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "total": "total", + "Trashed": "Trashed", + "Trinidad And Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turkey", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "United Arab Emirates", + "United Kingdom": "United Kingdom", + "United States": "United States", + "United States Outlying Islands": "U.S. Outlying Islands", + "Update": "Update", + "Update & Continue Editing": "Update & Continue Editing", + "Update :resource": "Update :resource", + "Update :resource: :title": "Update :resource: :title", + "Update attached :resource: :title": "Update attached :resource: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Value": "Value", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "View", + "Virgin Islands, British": "British Virgin Islands", + "Virgin Islands, U.S.": "U.S. Virgin Islands", + "Wallis And Futuna": "Wallis and Futuna", + "We're lost in space. The page you were trying to view does not exist.": "We're lost in space. The page you were trying to view does not exist.", + "Welcome Back!": "Welcome Back!", + "Western Sahara": "Western Sahara", + "Whoops": "Whoops", + "Whoops!": "Whoops!", + "With Trashed": "With Trashed", + "Write": "Write", + "Year To Date": "Year To Date", + "Yemen": "Yemen", + "Yes": "Yes", + "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.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/sc/packages/spark-paddle.json b/locales/sc/packages/spark-paddle.json new file mode 100644 index 00000000000..d3b44a5fcae --- /dev/null +++ b/locales/sc/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Terms of Service", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Whoops! Something went wrong.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/sc/packages/spark-stripe.json b/locales/sc/packages/spark-stripe.json new file mode 100644 index 00000000000..69f478bd749 --- /dev/null +++ b/locales/sc/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afghanistan", + "Albania": "Albania", + "Algeria": "Algeria", + "American Samoa": "American Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarctica", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgium", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brazil", + "British Indian Ocean Territory": "British Indian Ocean Territory", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Cameroon", + "Canada": "Canada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Cape Verde", + "Card": "Card", + "Cayman Islands": "Cayman Islands", + "Central African Republic": "Central African Republic", + "Chad": "Chad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Chile", + "China": "China", + "Christmas Island": "Christmas Island", + "City": "City", + "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", + "Colombia": "Colombia", + "Comoros": "Comoros", + "Confirm Payment": "Confirm Payment", + "Confirm your :amount payment": "Confirm your :amount payment", + "Congo": "Congo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Cook Islands", + "Costa Rica": "Costa Rica", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Croatia", + "Cuba": "Cuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Cyprus", + "Czech Republic": "Czechia", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Denmark", + "Djibouti": "Djibouti", + "Dominica": "Dominica", + "Dominican Republic": "Dominican Republic", + "Download Receipt": "Download Receipt", + "Ecuador": "Ecuador", + "Egypt": "Egypt", + "El Salvador": "El Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Equatorial Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Ethiopia", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", + "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", + "Faroe Islands": "Faroe Islands", + "Fiji": "Fiji", + "Finland": "Finland", + "France": "France", + "French Guiana": "French Guiana", + "French Polynesia": "French Polynesia", + "French Southern Territories": "French Southern Territories", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Germany", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Greece", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungary", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Iceland", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Iraq", + "Ireland": "Ireland", + "Isle of Man": "Isle of Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italy", + "Jamaica": "Jamaica", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "North Korea", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvia", + "Lebanon": "Lebanon", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lithuania", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Mali", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marshall Islands", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Morocco", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Netherlands", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "New Caledonia", + "New Zealand": "New Zealand", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Northern Mariana Islands", + "Norway": "Norway", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinian Territories", + "Panama": "Panama", + "Papua New Guinea": "Papua New Guinea", + "Paraguay": "Paraguay", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Philippines", + "Pitcairn": "Pitcairn Islands", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Poland", + "Portugal": "Portugal", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Romania", + "Russian Federation": "Russian Federation", + "Rwanda": "Rwanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saudi Arabia", + "Save": "Save", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapore", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Solomon Islands", + "Somalia": "Somalia", + "South Africa": "South Africa", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Spain", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sweden", + "Switzerland": "Switzerland", + "Syrian Arab Republic": "Syria", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tajikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Terms of Service", + "Thailand": "Thailand", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turkey", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "United Arab Emirates", + "United Kingdom": "United Kingdom", + "United States": "United States", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Update", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "British Virgin Islands", + "Virgin Islands, U.S.": "U.S. Virgin Islands", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Western Sahara", + "Whoops! Something went wrong.": "Whoops! Something went wrong.", + "Yearly": "Yearly", + "Yemen": "Yemen", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/sc/sc.json b/locales/sc/sc.json index 7fe2e63dd96..62151bbcded 100644 --- a/locales/sc/sc.json +++ b/locales/sc/sc.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Days", - "60 Days": "60 Days", - "90 Days": "90 Days", - ":amount Total": ":amount Total", - ":days day trial": ":days day trial", - ":resource Details": ":resource Details", - ":resource Details: :title": ":resource Details: :title", "A fresh verification link has been sent to your email address.": "A fresh verification link has been sent to your email address.", - "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.", - "Accept Invitation": "Accept Invitation", - "Action": "Action", - "Action Happened At": "Happened At", - "Action Initiated By": "Initiated By", - "Action Name": "Name", - "Action Status": "Status", - "Action Target": "Target", - "Actions": "Actions", - "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 additional security to your account using two factor authentication.": "Add additional security to your account using two factor authentication.", - "Add row": "Add row", - "Add Team Member": "Add Team Member", - "Add VAT Number": "Add VAT Number", - "Added.": "Added.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administrator", - "Administrator users can perform any action.": "Administrator users can perform any action.", - "Afghanistan": "Afghanistan", - "Aland Islands": "Åland Islands", - "Albania": "Albania", - "Algeria": "Algeria", - "All of the people that are part of this team.": "All of the people that are part of this team.", - "All resources loaded.": "All resources loaded.", - "All rights reserved.": "All rights reserved.", - "Already registered?": "Already registered?", - "American Samoa": "American Samoa", - "An error occured while uploading the file.": "An error occured while uploading the file.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Another user has updated this resource since this page was loaded. Please refresh the page and try again.", - "Antarctica": "Antarctica", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua and Barbuda", - "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.", - "April": "April", - "Are you sure you want to delete the selected resources?": "Are you sure you want to delete the selected resources?", - "Are you sure you want to delete this file?": "Are you sure you want to delete this file?", - "Are you sure you want to delete this resource?": "Are you sure you want to delete this resource?", - "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 want to detach the selected resources?": "Are you sure you want to detach the selected resources?", - "Are you sure you want to detach this resource?": "Are you sure you want to detach this resource?", - "Are you sure you want to force delete the selected resources?": "Are you sure you want to force delete the selected resources?", - "Are you sure you want to force delete this resource?": "Are you sure you want to force delete this resource?", - "Are you sure you want to restore the selected resources?": "Are you sure you want to restore the selected resources?", - "Are you sure you want to restore this resource?": "Are you sure you want to restore this resource?", - "Are you sure you want to run this action?": "Are you sure you want to run this action?", - "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 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?", - "Argentina": "Argentina", - "Armenia": "Armenia", - "Aruba": "Aruba", - "Attach": "Attach", - "Attach & Attach Another": "Attach & Attach Another", - "Attach :resource": "Attach :resource", - "August": "August", - "Australia": "Australia", - "Austria": "Austria", - "Azerbaijan": "Azerbaijan", - "Bahamas": "Bahamas", - "Bahrain": "Bahrain", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Before proceeding, please check your email for a verification link.", - "Belarus": "Belarus", - "Belgium": "Belgium", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bhutan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Saba", - "Bosnia And Herzegovina": "Bosnia and Herzegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvet Island", - "Brazil": "Brazil", - "British Indian Ocean Territory": "British Indian Ocean Territory", - "Browser Sessions": "Browser Sessions", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgaria", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Cambodia", - "Cameroon": "Cameroon", - "Canada": "Canada", - "Cancel": "Cancel", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Cape Verde", - "Card": "Card", - "Cayman Islands": "Cayman Islands", - "Central African Republic": "Central African Republic", - "Chad": "Chad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Changes", - "Chile": "Chile", - "China": "China", - "Choose": "Choose", - "Choose :field": "Choose :field", - "Choose :resource": "Choose :resource", - "Choose an option": "Choose an option", - "Choose date": "Choose date", - "Choose File": "Choose File", - "Choose Type": "Choose Type", - "Christmas Island": "Christmas Island", - "City": "City", "click here to request another": "click here to request another", - "Click to choose": "Click to choose", - "Close": "Close", - "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", - "Code": "Code", - "Colombia": "Colombia", - "Comoros": "Comoros", - "Confirm": "Confirm", - "Confirm Password": "Confirm Password", - "Confirm Payment": "Confirm Payment", - "Confirm your :amount payment": "Confirm your :amount payment", - "Congo": "Congo", - "Congo, Democratic Republic": "Congo, Democratic Republic", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Constant", - "Cook Islands": "Cook Islands", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "could not be found.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Create", - "Create & Add Another": "Create & Add Another", - "Create :resource": "Create :resource", - "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 API Token": "Create API Token", - "Create New Team": "Create New Team", - "Create Team": "Create Team", - "Created.": "Created.", - "Croatia": "Croatia", - "Cuba": "Cuba", - "Curaçao": "Curaçao", - "Current Password": "Current Password", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Customize", - "Cyprus": "Cyprus", - "Czech Republic": "Czechia", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Dashboard", - "December": "December", - "Decrease": "Decrease", - "Delete": "Delete", - "Delete Account": "Delete Account", - "Delete API Token": "Delete API Token", - "Delete File": "Delete File", - "Delete Resource": "Delete Resource", - "Delete Selected": "Delete Selected", - "Delete Team": "Delete Team", - "Denmark": "Denmark", - "Detach": "Detach", - "Detach Resource": "Detach Resource", - "Detach Selected": "Detach Selected", - "Details": "Details", - "Disable": "Disable", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Do you really want to leave? You have unsaved changes.", - "Dominica": "Dominica", - "Dominican Republic": "Dominican Republic", - "Done.": "Done.", - "Download": "Download", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-Mail Address", - "Ecuador": "Ecuador", - "Edit": "Edit", - "Edit :resource": "Edit :resource", - "Edit Attached": "Edit Attached", - "Editor": "Editor", - "Editor users have the ability to read, create, and update.": "Editor users have the ability to read, create, and update.", - "Egypt": "Egypt", - "El Salvador": "El Salvador", - "Email": "Email", - "Email Address": "Email Address", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Email Password Reset Link", - "Enable": "Enable", - "Ensure your account is using a long, random password to stay secure.": "Ensure your account is using a long, random password to stay secure.", - "Equatorial Guinea": "Equatorial Guinea", - "Eritrea": "Eritrea", - "Estonia": "Estonia", - "Ethiopia": "Ethiopia", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", - "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", - "Faroe Islands": "Faroe Islands", - "February": "February", - "Fiji": "Fiji", - "Finland": "Finland", - "For your security, please confirm your password to continue.": "For your security, please confirm your password to continue.", "Forbidden": "Forbidden", - "Force Delete": "Force Delete", - "Force Delete Resource": "Force Delete Resource", - "Force Delete Selected": "Force Delete Selected", - "Forgot Your Password?": "Forgot Your Password?", - "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.", - "France": "France", - "French Guiana": "French Guiana", - "French Polynesia": "French Polynesia", - "French Southern Territories": "French Southern Territories", - "Full name": "Full name", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Georgia", - "Germany": "Germany", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Go back", - "Go Home": "Go Home", "Go to page :page": "Go to page :page", - "Great! You have accepted the invitation to join the :team team.": "Great! You have accepted the invitation to join the :team team.", - "Greece": "Greece", - "Greenland": "Greenland", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Heard Island and McDonald Islands", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Hello!", - "Hide Content": "Hide Content", - "Hold Up!": "Hold Up!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Hungary", - "I agree to the :terms_of_service and :privacy_policy": "I agree to the :terms_of_service and :privacy_policy", - "Iceland": "Iceland", - "ID": "ID", - "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 necessary, you may logout 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 logout 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 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 receive the email": "If you did not receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "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:", - "Increase": "Increase", - "India": "India", - "Indonesia": "Indonesia", "Invalid signature.": "Invalid signature.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Iraq", - "Ireland": "Ireland", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Isle of Man", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italy", - "Jamaica": "Jamaica", - "January": "January", - "Japan": "Japan", - "Jersey": "Jersey", - "Jordan": "Jordan", - "July": "July", - "June": "June", - "Kazakhstan": "Kazakhstan", - "Kenya": "Kenya", - "Key": "Key", - "Kiribati": "Kiribati", - "Korea": "South Korea", - "Korea, Democratic People's Republic of": "North Korea", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuwait", - "Kyrgyzstan": "Kyrgyzstan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Last active", - "Last used": "Last used", - "Latvia": "Latvia", - "Leave": "Leave", - "Leave Team": "Leave Team", - "Lebanon": "Lebanon", - "Lens": "Lens", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libya", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Lithuania", - "Load :perPage More": "Load :perPage More", - "Log in": "Log in", "Log out": "Log out", - "Log Out": "Log Out", - "Log Out Other Browser Sessions": "Log Out Other Browser Sessions", - "Login": "Login", - "Logout": "Logout", "Logout Other Browser Sessions": "Logout Other Browser Sessions", - "Luxembourg": "Luxembourg", - "Macao": "Macao", - "Macedonia": "North Macedonia", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagascar", - "Malawi": "Malawi", - "Malaysia": "Malaysia", - "Maldives": "Maldives", - "Mali": "Mali", - "Malta": "Malta", - "Manage Account": "Manage Account", - "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 and logout your active sessions on other browsers and devices.": "Manage and logout your active sessions on other browsers and devices.", - "Manage API Tokens": "Manage API Tokens", - "Manage Role": "Manage Role", - "Manage Team": "Manage Team", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "March", - "Marshall Islands": "Marshall Islands", - "Martinique": "Martinique", - "Mauritania": "Mauritania", - "Mauritius": "Mauritius", - "May": "May", - "Mayotte": "Mayotte", - "Mexico": "Mexico", - "Micronesia, Federated States Of": "Micronesia", - "Moldova": "Moldova", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monaco", - "Mongolia": "Mongolia", - "Montenegro": "Montenegro", - "Month To Date": "Month To Date", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Morocco", - "Mozambique": "Mozambique", - "Myanmar": "Myanmar", - "Name": "Name", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Netherlands", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Nevermind", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "New", - "New :resource": "New :resource", - "New Caledonia": "New Caledonia", - "New Password": "New Password", - "New Zealand": "New Zealand", - "Next": "Next", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "No", - "No :resource matched the given criteria.": "No :resource matched the given criteria.", - "No additional information...": "No additional information...", - "No Current Data": "No Current Data", - "No Data": "No Data", - "no file selected": "no file selected", - "No Increase": "No Increase", - "No Prior Data": "No Prior Data", - "No Results Found.": "No Results Found.", - "Norfolk Island": "Norfolk Island", - "Northern Mariana Islands": "Northern Mariana Islands", - "Norway": "Norway", "Not Found": "Not Found", - "Nova User": "Nova User", - "November": "November", - "October": "October", - "of": "of", "Oh no": "Oh no", - "Oman": "Oman", - "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 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 Trashed": "Only Trashed", - "Original": "Original", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Page Expired", "Pagination Navigation": "Pagination Navigation", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Palestinian Territories", - "Panama": "Panama", - "Papua New Guinea": "Papua New Guinea", - "Paraguay": "Paraguay", - "Password": "Password", - "Pay :amount": "Pay :amount", - "Payment Cancelled": "Payment Cancelled", - "Payment Confirmation": "Payment Confirmation", - "Payment Information": "Payment Information", - "Payment Successful": "Payment Successful", - "Pending Team Invitations": "Pending Team Invitations", - "Per Page": "Per Page", - "Permanently delete this team.": "Permanently delete this team.", - "Permanently delete your account.": "Permanently delete your account.", - "Permissions": "Permissions", - "Peru": "Peru", - "Philippines": "Philippines", - "Photo": "Photo", - "Pitcairn": "Pitcairn Islands", "Please click the button below to verify your email address.": "Please click the button below to verify your email address.", - "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 confirm your password before continuing.": "Please confirm your password before continuing.", - "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 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 enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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 provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.", - "Please provide your name.": "Please provide your name.", - "Poland": "Poland", - "Portugal": "Portugal", - "Press \/ to search": "Press \/ to search", - "Preview": "Preview", - "Previous": "Previous", - "Privacy Policy": "Privacy Policy", - "Profile": "Profile", - "Profile Information": "Profile Information", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Quarter To Date", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Recovery Code", "Regards": "Regards", - "Regenerate Recovery Codes": "Regenerate Recovery Codes", - "Register": "Register", - "Reload": "Reload", - "Remember me": "Remember me", - "Remember Me": "Remember Me", - "Remove": "Remove", - "Remove Photo": "Remove Photo", - "Remove Team Member": "Remove Team Member", - "Resend Verification Email": "Resend Verification Email", - "Reset Filters": "Reset Filters", - "Reset Password": "Reset Password", - "Reset Password Notification": "Reset Password Notification", - "resource": "resource", - "Resources": "Resources", - "resources": "resources", - "Restore": "Restore", - "Restore Resource": "Restore Resource", - "Restore Selected": "Restore Selected", "results": "results", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Réunion", - "Role": "Role", - "Romania": "Romania", - "Run Action": "Run Action", - "Russian Federation": "Russian Federation", - "Rwanda": "Rwanda", - "Réunion": "Réunion", - "Saint Barthelemy": "St. Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "St. Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "St. Kitts and Nevis", - "Saint Lucia": "St. Lucia", - "Saint Martin": "St. Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "St. Pierre and Miquelon", - "Saint Vincent And Grenadines": "St. Vincent and Grenadines", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "São Tomé and Príncipe", - "Saudi Arabia": "Saudi Arabia", - "Save": "Save", - "Saved.": "Saved.", - "Search": "Search", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Select A New Photo", - "Select Action": "Select Action", - "Select All": "Select All", - "Select All Matching": "Select All Matching", - "Send Password Reset Link": "Send Password Reset Link", - "Senegal": "Senegal", - "September": "September", - "Serbia": "Serbia", "Server Error": "Server Error", "Service Unavailable": "Service Unavailable", - "Seychelles": "Seychelles", - "Show All Fields": "Show All Fields", - "Show Content": "Show Content", - "Show Recovery Codes": "Show Recovery Codes", "Showing": "Showing", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapore", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovakia", - "Slovenia": "Slovenia", - "Solomon Islands": "Solomon Islands", - "Somalia": "Somalia", - "Something went wrong.": "Something went wrong.", - "Sorry! You are not authorized to perform this action.": "Sorry! You are not authorized to perform this action.", - "Sorry, your session has expired.": "Sorry, your session has expired.", - "South Africa": "South Africa", - "South Georgia And Sandwich Isl.": "South Georgia and South Sandwich Islands", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "South Sudan", - "Spain": "Spain", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Start Polling", - "State \/ County": "State \/ County", - "Stop Polling": "Stop Polling", - "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.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard and Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Sweden", - "Switch Teams": "Switch Teams", - "Switzerland": "Switzerland", - "Syrian Arab Republic": "Syria", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tajikistan", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Team Details", - "Team Invitation": "Team Invitation", - "Team Members": "Team Members", - "Team Name": "Team Name", - "Team Owner": "Team Owner", - "Team Settings": "Team Settings", - "Terms of Service": "Terms of Service", - "Thailand": "Thailand", - "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.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "The :attribute must be a valid role.", - "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 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 contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "The :resource was created!", - "The :resource was deleted!": "The :resource was deleted!", - "The :resource was restored!": "The :resource was restored!", - "The :resource was updated!": "The :resource was updated!", - "The action ran successfully!": "The action ran successfully!", - "The file was deleted!": "The file was deleted!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "The government won't let us show you what's behind these doors", - "The HasOne relationship has already been filled.": "The HasOne relationship has already been filled.", - "The payment was successful.": "The payment was successful.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "The resource was updated!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "The team's name and owner information.", - "There are no available options for this resource.": "There are no available options for this resource.", - "There was a problem executing the action.": "There was a problem executing the action.", - "There was a problem submitting the form.": "There was a problem submitting the form.", - "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.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "This action is unauthorized.", - "This device": "This device", - "This file field is read-only.": "This file field is read-only.", - "This image": "This image", - "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 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 payment was already successfully confirmed.": "This payment was already successfully confirmed.", - "This payment was cancelled.": "This payment was cancelled.", - "This resource no longer exists": "This resource no longer exists", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "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.", - "Timor-Leste": "Timor-Leste", "to": "to", - "Today": "Today", "Toggle navigation": "Toggle navigation", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Token Name", - "Tonga": "Tonga", "Too Many Attempts.": "Too Many Attempts.", "Too Many Requests": "Too Many Requests", - "total": "total", - "Total:": "Total:", - "Trashed": "Trashed", - "Trinidad And Tobago": "Trinidad and Tobago", - "Tunisia": "Tunisia", - "Turkey": "Turkey", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Turks and Caicos Islands", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Two Factor Authentication", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.", - "Uganda": "Uganda", - "Ukraine": "Ukraine", "Unauthorized": "Unauthorized", - "United Arab Emirates": "United Arab Emirates", - "United Kingdom": "United Kingdom", - "United States": "United States", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "U.S. Outlying Islands", - "Update": "Update", - "Update & Continue Editing": "Update & Continue Editing", - "Update :resource": "Update :resource", - "Update :resource: :title": "Update :resource: :title", - "Update attached :resource: :title": "Update attached :resource: :title", - "Update Password": "Update Password", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Update your account's profile information and email address.", - "Uruguay": "Uruguay", - "Use a recovery code": "Use a recovery code", - "Use an authentication code": "Use an authentication code", - "Uzbekistan": "Uzbekistan", - "Value": "Value", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Verify Email Address", "Verify Your Email Address": "Verify Your Email Address", - "Viet Nam": "Vietnam", - "View": "View", - "Virgin Islands, British": "British Virgin Islands", - "Virgin Islands, U.S.": "U.S. Virgin Islands", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis and Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "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 will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "We won't ask for your password again for a few hours.", - "We're lost in space. The page you were trying to view does not exist.": "We're lost in space. The page you were trying to view does not exist.", - "Welcome Back!": "Welcome Back!", - "Western Sahara": "Western Sahara", - "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.", - "Whoops": "Whoops", - "Whoops!": "Whoops!", - "Whoops! Something went wrong.": "Whoops! Something went wrong.", - "With Trashed": "With Trashed", - "Write": "Write", - "Year To Date": "Year To Date", - "Yearly": "Yearly", - "Yemen": "Yemen", - "Yes": "Yes", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "You are logged in!", - "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 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 may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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 :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Your email address is not verified.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Your email address is not verified." } diff --git a/locales/si/packages/cashier.json b/locales/si/packages/cashier.json new file mode 100644 index 00000000000..dc1bbaeaf10 --- /dev/null +++ b/locales/si/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "සියලු හිමිකම් ඇවිරිණි.", + "Card": "කාඩ්", + "Confirm Payment": "තහවුරු ගෙවීම්", + "Confirm your :amount payment": "තහවුරු ඔබේ :amount ගෙවීම්", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "අමතර තහවුරු කිරීමට අවශ්ය වේ ක්රියාවලිය, ඔබේ ගෙවීම්. කරුණාකර ඔබේ ගෙවීම් තහවුරු කර ඇත මගින් පුරවා, ඔබේ ගෙවීම් තොරතුරු පහත දක්වා ඇත.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "අමතර තහවුරු කිරීමට අවශ්ය වේ ක්රියාවලිය, ඔබේ ගෙවීම්. කරුණාකර දිගටම ගෙවීම් පිටුවේ මත ක්ලික් කිරීමෙන් පහත දැක්වෙන බොත්තම.", + "Full name": "සම්පූර්ණ නම", + "Go back": "ආපසු යන්න", + "Jane Doe": "Jane Doe", + "Pay :amount": "වැටුප් :amount කට", + "Payment Cancelled": "ගෙවීම් අවලංගු", + "Payment Confirmation": "ගෙවීම් තහවුරු", + "Payment Successful": "ගෙවීම් සාර්ථක", + "Please provide your name.": "කරුණාකර ලබා ඔයාගේ නම.", + "The payment was successful.": "ගෙවීම් සාර්ථක විය.", + "This payment was already successfully confirmed.": "මෙම ගෙවීම් දැනටමත් සාර්ථකව තහවුරු කර ඇත.", + "This payment was cancelled.": "මෙම ගෙවීම් අවලංගු විය." +} diff --git a/locales/si/packages/fortify.json b/locales/si/packages/fortify.json new file mode 100644 index 00000000000..0f47b9d5d23 --- /dev/null +++ b/locales/si/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 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 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.": "මෙම :attribute අවම වශයෙන් විය යුතුය :length චරිත.", + "The provided password does not match your current password.": "ලබා මුරපදය නොගැලපේ ඔබේ වත්මන් මුරපදය.", + "The provided password was incorrect.": "ලබා මුරපදය වැරදි විය.", + "The provided two factor authentication code was invalid.": "ලබා දෙකක් සාධකය තහවුරු කරගැනීමේ කේතය වලංගු නොවේ." +} diff --git a/locales/si/packages/jetstream.json b/locales/si/packages/jetstream.json new file mode 100644 index 00000000000..bf75ac3867a --- /dev/null +++ b/locales/si/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "නව තහවුරු කිරීමේ සබැඳිය වෙත යවා ඇති විද්යුත් තැපැල් ලිපිනය ඔබ සපයන තුළ ලියාපදිංචි.", + "Accept Invitation": "පිළිගැනීමට ආරාධනය", + "Add": "එකතු", + "Add a new team member to your team, allowing them to collaborate with you.": "එකතු නව කණ්ඩායම සාමාජික ඔබේ කණ්ඩායම ඉඩ, ඔවුන් සමග සහයෝගයෙන් කටයුතු කිරීමට ඔබ.", + "Add additional security to your account using two factor authentication.": "එකතු අතිරේක ආරක්ෂාව සඳහා, ඔබගේ ගිණුම භාවිතා දෙකක් සාධකය තහවුරු කරගැනීමේ.", + "Add Team Member": "එක් කණ්ඩායම සාමාජික", + "Added.": "වැඩිදුරටත් සඳහන් කළේය.", + "Administrator": "පරිපාලක", + "Administrator users can perform any action.": "පරිපාලක පරිශීලකයන් ඉටු කළ හැකිය ඕනෑම පියවර.", + "All of the people that are part of this team.": "සියලු ජනතාව සිටින බව මෙම කණ්ඩායම කොටසක්.", + "Already registered?": "දැනටමත් ලියාපදිංචි?", + "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 තිළිණ ඉඩ තෙවන පාර්ශවීය සේවා සත්යතාවයක් පවත්වා ගැනීමට අපේ අයදුම්පත සමග ඔබ වෙනුවෙන්.", + "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 delete this API token?": "ඔබ වග බලා ගන්න ඔබ කැමති මකා කිරීම සඳහා මෙම API සංකේත?", + "Are you sure you would like to leave this team?": "ඔයාට විශ්වාසද ඔබ යන්න කැමති, මෙම කණ්ඩායම?", + "Are you sure you would like to remove this person from the team?": "ඔබ වග බලා ගන්න ඔබ කැමති ඉවත් කිරීමට මෙම පුද්ගලයා කණ්ඩායම සිට?", + "Browser Sessions": "බ්රව්සරය සැසි", + "Cancel": "අවලංගු", + "Close": "සමීප", + "Code": "කේතය", + "Confirm": "තහවුරු", + "Confirm Password": "මුරපදය තහවුරු කරන්න", + "Create": "නිර්මාණය", + "Create a new team to collaborate with others on projects.": "නව නිර්මාණය කණ්ඩායම සමග සහයෝගයෙන් කටයුතු කිරීමට අන් අය මත ව්යාපෘති.", + "Create Account": "ගිණුමක් නිර්මාණය කරන්න", + "Create API Token": "නිර්මාණය API සංකේත", + "Create New Team": "නිර්මාණය නව කණ්ඩායම", + "Create Team": "නිර්මාණය කණ්ඩායම", + "Created.": "නිර්මාණය.", + "Current Password": "වත්මන් මුරපදය", + "Dashboard": "උපකරණ පුවරුව", + "Delete": "මකා", + "Delete Account": "ගිණුම මකා", + "Delete API Token": "මකා API සංකේත", + "Delete Team": "මකා කණ්ඩායම", + "Disable": "අක්රීය", + "Done.": "සිදු.", + "Editor": "කර්තෘ", + "Editor users have the ability to read, create, and update.": "කර්තෘ පරිශීලකයන් කියවීමට හැකියාව ඇති, නිර්මාණය, හා යාවත්කාලීන.", + "Email": "ඊ-තැපැල්", + "Email Password Reset Link": "ඊ-තැපැල් මුරපදය නැවත සකස් ලින්ක්", + "Enable": "සක්රීය", + "Ensure your account is using a long, random password to stay secure.": "සහතික ඔබේ ගිණුම භාවිතා දිගු, අහඹු මුරපදය ඉන්න සුරක්ෂිත.", + "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.": "ඔබගේ මුර පදය අමතකද? කිසිදු ප්රශ්නයක්. යන්තම් අපට දන්වන්න, ඔබගේ ඊ-තැපැල් ලිපිනය සහ අපි ඔබ ඊ-තැපැල් මුරපදය නැවත සකස් කරන බව සබැඳියක් ඔබ තෝරා ගැනීමට ඉඩ අලුත් එකක්.", + "Great! You have accepted the invitation to join the :team team.": "මහා! ඔබ ආරාධනය පිළිගෙන එක්වන ලෙස :team කණ්ඩායම.", + "I agree to the :terms_of_service and :privacy_policy": "මම එකඟ :terms_of_service හා :privacy_policy", + "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 you already have an account, you may accept this invitation by clicking the button below:": "ඔබ මේ වන විටත් ගිණුමක්, ඔබ මෙම පිළිගැනීමට ආරාධනය බොත්තම ක්ලික් කිරීමෙන් පහත:", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "ඔබ නොමැති නම්, ගිණුමක්, ඔබ විය හැකි එක් නිර්මාණය බොත්තම ක්ලික් කිරීමෙන් පහත. නිර්මාණය කිරීමෙන් පසු ගිණුමක්, ඔබ ක්ලික් කළ ආරාධනය පිළිගැනීම බොත්තම දී මෙම ඊ-තැපැල් පිළිගැනීමට කණ්ඩායම ආරාධනය:", + "Last active": "පසුගිය ක්රියාකාරී", + "Last used": "පසුගිය භාවිතා", + "Leave": "නිවාඩු", + "Leave Team": "නිවාඩු කණ්ඩායම", + "Log in": "වන්න", + "Log Out": "ලඝු-සටහන පිටතට", + "Log Out Other Browser Sessions": "ලඝු-සටහන පිටතට වෙනත් බ්රවුසරයේ සැසි", + "Manage Account": "ගිණුම කළමනාකරණය", + "Manage and log out your active sessions on other browsers and devices.": "කළමනාකරණය හා ලඝු-සටහන පිටතට ඔබගේ ක්රියාකාරී සැසි මත අනෙකුත් වෙබ් බ්රව්සර සහ උපකරණ.", + "Manage API Tokens": "කළමනාකරණය API ටෝකන් පත්", + "Manage Role": "කළමනාකරණය භූමිකාව", + "Manage Team": "කළමනාකරණය කණ්ඩායම", + "Name": "නම", + "New Password": "නව මුරපදය", + "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 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.": "වරක් ඔබේ ගිණුම මකා දමන, එහි සියලු සම්පත් හා දත්ත ස්ථිර මකා. මකාදැමීමට පෙර, ඔබගේ ගිණුම, බාගත කරුණාකර ඕනෑම දත්ත හෝ තොරතුරු ඔබ කැමති රඳවා ගැනීමට.", + "Password": "මුරපදය", + "Pending Team Invitations": "විභාග කණ්ඩායම ආරාධනා", + "Permanently delete this team.": "ස්ථිරවම delete මෙම කණ්ඩායම.", + "Permanently delete your account.": "ස්ථිරවම ඔබගේ ගිණුම මකා දැමීම.", + "Permissions": "අවසර", + "Photo": "ඡායාරූප", + "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 copy your new API token. For your security, it won't be shown again.": "කරුණාකර පිටපතක් ඔබගේ නව API සංකේත. ඔබගේ ආරක්ෂාව සඳහා, එය කළ නොහැකි පෙන්වා ඇත නැවත.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "ඔබගේ මුර පදය ඇතුලත් කරන්න තහවුරු කිරීමට ඔබ කිරීමට කැමති ලඝු-සටහන පිටතට ඔබගේ වෙනත් බ්රවුසරයේ සැසි සියලු හරහා ඔබගේ උපාංග.", + "Please provide the email address of the person you would like to add to this team.": "කරුණාකර ලබා ඊ-මේල් ලිපිනය පුද්ගලයා ඔබ එකතු කිරීමට කැමති, මෙම කණ්ඩායම.", + "Privacy Policy": "රහස්යතා ප්රතිපත්තිය", + "Profile": "පැතිකඩ", + "Profile Information": "පැතිකඩ තොරතුරු", + "Recovery Code": "යථා කේතය", + "Regenerate Recovery Codes": "යළි ගොඩනැංවීමේ යථා කේත", + "Register": "ලියාපදිංචි", + "Remember me": "මට මතක", + "Remove": "ඉවත්", + "Remove Photo": "ඉවත් ඡායාරූප", + "Remove Team Member": "ඉවත් කණ්ඩායමේ සාමාජික", + "Resend Verification Email": "නැවත භාරදුන් තහවුරු ඊ-තැපැල්", + "Reset Password": "මුරපදය යළි පිහිටුවන්න", + "Role": "භූමිකාව", + "Save": "ඉතිරි", + "Saved.": "බේරුවා.", + "Select A New Photo": "තෝරා නව ඡායාරූප", + "Show Recovery Codes": "පෙන්වන්න යථා කේත", + "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.": "ගබඩා මේ කේත යථා සුරක්ෂිත මුරපදය කළමනාකරු. ඔවුන් සොයා ගැනීමට භාවිතා කළ හැක ප්රවේශ කිරීම සඳහා ඔබේ ගිණුම නම්, ඔබගේ දෙකක් සාධකය තහවුරු කරගැනීමේ උපාංගය අහිමි වේ.", + "Switch Teams": "මාරු කණ්ඩායම්", + "Team Details": "කණ්ඩායම විස්තර", + "Team Invitation": "කණ්ඩායම ආරාධනය", + "Team Members": "කණ්ඩායම සාමාජිකයන්", + "Team Name": "කණ්ඩායම නම", + "Team Owner": "කණ්ඩායම හිමිකරු", + "Team Settings": "කණ්ඩායම සැකසුම්", + "Terms of Service": "සේවා කොන්දේසි", + "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 a valid role.": "මෙම :attribute විය යුතුය වලංගු භූමිකාව.", + "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 and 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 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 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.": "මෙම :attribute අවම වශයෙන් විය යුතුය :length චරිත.", + "The provided password does not match your current password.": "ලබා මුරපදය නොගැලපේ ඔබේ වත්මන් මුරපදය.", + "The provided password was incorrect.": "ලබා මුරපදය වැරදි විය.", + "The provided two factor authentication code was invalid.": "ලබා දෙකක් සාධකය තහවුරු කරගැනීමේ කේතය වලංගු නොවේ.", + "The team's name and owner information.": "කණ්ඩායමේ නම සහ හිමිකරු තොරතුරු.", + "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.": "මෙම ජනතාව සඳහා ආරාධනා කර ඇත, ඔබගේ කණ්ඩායම හා කර ඇති ආරාධනය යවා ඊ-තැපැල්. ඔවුන් එක්වන කණ්ඩායම විසින් භාර ඊමේල් ආරාධනය.", + "This device": "මෙම උපාංගය", + "This is a secure area of the application. Please confirm your password before continuing.": "මෙම ආරක්ෂිත ප්රදේශයේ අයදුම් වේ. කරුණාකර තහවුරු කිරීමට පෙර ඔබගේ මුරපදය දිගටම.", + "This password does not match our records.": "මෙම මුරපදය නොගැලපේ අපේ වාර්තා වේ.", + "This user already belongs to the team.": "මෙම පරිශීලකයා දැනටමත් අයත් කණ්ඩායම.", + "This user has already been invited to the team.": "මෙම පරිශීලකයා දැනටමත් ආරාධනා කර ගැනීමට මෙම කණ්ඩායම විය.", + "Token Name": "සංකේත නම", + "Two Factor Authentication": "දෙකක් සාධකය තහවුරු කරගැනීමේ", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "දෙකක් සාධකය තහවුරු කරගැනීමේ දැන් සක්රීය. ස්කෑන් පහත QR කේතය භාවිතා කරමින් ඔබේ දුරකථනයේ authenticator අයදුම් වේ.", + "Update Password": "යාවත්කාලීන මුරපදය", + "Update your account's profile information and email address.": "යාවත්කාලීන ඔබේ ගිණුම පැතිකඩ තොරතුරු හා ඊ-මේල් ලිපිනය.", + "Use a recovery code": "භාවිතා යථා කේතය", + "Use an authentication code": "භාවිතා ක සත්යාපන කේතය", + "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.": "විට දෙකක් සාධකය තහවුරු කරගැනීමේ සක්රීය වේ, ඔබ ඔබෙන් විමසනු ඇත සඳහා සුරක්ෂිත, අහඹු සංකේත තුළ අනන්යතාවය තහවුරු කරගැනීම. ඔබ ලබාගන්න මෙම සංකේත සිට ඔබගේ දුරකථනයේ Google Authenticator අයදුම් වේ.", + "Whoops! Something went wrong.": "ඔබට පෙනීයනු ඇත! යමක් වැරදි ගියේ ය.", + "You have been invited to join the :team team!": "ඔබ ආරාධනා කර ඇත එක්වන ලෙස :team කණ්ඩායම!", + "You have enabled two factor authentication.": "ඔබ සක්රීය දෙකක් සාධකය තහවුරු කරගැනීමේ.", + "You have not enabled two factor authentication.": "ඔබ සක්රීය දෙකක් සාධකය තහවුරු කරගැනීමේ.", + "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.": "ඔබ නැති විය හැකි delete, ඔබේ පුද්ගලික කණ්ඩායම.", + "You may not leave a team that you created.": "ඔබ නිවාඩු නොහැකි විය හැක කණ්ඩායමක් බව ඔබ නිර්මාණය." +} diff --git a/locales/si/packages/nova.json b/locales/si/packages/nova.json new file mode 100644 index 00000000000..de53c7b15f8 --- /dev/null +++ b/locales/si/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "දින 30", + "60 Days": "60 දින", + "90 Days": "දින 90", + ":amount Total": ":amount මුළු", + ":resource Details": ":resource විස්තර", + ":resource Details: :title": ":resource විස්තර: :title", + "Action": "පියවර", + "Action Happened At": "දී සිදු වූ", + "Action Initiated By": "විසින් ආරම්භ කරන ලද", + "Action Name": "නම", + "Action Status": "තත්ත්වය", + "Action Target": "ඉලක්කය", + "Actions": "ක්රියා", + "Add row": "එක් පේළිය", + "Afghanistan": "ඇෆ්ගනිස්ථානය", + "Aland Islands": "Åland දූපත්", + "Albania": "ඇල්බේනියාව", + "Algeria": "ඇල්ජීරියාව", + "All resources loaded.": "සියලු සම්පත් පටවා.", + "American Samoa": "ඇමරිකානු සැමෝවා", + "An error occured while uploading the file.": "දෝෂයක් සිදුවිය අතර උඩුගත ගොනුව.", + "Andorra": "Andorran", + "Angola": "ඇන්ගෝලාව", + "Anguilla": "අැන්ගුයිලා", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "තවත් පරිශීලක යාවත්කාලීන කර ඇත, මෙම සම්පත් සිට මෙම පිටුව විය පටවා. කරුණාකර පිටුව refresh නැවත උත්සාහ කරන්න.", + "Antarctica": "ඇන්ටාක්ටිකාව", + "Antigua And Barbuda": "ඇන්ටිගුවා සහ බාබියුඩා", + "April": "අප්රේල්", + "Are you sure you want to delete the selected resources?": "ඔයා sure you want to delete the selected සම්පත්?", + "Are you sure you want to delete this file?": "ඔබ වග බලා ගන්න ඔබට මැකීමට අවශ්ය මෙම ගොනුව?", + "Are you sure you want to delete this resource?": "ඔබ වග බලා ගන්න ඔබට මැකීමට අවශ්ය මෙම සම්පත්?", + "Are you sure you want to detach the selected resources?": "ඔබ වග බලා ගන්න ඔබට අවශ්ය මඟ පාදා තෝරාගත් සම්පත්?", + "Are you sure you want to detach this resource?": "ඔබ වග බලා ගන්න ඔබට අවශ්ය මඟ පාදා මෙම සම්පත්?", + "Are you sure you want to force delete the selected resources?": "ඔයාට විශ්වාසද ඔබ බල කිරීමට අවශ්ය මකා තෝරාගත් සම්පත්?", + "Are you sure you want to force delete this resource?": "ඔයාට විශ්වාසද ඔබ බල කිරීමට අවශ්ය මකන්න මෙම සම්පත්?", + "Are you sure you want to restore the selected resources?": "ඔයාට විශ්වාසද ඔබ නැවත කිරීමට අවශ්ය තෝරාගත් සම්පත්?", + "Are you sure you want to restore this resource?": "ඔයාට විශ්වාසද ඔබ නැවත කිරීමට අවශ්ය මෙම සම්පත්?", + "Are you sure you want to run this action?": "ඔයාට විශ්වාසද ඔබ ක්රියාත්මක කිරීමට අවශ්ය මෙම පියවර?", + "Argentina": "ආර්ජන්ටිනාව", + "Armenia": "ආර්මේනියාව", + "Aruba": "ඇරුබා", + "Attach": "අනුයුක්ත", + "Attach & Attach Another": "අනුයුක්ත & අනුයුක්ත තවත්", + "Attach :resource": "අනුයුක්ත :resource", + "August": "අගෝස්තු", + "Australia": "ඕස්ට්රේලියාව", + "Austria": "ඔස්ට්රියාව", + "Azerbaijan": "අසර්බයිජාන්", + "Bahamas": "බහමාස්", + "Bahrain": "බහරේන්", + "Bangladesh": "බංග්ලාදේශය", + "Barbados": "බාබඩෝස්", + "Belarus": "බෙලරුස්", + "Belgium": "බෙල්ජියම", + "Belize": "බෙලිස්", + "Benin": "බෙනින්", + "Bermuda": "බර්මියුඩා", + "Bhutan": "භූතානය", + "Bolivia": "බොලිවියාව", + "Bonaire, Sint Eustatius and Saba": "බොනෙයා, Sint Eustatius and Sábado", + "Bosnia And Herzegovina": "බොස්නියා සහ හර්සෙගොවිනා", + "Botswana": "බොට්ස්වානා", + "Bouvet Island": "Bouvet Island", + "Brazil": "බ්රසීලය", + "British Indian Ocean Territory": "බ්රිතාන්ය ඉන්දීය සාගර ප්රදේශය", + "Brunei Darussalam": "Brunei", + "Bulgaria": "බල්ගේරියාව", + "Burkina Faso": "බර්කිනා ෆාසෝ", + "Burundi": "Burundi", + "Cambodia": "කාම්බෝජය", + "Cameroon": "කැමරූන්", + "Canada": "කැනඩාව", + "Cancel": "අවලංගු", + "Cape Verde": "කේප් වර්ඩ්", + "Cayman Islands": "කේමන් දූපත්", + "Central African Republic": "මධ්යම අප්රිකානු ජනරජය", + "Chad": "චැඩ්", + "Changes": "වෙනස්කම්", + "Chile": "චිලී", + "China": "චීනය", + "Choose": "තෝරා", + "Choose :field": "තෝරා :field", + "Choose :resource": "තෝරා :resource", + "Choose an option": "තෝරා විකල්පයක්", + "Choose date": "තෝරා දිනය", + "Choose File": "තෝරා ගොනුව", + "Choose Type": "තෝරා වර්ගය", + "Christmas Island": "නත්තල් දිවයින", + "Click to choose": "ක්ලික් කරන්න තෝරා ගැනීමට", + "Cocos (Keeling) Islands": "කොකොස් (Keeling) දූපත්", + "Colombia": "කොලොම්බියාව", + "Comoros": "කොමරෝස්", + "Confirm Password": "මුරපදය තහවුරු කරන්න", + "Congo": "කොංගෝ", + "Congo, Democratic Republic": "කොන්ගෝ, ප්රජාතන්ත්රවාදී ජනරජය", + "Constant": "නියත", + "Cook Islands": "කුක් දූපත්", + "Costa Rica": "කොස්ටා රිකා", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "සොයා ගත නොහැකි විය.", + "Create": "නිර්මාණය", + "Create & Add Another": "නිර්මාණය සහ තවත් එක් කරන්න", + "Create :resource": "නිර්මාණය :resource", + "Croatia": "ක්රොඒෂියාව", + "Cuba": "කියුබාව", + "Curaçao": "කුරෙකෝවා", + "Customize": "රිසිකරණය", + "Cyprus": "සයිප්රස්", + "Czech Republic": "Czechia", + "Dashboard": "උපකරණ පුවරුව", + "December": "දෙසැම්බර්", + "Decrease": "අඩු", + "Delete": "මකා", + "Delete File": "ගොනුව මකා", + "Delete Resource": "සම්පත් මකන්න", + "Delete Selected": "තෝරා ගත් මකා", + "Denmark": "ඩෙන්මාර්කය", + "Detach": "මඟ පාදා", + "Detach Resource": "මඟ පාදා සම්පත්", + "Detach Selected": "මඟ පාදා තෝරාගත්", + "Details": "විස්තර", + "Djibouti": "ජිබුටි", + "Do you really want to leave? You have unsaved changes.": "ඔබ ඇත්තටම යන්න ඕනේ? ඔබ සතුව සුරකීම නොකරන ලද වෙනස්කම් ඇත.", + "Dominica": "ඉරිදා", + "Dominican Republic": "ඩොමිනිකන් ජනරජයේ", + "Download": "බාගත", + "Ecuador": "ඉක්වදෝරය", + "Edit": "සංස්කරණය", + "Edit :resource": "සංස්කරණය :resource", + "Edit Attached": "සංස්කරණය අමුණා", + "Egypt": "ඊජිප්තුවේ", + "El Salvador": "සැල්වදෝරයේ", + "Email Address": "ඊ-මේල් ලිපිනය", + "Equatorial Guinea": "නිරක්ෂයට යාබද ගිනිය", + "Eritrea": "ඉරිට්රියා", + "Estonia": "එස්තෝනියාව", + "Ethiopia": "ඉතියෝපියාව", + "Falkland Islands (Malvinas)": "ෆැල්ක්ලන්ඩ් දූපත් (Malvinas)", + "Faroe Islands": "ෆාරෝ දිවයින්", + "February": "පෙබරවාරි", + "Fiji": "ෆීජි", + "Finland": "ෆින්ලන්තය", + "Force Delete": "බලය මකා", + "Force Delete Resource": "බලය මකා සම්පත්", + "Force Delete Selected": "බලය මකා තෝරාගත්", + "Forgot Your Password?": "ඔබගේ මුර පදය අමතකද?", + "Forgot your password?": "ඔබගේ මුර පදය අමතකද?", + "France": "ප්රංශය", + "French Guiana": "ප්රංශ ගිනියා", + "French Polynesia": "ප්රංශ පොලිනිසියාව", + "French Southern Territories": "ප්රංශ දකුණු ප්රදේශ", + "Gabon": "ගැබොන්", + "Gambia": "ගම්බියා", + "Georgia": "ජෝර්ජියා", + "Germany": "ජර්මනිය", + "Ghana": "ඝානා", + "Gibraltar": "ලවණතාව", + "Go Home": "ගෙදර යන්න", + "Greece": "ග්රීසිය", + "Greenland": "ග්රීන්ලන්තය", + "Grenada": "ග්රෙනාඩා", + "Guadeloupe": "ගෝඩලූප්", + "Guam": "ගුවාම්", + "Guatemala": "ගෝතමාලාවේ", + "Guernsey": "ගුවර්න්සිය", + "Guinea": "ගිනියාවේ", + "Guinea-Bissau": "ගිනිය-Bissau", + "Guyana": "ගයනා", + "Haiti": "හයිටි", + "Heard Island & Mcdonald Islands": "අසා දූපත හා මැක්ඩොනල්ඩ් දූපත්", + "Hide Content": "අන්තර්ගතය සඟවන්න", + "Hold Up!": "පොඩ්ඩක් ඉන්න!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "හොන්ඩුරාස්", + "Hong Kong": "හොංකොං", + "Hungary": "හංගේරියාව", + "Iceland": "අයිස්ලන්තය", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "ඔබ ඉල්ලා නැත මුරපදය නැවත සකස්, තවදුරටත් පියවර අවශ්ය වේ.", + "Increase": "වැඩි", + "India": "ඉන්දියාව", + "Indonesia": "ඉන්දුනීසියාව", + "Iran, Islamic Republic Of": "ඉරානය", + "Iraq": "ඉරාකය", + "Ireland": "අයර්ලන්තය", + "Isle Of Man": "අයිල් ඔෆ් මෑන්", + "Israel": "ඊශ්රායලය", + "Italy": "ඉතාලියේ", + "Jamaica": "ජැමෙයිකාවේ", + "January": "ජනවාරි", + "Japan": "ජපානය", + "Jersey": "ජර්සි", + "Jordan": "ජෝර්දානය", + "July": "ජූලි", + "June": "ජූනි", + "Kazakhstan": "කසකස්තානය", + "Kenya": "කෙන්යාව", + "Key": "ප්රධාන", + "Kiribati": "කිරිබටි", + "Korea": "දකුණු කොරියාව", + "Korea, Democratic People's Republic of": "උතුරු කොරියාව", + "Kosovo": "කොසෝවෝ", + "Kuwait": "කුවේට්", + "Kyrgyzstan": "කිර්ගිස්ථානය", + "Lao People's Democratic Republic": "ලාඕසය", + "Latvia": "ලැට්වියාව", + "Lebanon": "ලෙබනනයේ", + "Lens": "කාච", + "Lesotho": "Lesotho", + "Liberia": "ලයිබීරියාව", + "Libyan Arab Jamahiriya": "ලිබියාව", + "Liechtenstein": "පින්සිපල්ටි", + "Lithuania": "ලිතුවේනියාව", + "Load :perPage More": "බර වැඩි :perPage", + "Login": "ලොගින් වන්න", + "Logout": "Logout", + "Luxembourg": "ලක්සම්බර්ග්", + "Macao": "Macao", + "Macedonia": "උතුරු මැසඩෝනියාව", + "Madagascar": "මැඩගස්කරය", + "Malawi": "මලාවි", + "Malaysia": "මැලේසියාව", + "Maldives": "මාලදිවයින", + "Mali": "කුඩා", + "Malta": "මෝල්ටා", + "March": "මාර්තු", + "Marshall Islands": "මාෂල් දූපත්", + "Martinique": "මාටිනික්", + "Mauritania": "මොරිටේනියා", + "Mauritius": "මුරුසිය", + "May": "හැක", + "Mayotte": "මයොට්", + "Mexico": "මෙක්සිකෝ", + "Micronesia, Federated States Of": "මයික්රොනීසියා ගිවිසුම් ජනපද", + "Moldova": "මෝල්ඩෝවා", + "Monaco": "මොනාකෝ", + "Mongolia": "මොන්ගෝලියාව", + "Montenegro": "මොන්ටිනිග්රෝ", + "Month To Date": "මාසය දිනය", + "Montserrat": "Montserrat", + "Morocco": "මොරොක්කෝව", + "Mozambique": "මොසැම්බික්", + "Myanmar": "මියන්මාරය", + "Namibia": "නැමීබියාව", + "Nauru": "නෝරු", + "Nepal": "නේපාලය", + "Netherlands": "නෙදර්ලන්තය", + "New": "නව", + "New :resource": "නව :resource", + "New Caledonia": "නව කැලිඩෝනියාව", + "New Zealand": "නවසීලන්තය", + "Next": "ඊළඟ", + "Nicaragua": "නිකරගුවා", + "Niger": "නයිජ", + "Nigeria": "නයිජීරියාව", + "Niue": "නියූ", + "No": "නෑ", + "No :resource matched the given criteria.": "කිසිදු :resource ගැලපෙන ලබා දී නිර්ණායක.", + "No additional information...": "කිසිදු අමතර තොරතුරු...", + "No Current Data": "කිසිදු වර්තමාන දත්ත", + "No Data": "කිසිදු දත්ත", + "no file selected": "කිසිදු ගොනුවක් තෝරාගත්", + "No Increase": "කිසිදු වැඩිවීමක්", + "No Prior Data": "කිසිදු පෙර දත්ත", + "No Results Found.": "කිසිදු ප්රතිඵල සොයාගෙන ඇත.", + "Norfolk Island": "නෝෆෝක් දූපත", + "Northern Mariana Islands": "උතුරු මරියානා දූපත්", + "Norway": "නෝර්වේ", + "Nova User": "නෝවා පරිශීලක", + "November": "නොවැම්බර්", + "October": "ඔක්තෝබර්", + "of": "ක", + "Oman": "ඕමාන්", + "Only Trashed": "එකම එක දවසක් ලස්සන කලා", + "Original": "මුල්", + "Pakistan": "පාකිස්තානය", + "Palau": "පලෝ", + "Palestinian Territory, Occupied": "පලස්තීන භූමි ප්රදේශ", + "Panama": "පානම", + "Papua New Guinea": "පැපුවා නිව් ගිනියාවේ", + "Paraguay": "පැරගුවේ", + "Password": "මුරපදය", + "Per Page": "එක් පිටුවකට", + "Peru": "පේරු", + "Philippines": "පිලිපීනය", + "Pitcairn": "පිට්කේර්න් දූපත්", + "Poland": "පෝලන්තය", + "Portugal": "පෘතුගාලය", + "Press \/ to search": "මාධ්ය \/ සොයන්න කිරීමට", + "Preview": "පෙරදසුනෙහි තරම", + "Previous": "පසුගිය", + "Puerto Rico": "පෝටෝ රිකෝ", + "Qatar": "Qatar", + "Quarter To Date": "කාර්තුව දක්වා", + "Reload": "රීලෝඩ්", + "Remember Me": "මට මතක", + "Reset Filters": "නැවත සකස් පෙරහන්", + "Reset Password": "මුරපදය යළි පිහිටුවන්න", + "Reset Password Notification": "මුරපදය යළි පිහිටුවන්න නිවේදනය", + "resource": "සම්පත්", + "Resources": "සම්පත්", + "resources": "සම්පත්", + "Restore": "නැවත", + "Restore Resource": "නැවත සම්පත්", + "Restore Selected": "නැවත තෝරාගත්", + "Reunion": "රැස්වීම", + "Romania": "රුමේනියාව", + "Run Action": "ක්රියාත්මක ක්රියාත්මක", + "Russian Federation": "රුසියානු සමුහාණ්ඩුව", + "Rwanda": "රුවන්ඩා", + "Saint Barthelemy": "ශාන්ත Barthélemy", + "Saint Helena": "ශාන්ත හෙලේනා", + "Saint Kitts And Nevis": "ශාන්ත කිට්ස් හා නෙවිස්", + "Saint Lucia": "ශාන්ත ලුසියා", + "Saint Martin": "ශාන්ත මාටින්", + "Saint Pierre And Miquelon": "ශාන්ත පියරේ සහ මිකුලොන්", + "Saint Vincent And Grenadines": "ශාන්ත වින්සන්ට් සහ ග්රෙනාඩින්ස්", + "Samoa": "සැමෝවා", + "San Marino": "සැන් මැරිනෝ", + "Sao Tome And Principe": "සැවෝ Tomé හා Príncipe", + "Saudi Arabia": "සෞදි අරාබිය", + "Search": "සොයන්න", + "Select Action": "තේරීම් පියවර", + "Select All": "සියලුම තෝරන්න", + "Select All Matching": "සියලුම තෝරන්න හා ගැලපෙන වෙනස්වීම්", + "Send Password Reset Link": "යැවීමට මුරපදය නැවත සකස් ලින්ක්", + "Senegal": "සෙනෙගල්", + "September": "සැප්තැම්බර්", + "Serbia": "සර්බියාව", + "Seychelles": "සීෂෙල්ස්", + "Show All Fields": "සියලු පෙන්වන්න ක්ෂේත්ර", + "Show Content": "අන්තර්ගතය පෙන්වන්න", + "Sierra Leone": "සියරා ලියොන්", + "Singapore": "සිංගප්පූරුව", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "ස්ලෝවැකියාව", + "Slovenia": "ස්ලොවේනියාව", + "Solomon Islands": "සොලමන් දූපත්", + "Somalia": "සෝමාලියාව", + "Something went wrong.": "යමක් වැරදි ගියේ ය.", + "Sorry! You are not authorized to perform this action.": "සමාවෙන්න! ඔබට අවසර නැත මෙම ක්රියාව සිදු කිරීමට.", + "Sorry, your session has expired.": "සමාවන්න, ඔබේ සැසිය කල් ඉකුත් වී ඇත.", + "South Africa": "දකුණු අප්රිකාව", + "South Georgia And Sandwich Isl.": "දකුණු ජෝර්ජියා හා දකුණු සැන්විච් දූපත්", + "South Sudan": "දකුණු සුඩානය", + "Spain": "ස්පාඤ්ඤය", + "Sri Lanka": "ශ්රී ලංකා", + "Start Polling": "ආරම්භක ඡන්ද", + "Stop Polling": "නතර ඡන්ද", + "Sudan": "සුඩානය", + "Suriname": "සුරිනාම්", + "Svalbard And Jan Mayen": "Svalbard හා Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "ස්වීඩනය", + "Switzerland": "ස්විට්සර්ලන්තය", + "Syrian Arab Republic": "සිරියාව", + "Taiwan": ": තායිවාන්", + "Tajikistan": "ටජිකිස්ථානය", + "Tanzania": "ටැන්සානියාවේ", + "Thailand": "තායිලන්තය", + "The :resource was created!": "මෙම :resource නිර්මාණය කරන ලදී!", + "The :resource was deleted!": "මෙම :resource මකා දමන ලදී!", + "The :resource was restored!": "මෙම :resource සුව විය!", + "The :resource was updated!": "මෙම :resource යාවත්කාලීන කරන ලදී!", + "The action ran successfully!": "පියවර දිව සාර්ථකව!", + "The file was deleted!": "මෙම ගොනුව මකා දමන ලදී!", + "The government won't let us show you what's behind these doors": "රජය නෑ අපට පෙන්වන්න ඔබ මොකක්ද මේ දොරවල් පිටුපස", + "The HasOne relationship has already been filled.": "මෙම HasOne සම්බන්ධතාවය දැනටමත් පිරී ඇත.", + "The resource was updated!": "සම්පත් යාවත්කාලීන කරන ලදී!", + "There are no available options for this resource.": "කිසිදු ලබා ගත හැකි විකල්ප මේ සඳහා සම්පත්.", + "There was a problem executing the action.": "එතන ප්රශ්නයක් ක්රියාත්මක පියවර.", + "There was a problem submitting the form.": "එතන ප්රශ්නයක් ඉදිරිපත් ස්වරූපයෙන්.", + "This file field is read-only.": "මෙම ගොනුව ක්ෂේත්රයේ වන අතර, කියවීමට පමණක් ඇත.", + "This image": "මෙම රූපය", + "This resource no longer exists": "මෙම සම්පත් තවදුරටත් පවතී", + "Timor-Leste": "ටිමෝරය-ලෙස්ටේ", + "Today": "අද", + "Togo": "ටෝගෝ", + "Tokelau": "ටොකෙලො", + "Tonga": "එන්න", + "total": "මුළු", + "Trashed": "එක දවසක් ලස්සන කලා", + "Trinidad And Tobago": "ට්රිනිඩෑඩ් සහ ටොබැගෝ", + "Tunisia": "ටියුනීසියාවේ", + "Turkey": "තුර්කිය", + "Turkmenistan": "ටර්ක්මෙනිස්තානය", + "Turks And Caicos Islands": "තුර්කි සහ කයිකොස් දූපත්", + "Tuvalu": "ටුවාලු", + "Uganda": "උගන්ඩා", + "Ukraine": "යුක්රේනය", + "United Arab Emirates": "එක්සත් අරාබි එමීර් රාජ්යය", + "United Kingdom": "එක්සත් රාජධානිය", + "United States": "එක්සත් ජනපදය", + "United States Outlying Islands": "එ නැගෙනහිර දූපත්", + "Update": "යාවත්කාලීන", + "Update & Continue Editing": "යාවත්කාලීන කිරීම & දිගටම සංස්කරණය", + "Update :resource": "යාවත්කාලීන :resource", + "Update :resource: :title": "යාවත්කාලීන :resource: :title", + "Update attached :resource: :title": "යාවත්කාලීන අමුණා :resource: :title", + "Uruguay": "උරුගුවේ", + "Uzbekistan": "උස්බෙකිස්තානය", + "Value": "අගය", + "Vanuatu": "වනුආටු", + "Venezuela": "වෙනිසියුලාව", + "Viet Nam": "Vietnam", + "View": "දැක්ම", + "Virgin Islands, British": "බ්රිතාන්ය වර්ජින් දූපත්", + "Virgin Islands, U.S.": "එක්සත් ජනපද වර්ජින් දූපත්", + "Wallis And Futuna": "වැලිස් සහ ෆුටුනා", + "We're lost in space. The page you were trying to view does not exist.": "අපි අවකාශය අහිමි. මෙම පිටුව ඔබට කිරීමට උත්සාහ කරන ලදී දැක්ම නොපවතියි.", + "Welcome Back!": "ඔබ සාදරයෙන් පිළිගනිමු ආපසු!", + "Western Sahara": "බටහිර සහරා", + "Whoops": "ඔබට පෙනීයනු ඇත", + "Whoops!": "ඔබට පෙනීයනු ඇත!", + "With Trashed": "සමග එක දවසක් ලස්සන කලා", + "Write": "ලියන්න", + "Year To Date": "වසරේ මේ දක්වා", + "Yemen": "යේමන්", + "Yes": "ඔව්", + "You are receiving this email because we received a password reset request for your account.": "ඔබ ලබමින් සිටින මෙම විද්යුත් නිසා අපි ලැබී මුරපදය නැවත සකස් ඉල්ලීම සඳහා ඔබේ ගිණුම.", + "Zambia": "සැම්බියාව", + "Zimbabwe": "සිම්බාබ්වේ" +} diff --git a/locales/si/packages/spark-paddle.json b/locales/si/packages/spark-paddle.json new file mode 100644 index 00000000000..3f50312a0c3 --- /dev/null +++ b/locales/si/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "සේවා කොන්දේසි", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "ඔබට පෙනීයනු ඇත! යමක් වැරදි ගියේ ය.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/si/packages/spark-stripe.json b/locales/si/packages/spark-stripe.json new file mode 100644 index 00000000000..b03d02572dc --- /dev/null +++ b/locales/si/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "ඇෆ්ගනිස්ථානය", + "Albania": "ඇල්බේනියාව", + "Algeria": "ඇල්ජීරියාව", + "American Samoa": "ඇමරිකානු සැමෝවා", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorran", + "Angola": "ඇන්ගෝලාව", + "Anguilla": "අැන්ගුයිලා", + "Antarctica": "ඇන්ටාක්ටිකාව", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "ආර්ජන්ටිනාව", + "Armenia": "ආර්මේනියාව", + "Aruba": "ඇරුබා", + "Australia": "ඕස්ට්රේලියාව", + "Austria": "ඔස්ට්රියාව", + "Azerbaijan": "අසර්බයිජාන්", + "Bahamas": "බහමාස්", + "Bahrain": "බහරේන්", + "Bangladesh": "බංග්ලාදේශය", + "Barbados": "බාබඩෝස්", + "Belarus": "බෙලරුස්", + "Belgium": "බෙල්ජියම", + "Belize": "බෙලිස්", + "Benin": "බෙනින්", + "Bermuda": "බර්මියුඩා", + "Bhutan": "භූතානය", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "බොට්ස්වානා", + "Bouvet Island": "Bouvet Island", + "Brazil": "බ්රසීලය", + "British Indian Ocean Territory": "බ්රිතාන්ය ඉන්දීය සාගර ප්රදේශය", + "Brunei Darussalam": "Brunei", + "Bulgaria": "බල්ගේරියාව", + "Burkina Faso": "බර්කිනා ෆාසෝ", + "Burundi": "Burundi", + "Cambodia": "කාම්බෝජය", + "Cameroon": "කැමරූන්", + "Canada": "කැනඩාව", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "කේප් වර්ඩ්", + "Card": "කාඩ්", + "Cayman Islands": "කේමන් දූපත්", + "Central African Republic": "මධ්යම අප්රිකානු ජනරජය", + "Chad": "චැඩ්", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "චිලී", + "China": "චීනය", + "Christmas Island": "නත්තල් දිවයින", + "City": "City", + "Cocos (Keeling) Islands": "කොකොස් (Keeling) දූපත්", + "Colombia": "කොලොම්බියාව", + "Comoros": "කොමරෝස්", + "Confirm Payment": "තහවුරු ගෙවීම්", + "Confirm your :amount payment": "තහවුරු ඔබේ :amount ගෙවීම්", + "Congo": "කොංගෝ", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "කුක් දූපත්", + "Costa Rica": "කොස්ටා රිකා", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "ක්රොඒෂියාව", + "Cuba": "කියුබාව", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "සයිප්රස්", + "Czech Republic": "Czechia", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "ඩෙන්මාර්කය", + "Djibouti": "ජිබුටි", + "Dominica": "ඉරිදා", + "Dominican Republic": "ඩොමිනිකන් ජනරජයේ", + "Download Receipt": "Download Receipt", + "Ecuador": "ඉක්වදෝරය", + "Egypt": "ඊජිප්තුවේ", + "El Salvador": "සැල්වදෝරයේ", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "නිරක්ෂයට යාබද ගිනිය", + "Eritrea": "ඉරිට්රියා", + "Estonia": "එස්තෝනියාව", + "Ethiopia": "ඉතියෝපියාව", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "අමතර තහවුරු කිරීමට අවශ්ය වේ ක්රියාවලිය, ඔබේ ගෙවීම්. කරුණාකර දිගටම ගෙවීම් පිටුවේ මත ක්ලික් කිරීමෙන් පහත දැක්වෙන බොත්තම.", + "Falkland Islands (Malvinas)": "ෆැල්ක්ලන්ඩ් දූපත් (Malvinas)", + "Faroe Islands": "ෆාරෝ දිවයින්", + "Fiji": "ෆීජි", + "Finland": "ෆින්ලන්තය", + "France": "ප්රංශය", + "French Guiana": "ප්රංශ ගිනියා", + "French Polynesia": "ප්රංශ පොලිනිසියාව", + "French Southern Territories": "ප්රංශ දකුණු ප්රදේශ", + "Gabon": "ගැබොන්", + "Gambia": "ගම්බියා", + "Georgia": "ජෝර්ජියා", + "Germany": "ජර්මනිය", + "Ghana": "ඝානා", + "Gibraltar": "ලවණතාව", + "Greece": "ග්රීසිය", + "Greenland": "ග්රීන්ලන්තය", + "Grenada": "ග්රෙනාඩා", + "Guadeloupe": "ගෝඩලූප්", + "Guam": "ගුවාම්", + "Guatemala": "ගෝතමාලාවේ", + "Guernsey": "ගුවර්න්සිය", + "Guinea": "ගිනියාවේ", + "Guinea-Bissau": "ගිනිය-Bissau", + "Guyana": "ගයනා", + "Haiti": "හයිටි", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "හොන්ඩුරාස්", + "Hong Kong": "හොංකොං", + "Hungary": "හංගේරියාව", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "අයිස්ලන්තය", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "ඉන්දියාව", + "Indonesia": "ඉන්දුනීසියාව", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "ඉරාකය", + "Ireland": "අයර්ලන්තය", + "Isle of Man": "Isle of Man", + "Israel": "ඊශ්රායලය", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "ඉතාලියේ", + "Jamaica": "ජැමෙයිකාවේ", + "Japan": "ජපානය", + "Jersey": "ජර්සි", + "Jordan": "ජෝර්දානය", + "Kazakhstan": "කසකස්තානය", + "Kenya": "කෙන්යාව", + "Kiribati": "කිරිබටි", + "Korea, Democratic People's Republic of": "උතුරු කොරියාව", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "කුවේට්", + "Kyrgyzstan": "කිර්ගිස්ථානය", + "Lao People's Democratic Republic": "ලාඕසය", + "Latvia": "ලැට්වියාව", + "Lebanon": "ලෙබනනයේ", + "Lesotho": "Lesotho", + "Liberia": "ලයිබීරියාව", + "Libyan Arab Jamahiriya": "ලිබියාව", + "Liechtenstein": "පින්සිපල්ටි", + "Lithuania": "ලිතුවේනියාව", + "Luxembourg": "ලක්සම්බර්ග්", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "මැඩගස්කරය", + "Malawi": "මලාවි", + "Malaysia": "මැලේසියාව", + "Maldives": "මාලදිවයින", + "Mali": "කුඩා", + "Malta": "මෝල්ටා", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "මාෂල් දූපත්", + "Martinique": "මාටිනික්", + "Mauritania": "මොරිටේනියා", + "Mauritius": "මුරුසිය", + "Mayotte": "මයොට්", + "Mexico": "මෙක්සිකෝ", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "මොනාකෝ", + "Mongolia": "මොන්ගෝලියාව", + "Montenegro": "මොන්ටිනිග්රෝ", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "මොරොක්කෝව", + "Mozambique": "මොසැම්බික්", + "Myanmar": "මියන්මාරය", + "Namibia": "නැමීබියාව", + "Nauru": "නෝරු", + "Nepal": "නේපාලය", + "Netherlands": "නෙදර්ලන්තය", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "නව කැලිඩෝනියාව", + "New Zealand": "නවසීලන්තය", + "Nicaragua": "නිකරගුවා", + "Niger": "නයිජ", + "Nigeria": "නයිජීරියාව", + "Niue": "නියූ", + "Norfolk Island": "නෝෆෝක් දූපත", + "Northern Mariana Islands": "උතුරු මරියානා දූපත්", + "Norway": "නෝර්වේ", + "Oman": "ඕමාන්", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "පාකිස්තානය", + "Palau": "පලෝ", + "Palestinian Territory, Occupied": "පලස්තීන භූමි ප්රදේශ", + "Panama": "පානම", + "Papua New Guinea": "පැපුවා නිව් ගිනියාවේ", + "Paraguay": "පැරගුවේ", + "Payment Information": "Payment Information", + "Peru": "පේරු", + "Philippines": "පිලිපීනය", + "Pitcairn": "පිට්කේර්න් දූපත්", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "පෝලන්තය", + "Portugal": "පෘතුගාලය", + "Puerto Rico": "පෝටෝ රිකෝ", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "රුමේනියාව", + "Russian Federation": "රුසියානු සමුහාණ්ඩුව", + "Rwanda": "රුවන්ඩා", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "ශාන්ත හෙලේනා", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "ශාන්ත ලුසියා", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "සැමෝවා", + "San Marino": "සැන් මැරිනෝ", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "සෞදි අරාබිය", + "Save": "ඉතිරි", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "සෙනෙගල්", + "Serbia": "සර්බියාව", + "Seychelles": "සීෂෙල්ස්", + "Sierra Leone": "සියරා ලියොන්", + "Signed in as": "Signed in as", + "Singapore": "සිංගප්පූරුව", + "Slovakia": "ස්ලෝවැකියාව", + "Slovenia": "ස්ලොවේනියාව", + "Solomon Islands": "සොලමන් දූපත්", + "Somalia": "සෝමාලියාව", + "South Africa": "දකුණු අප්රිකාව", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "ස්පාඤ්ඤය", + "Sri Lanka": "ශ්රී ලංකා", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "සුඩානය", + "Suriname": "සුරිනාම්", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "ස්වීඩනය", + "Switzerland": "ස්විට්සර්ලන්තය", + "Syrian Arab Republic": "සිරියාව", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "ටජිකිස්ථානය", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "සේවා කොන්දේසි", + "Thailand": "තායිලන්තය", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "ටිමෝරය-ලෙස්ටේ", + "Togo": "ටෝගෝ", + "Tokelau": "ටොකෙලො", + "Tonga": "එන්න", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "ටියුනීසියාවේ", + "Turkey": "තුර්කිය", + "Turkmenistan": "ටර්ක්මෙනිස්තානය", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "ටුවාලු", + "Uganda": "උගන්ඩා", + "Ukraine": "යුක්රේනය", + "United Arab Emirates": "එක්සත් අරාබි එමීර් රාජ්යය", + "United Kingdom": "එක්සත් රාජධානිය", + "United States": "එක්සත් ජනපදය", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "යාවත්කාලීන", + "Update Payment Information": "Update Payment Information", + "Uruguay": "උරුගුවේ", + "Uzbekistan": "උස්බෙකිස්තානය", + "Vanuatu": "වනුආටු", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "බ්රිතාන්ය වර්ජින් දූපත්", + "Virgin Islands, U.S.": "එක්සත් ජනපද වර්ජින් දූපත්", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "බටහිර සහරා", + "Whoops! Something went wrong.": "ඔබට පෙනීයනු ඇත! යමක් වැරදි ගියේ ය.", + "Yearly": "Yearly", + "Yemen": "යේමන්", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "සැම්බියාව", + "Zimbabwe": "සිම්බාබ්වේ", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/si/si.json b/locales/si/si.json index 8813ce5f900..c22da2bd11e 100644 --- a/locales/si/si.json +++ b/locales/si/si.json @@ -1,710 +1,48 @@ { - "30 Days": "දින 30", - "60 Days": "60 දින", - "90 Days": "දින 90", - ":amount Total": ":amount මුළු", - ":days day trial": ":days day trial", - ":resource Details": ":resource විස්තර", - ":resource Details: :title": ":resource විස්තර: :title", "A fresh verification link has been sent to your email address.": "නැවුම් තහවුරු ලින්ක් යවා ඇත, ඔබගේ ඊ-තැපැල් ලිපිනය.", - "A new verification link has been sent to the email address you provided during registration.": "නව තහවුරු කිරීමේ සබැඳිය වෙත යවා ඇති විද්යුත් තැපැල් ලිපිනය ඔබ සපයන තුළ ලියාපදිංචි.", - "Accept Invitation": "පිළිගැනීමට ආරාධනය", - "Action": "පියවර", - "Action Happened At": "දී සිදු වූ", - "Action Initiated By": "විසින් ආරම්භ කරන ලද", - "Action Name": "නම", - "Action Status": "තත්ත්වය", - "Action Target": "ඉලක්කය", - "Actions": "ක්රියා", - "Add": "එකතු", - "Add a new team member to your team, allowing them to collaborate with you.": "එකතු නව කණ්ඩායම සාමාජික ඔබේ කණ්ඩායම ඉඩ, ඔවුන් සමග සහයෝගයෙන් කටයුතු කිරීමට ඔබ.", - "Add additional security to your account using two factor authentication.": "එකතු අතිරේක ආරක්ෂාව සඳහා, ඔබගේ ගිණුම භාවිතා දෙකක් සාධකය තහවුරු කරගැනීමේ.", - "Add row": "එක් පේළිය", - "Add Team Member": "එක් කණ්ඩායම සාමාජික", - "Add VAT Number": "Add VAT Number", - "Added.": "වැඩිදුරටත් සඳහන් කළේය.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "පරිපාලක", - "Administrator users can perform any action.": "පරිපාලක පරිශීලකයන් ඉටු කළ හැකිය ඕනෑම පියවර.", - "Afghanistan": "ඇෆ්ගනිස්ථානය", - "Aland Islands": "Åland දූපත්", - "Albania": "ඇල්බේනියාව", - "Algeria": "ඇල්ජීරියාව", - "All of the people that are part of this team.": "සියලු ජනතාව සිටින බව මෙම කණ්ඩායම කොටසක්.", - "All resources loaded.": "සියලු සම්පත් පටවා.", - "All rights reserved.": "සියලු හිමිකම් ඇවිරිණි.", - "Already registered?": "දැනටමත් ලියාපදිංචි?", - "American Samoa": "ඇමරිකානු සැමෝවා", - "An error occured while uploading the file.": "දෝෂයක් සිදුවිය අතර උඩුගත ගොනුව.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorran", - "Angola": "ඇන්ගෝලාව", - "Anguilla": "අැන්ගුයිලා", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "තවත් පරිශීලක යාවත්කාලීන කර ඇත, මෙම සම්පත් සිට මෙම පිටුව විය පටවා. කරුණාකර පිටුව refresh නැවත උත්සාහ කරන්න.", - "Antarctica": "ඇන්ටාක්ටිකාව", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "ඇන්ටිගුවා සහ බාබියුඩා", - "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 තිළිණ ඉඩ තෙවන පාර්ශවීය සේවා සත්යතාවයක් පවත්වා ගැනීමට අපේ අයදුම්පත සමග ඔබ වෙනුවෙන්.", - "April": "අප්රේල්", - "Are you sure you want to delete the selected resources?": "ඔයා sure you want to delete the selected සම්පත්?", - "Are you sure you want to delete this file?": "ඔබ වග බලා ගන්න ඔබට මැකීමට අවශ්ය මෙම ගොනුව?", - "Are you sure you want to delete this resource?": "ඔබ වග බලා ගන්න ඔබට මැකීමට අවශ්ය මෙම සම්පත්?", - "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 detach the selected resources?": "ඔබ වග බලා ගන්න ඔබට අවශ්ය මඟ පාදා තෝරාගත් සම්පත්?", - "Are you sure you want to detach this resource?": "ඔබ වග බලා ගන්න ඔබට අවශ්ය මඟ පාදා මෙම සම්පත්?", - "Are you sure you want to force delete the selected resources?": "ඔයාට විශ්වාසද ඔබ බල කිරීමට අවශ්ය මකා තෝරාගත් සම්පත්?", - "Are you sure you want to force delete this resource?": "ඔයාට විශ්වාසද ඔබ බල කිරීමට අවශ්ය මකන්න මෙම සම්පත්?", - "Are you sure you want to restore the selected resources?": "ඔයාට විශ්වාසද ඔබ නැවත කිරීමට අවශ්ය තෝරාගත් සම්පත්?", - "Are you sure you want to restore this resource?": "ඔයාට විශ්වාසද ඔබ නැවත කිරීමට අවශ්ය මෙම සම්පත්?", - "Are you sure you want to run this action?": "ඔයාට විශ්වාසද ඔබ ක්රියාත්මක කිරීමට අවශ්ය මෙම පියවර?", - "Are you sure you would like to delete this API token?": "ඔබ වග බලා ගන්න ඔබ කැමති මකා කිරීම සඳහා මෙම API සංකේත?", - "Are you sure you would like to leave this team?": "ඔයාට විශ්වාසද ඔබ යන්න කැමති, මෙම කණ්ඩායම?", - "Are you sure you would like to remove this person from the team?": "ඔබ වග බලා ගන්න ඔබ කැමති ඉවත් කිරීමට මෙම පුද්ගලයා කණ්ඩායම සිට?", - "Argentina": "ආර්ජන්ටිනාව", - "Armenia": "ආර්මේනියාව", - "Aruba": "ඇරුබා", - "Attach": "අනුයුක්ත", - "Attach & Attach Another": "අනුයුක්ත & අනුයුක්ත තවත්", - "Attach :resource": "අනුයුක්ත :resource", - "August": "අගෝස්තු", - "Australia": "ඕස්ට්රේලියාව", - "Austria": "ඔස්ට්රියාව", - "Azerbaijan": "අසර්බයිජාන්", - "Bahamas": "බහමාස්", - "Bahrain": "බහරේන්", - "Bangladesh": "බංග්ලාදේශය", - "Barbados": "බාබඩෝස්", "Before proceeding, please check your email for a verification link.": "ඉදිරියට යාමට පෙර, කරුණාකර පරීක්ෂා කරන්න ඔබගේ ඊ-තැපැල් ලිපිනය සඳහා සත්යාපන ලින්ක් එක.", - "Belarus": "බෙලරුස්", - "Belgium": "බෙල්ජියම", - "Belize": "බෙලිස්", - "Benin": "බෙනින්", - "Bermuda": "බර්මියුඩා", - "Bhutan": "භූතානය", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "බොලිවියාව", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "බොනෙයා, Sint Eustatius and Sábado", - "Bosnia And Herzegovina": "බොස්නියා සහ හර්සෙගොවිනා", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "බොට්ස්වානා", - "Bouvet Island": "Bouvet Island", - "Brazil": "බ්රසීලය", - "British Indian Ocean Territory": "බ්රිතාන්ය ඉන්දීය සාගර ප්රදේශය", - "Browser Sessions": "බ්රව්සරය සැසි", - "Brunei Darussalam": "Brunei", - "Bulgaria": "බල්ගේරියාව", - "Burkina Faso": "බර්කිනා ෆාසෝ", - "Burundi": "Burundi", - "Cambodia": "කාම්බෝජය", - "Cameroon": "කැමරූන්", - "Canada": "කැනඩාව", - "Cancel": "අවලංගු", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "කේප් වර්ඩ්", - "Card": "කාඩ්", - "Cayman Islands": "කේමන් දූපත්", - "Central African Republic": "මධ්යම අප්රිකානු ජනරජය", - "Chad": "චැඩ්", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "වෙනස්කම්", - "Chile": "චිලී", - "China": "චීනය", - "Choose": "තෝරා", - "Choose :field": "තෝරා :field", - "Choose :resource": "තෝරා :resource", - "Choose an option": "තෝරා විකල්පයක්", - "Choose date": "තෝරා දිනය", - "Choose File": "තෝරා ගොනුව", - "Choose Type": "තෝරා වර්ගය", - "Christmas Island": "නත්තල් දිවයින", - "City": "City", "click here to request another": "මෙහි ක්ලික් කරන්න කිරීමට තවත් ඉල්ලීමක්", - "Click to choose": "ක්ලික් කරන්න තෝරා ගැනීමට", - "Close": "සමීප", - "Cocos (Keeling) Islands": "කොකොස් (Keeling) දූපත්", - "Code": "කේතය", - "Colombia": "කොලොම්බියාව", - "Comoros": "කොමරෝස්", - "Confirm": "තහවුරු", - "Confirm Password": "මුරපදය තහවුරු කරන්න", - "Confirm Payment": "තහවුරු ගෙවීම්", - "Confirm your :amount payment": "තහවුරු ඔබේ :amount ගෙවීම්", - "Congo": "කොංගෝ", - "Congo, Democratic Republic": "කොන්ගෝ, ප්රජාතන්ත්රවාදී ජනරජය", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "නියත", - "Cook Islands": "කුක් දූපත්", - "Costa Rica": "කොස්ටා රිකා", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "සොයා ගත නොහැකි විය.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "නිර්මාණය", - "Create & Add Another": "නිර්මාණය සහ තවත් එක් කරන්න", - "Create :resource": "නිර්මාණය :resource", - "Create a new team to collaborate with others on projects.": "නව නිර්මාණය කණ්ඩායම සමග සහයෝගයෙන් කටයුතු කිරීමට අන් අය මත ව්යාපෘති.", - "Create Account": "ගිණුමක් නිර්මාණය කරන්න", - "Create API Token": "නිර්මාණය API සංකේත", - "Create New Team": "නිර්මාණය නව කණ්ඩායම", - "Create Team": "නිර්මාණය කණ්ඩායම", - "Created.": "නිර්මාණය.", - "Croatia": "ක්රොඒෂියාව", - "Cuba": "කියුබාව", - "Curaçao": "කුරෙකෝවා", - "Current Password": "වත්මන් මුරපදය", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "රිසිකරණය", - "Cyprus": "සයිප්රස්", - "Czech Republic": "Czechia", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "උපකරණ පුවරුව", - "December": "දෙසැම්බර්", - "Decrease": "අඩු", - "Delete": "මකා", - "Delete Account": "ගිණුම මකා", - "Delete API Token": "මකා API සංකේත", - "Delete File": "ගොනුව මකා", - "Delete Resource": "සම්පත් මකන්න", - "Delete Selected": "තෝරා ගත් මකා", - "Delete Team": "මකා කණ්ඩායම", - "Denmark": "ඩෙන්මාර්කය", - "Detach": "මඟ පාදා", - "Detach Resource": "මඟ පාදා සම්පත්", - "Detach Selected": "මඟ පාදා තෝරාගත්", - "Details": "විස්තර", - "Disable": "අක්රීය", - "Djibouti": "ජිබුටි", - "Do you really want to leave? You have unsaved changes.": "ඔබ ඇත්තටම යන්න ඕනේ? ඔබ සතුව සුරකීම නොකරන ලද වෙනස්කම් ඇත.", - "Dominica": "ඉරිදා", - "Dominican Republic": "ඩොමිනිකන් ජනරජයේ", - "Done.": "සිදු.", - "Download": "බාගත", - "Download Receipt": "Download Receipt", "E-Mail Address": "ඊ-තැපැල් ලිපිනය", - "Ecuador": "ඉක්වදෝරය", - "Edit": "සංස්කරණය", - "Edit :resource": "සංස්කරණය :resource", - "Edit Attached": "සංස්කරණය අමුණා", - "Editor": "කර්තෘ", - "Editor users have the ability to read, create, and update.": "කර්තෘ පරිශීලකයන් කියවීමට හැකියාව ඇති, නිර්මාණය, හා යාවත්කාලීන.", - "Egypt": "ඊජිප්තුවේ", - "El Salvador": "සැල්වදෝරයේ", - "Email": "ඊ-තැපැල්", - "Email Address": "ඊ-මේල් ලිපිනය", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "ඊ-තැපැල් මුරපදය නැවත සකස් ලින්ක්", - "Enable": "සක්රීය", - "Ensure your account is using a long, random password to stay secure.": "සහතික ඔබේ ගිණුම භාවිතා දිගු, අහඹු මුරපදය ඉන්න සුරක්ෂිත.", - "Equatorial Guinea": "නිරක්ෂයට යාබද ගිනිය", - "Eritrea": "ඉරිට්රියා", - "Estonia": "එස්තෝනියාව", - "Ethiopia": "ඉතියෝපියාව", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "අමතර තහවුරු කිරීමට අවශ්ය වේ ක්රියාවලිය, ඔබේ ගෙවීම්. කරුණාකර ඔබේ ගෙවීම් තහවුරු කර ඇත මගින් පුරවා, ඔබේ ගෙවීම් තොරතුරු පහත දක්වා ඇත.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "අමතර තහවුරු කිරීමට අවශ්ය වේ ක්රියාවලිය, ඔබේ ගෙවීම්. කරුණාකර දිගටම ගෙවීම් පිටුවේ මත ක්ලික් කිරීමෙන් පහත දැක්වෙන බොත්තම.", - "Falkland Islands (Malvinas)": "ෆැල්ක්ලන්ඩ් දූපත් (Malvinas)", - "Faroe Islands": "ෆාරෝ දිවයින්", - "February": "පෙබරවාරි", - "Fiji": "ෆීජි", - "Finland": "ෆින්ලන්තය", - "For your security, please confirm your password to continue.": "ඔබගේ ආරක්ෂාව සඳහා, කරුණාකර ඔබගේ මුරපදය තහවුරු කිරීමට දිගටම.", "Forbidden": "තහනම්", - "Force Delete": "බලය මකා", - "Force Delete Resource": "බලය මකා සම්පත්", - "Force Delete Selected": "බලය මකා තෝරාගත්", - "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.": "ඔබගේ මුර පදය අමතකද? කිසිදු ප්රශ්නයක්. යන්තම් අපට දන්වන්න, ඔබගේ ඊ-තැපැල් ලිපිනය සහ අපි ඔබ ඊ-තැපැල් මුරපදය නැවත සකස් කරන බව සබැඳියක් ඔබ තෝරා ගැනීමට ඉඩ අලුත් එකක්.", - "France": "ප්රංශය", - "French Guiana": "ප්රංශ ගිනියා", - "French Polynesia": "ප්රංශ පොලිනිසියාව", - "French Southern Territories": "ප්රංශ දකුණු ප්රදේශ", - "Full name": "සම්පූර්ණ නම", - "Gabon": "ගැබොන්", - "Gambia": "ගම්බියා", - "Georgia": "ජෝර්ජියා", - "Germany": "ජර්මනිය", - "Ghana": "ඝානා", - "Gibraltar": "ලවණතාව", - "Go back": "ආපසු යන්න", - "Go Home": "ගෙදර යන්න", "Go to page :page": "යන්න පිටුව :page", - "Great! You have accepted the invitation to join the :team team.": "මහා! ඔබ ආරාධනය පිළිගෙන එක්වන ලෙස :team කණ්ඩායම.", - "Greece": "ග්රීසිය", - "Greenland": "ග්රීන්ලන්තය", - "Grenada": "ග්රෙනාඩා", - "Guadeloupe": "ගෝඩලූප්", - "Guam": "ගුවාම්", - "Guatemala": "ගෝතමාලාවේ", - "Guernsey": "ගුවර්න්සිය", - "Guinea": "ගිනියාවේ", - "Guinea-Bissau": "ගිනිය-Bissau", - "Guyana": "ගයනා", - "Haiti": "හයිටි", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "අසා දූපත හා මැක්ඩොනල්ඩ් දූපත්", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "හෙලෝ!", - "Hide Content": "අන්තර්ගතය සඟවන්න", - "Hold Up!": "පොඩ්ඩක් ඉන්න!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "හොන්ඩුරාස්", - "Hong Kong": "හොංකොං", - "Hungary": "හංගේරියාව", - "I agree to the :terms_of_service and :privacy_policy": "මම එකඟ :terms_of_service හා :privacy_policy", - "Iceland": "අයිස්ලන්තය", - "ID": "ID", - "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 logout 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.": "අවශ්ය නම්, ඔබ හැකි logout සියලු ඔබේ වෙනත් බ්රවුසරයේ සැසි සියලු හරහා ඔබගේ උපාංග. ඔබේ සමහර මෑත සැසි පහත ලැයිස්තු ගත කර ඇත; කෙසේ වෙතත්, මෙම ලැයිස්තුව නොහැකි විය හැක වෙහෙසකර විය. ඔබට දැනෙනවා නම් ඔබේ ගිණුම අතපසු කර ඇත, ඔබ කළ යුතු ද යාවත්කාලීන ඔබගේ මුර පදය.", - "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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "ඔබ කරදර ක්ලික් \":actionText\" බොත්තම, පිටපත් සහ පේස්ට් URL එක පහත\nඔබේ වෙබ් බ්රවුසරයේ:", - "Increase": "වැඩි", - "India": "ඉන්දියාව", - "Indonesia": "ඉන්දුනීසියාව", "Invalid signature.": "වලංගු නොවන අත්සන.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "ඉරානය", - "Iraq": "ඉරාකය", - "Ireland": "අයර්ලන්තය", - "Isle of Man": "Isle of Man", - "Isle Of Man": "අයිල් ඔෆ් මෑන්", - "Israel": "ඊශ්රායලය", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "ඉතාලියේ", - "Jamaica": "ජැමෙයිකාවේ", - "January": "ජනවාරි", - "Japan": "ජපානය", - "Jersey": "ජර්සි", - "Jordan": "ජෝර්දානය", - "July": "ජූලි", - "June": "ජූනි", - "Kazakhstan": "කසකස්තානය", - "Kenya": "කෙන්යාව", - "Key": "ප්රධාන", - "Kiribati": "කිරිබටි", - "Korea": "දකුණු කොරියාව", - "Korea, Democratic People's Republic of": "උතුරු කොරියාව", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "කොසෝවෝ", - "Kuwait": "කුවේට්", - "Kyrgyzstan": "කිර්ගිස්ථානය", - "Lao People's Democratic Republic": "ලාඕසය", - "Last active": "පසුගිය ක්රියාකාරී", - "Last used": "පසුගිය භාවිතා", - "Latvia": "ලැට්වියාව", - "Leave": "නිවාඩු", - "Leave Team": "නිවාඩු කණ්ඩායම", - "Lebanon": "ලෙබනනයේ", - "Lens": "කාච", - "Lesotho": "Lesotho", - "Liberia": "ලයිබීරියාව", - "Libyan Arab Jamahiriya": "ලිබියාව", - "Liechtenstein": "පින්සිපල්ටි", - "Lithuania": "ලිතුවේනියාව", - "Load :perPage More": "බර වැඩි :perPage", - "Log in": "වන්න", "Log out": "ලඝු-සටහන පිටතට", - "Log Out": "ලඝු-සටහන පිටතට", - "Log Out Other Browser Sessions": "ලඝු-සටහන පිටතට වෙනත් බ්රවුසරයේ සැසි", - "Login": "ලොගින් වන්න", - "Logout": "Logout", "Logout Other Browser Sessions": "Logout වෙනත් බ්රවුසරයේ සැසි", - "Luxembourg": "ලක්සම්බර්ග්", - "Macao": "Macao", - "Macedonia": "උතුරු මැසඩෝනියාව", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "මැඩගස්කරය", - "Malawi": "මලාවි", - "Malaysia": "මැලේසියාව", - "Maldives": "මාලදිවයින", - "Mali": "කුඩා", - "Malta": "මෝල්ටා", - "Manage Account": "ගිණුම කළමනාකරණය", - "Manage and log out your active sessions on other browsers and devices.": "කළමනාකරණය හා ලඝු-සටහන පිටතට ඔබගේ ක්රියාකාරී සැසි මත අනෙකුත් වෙබ් බ්රව්සර සහ උපකරණ.", "Manage and logout your active sessions on other browsers and devices.": "කළමනාකරණය හා logout ඔබේ ක්රියාකාරී සැසි මත අනෙකුත් වෙබ් බ්රව්සර සහ උපකරණ.", - "Manage API Tokens": "කළමනාකරණය API ටෝකන් පත්", - "Manage Role": "කළමනාකරණය භූමිකාව", - "Manage Team": "කළමනාකරණය කණ්ඩායම", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "මාර්තු", - "Marshall Islands": "මාෂල් දූපත්", - "Martinique": "මාටිනික්", - "Mauritania": "මොරිටේනියා", - "Mauritius": "මුරුසිය", - "May": "හැක", - "Mayotte": "මයොට්", - "Mexico": "මෙක්සිකෝ", - "Micronesia, Federated States Of": "මයික්රොනීසියා ගිවිසුම් ජනපද", - "Moldova": "මෝල්ඩෝවා", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "මොනාකෝ", - "Mongolia": "මොන්ගෝලියාව", - "Montenegro": "මොන්ටිනිග්රෝ", - "Month To Date": "මාසය දිනය", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "මොරොක්කෝව", - "Mozambique": "මොසැම්බික්", - "Myanmar": "මියන්මාරය", - "Name": "නම", - "Namibia": "නැමීබියාව", - "Nauru": "නෝරු", - "Nepal": "නේපාලය", - "Netherlands": "නෙදර්ලන්තය", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "මතක් කරන්නවත් එපා", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "නව", - "New :resource": "නව :resource", - "New Caledonia": "නව කැලිඩෝනියාව", - "New Password": "නව මුරපදය", - "New Zealand": "නවසීලන්තය", - "Next": "ඊළඟ", - "Nicaragua": "නිකරගුවා", - "Niger": "නයිජ", - "Nigeria": "නයිජීරියාව", - "Niue": "නියූ", - "No": "නෑ", - "No :resource matched the given criteria.": "කිසිදු :resource ගැලපෙන ලබා දී නිර්ණායක.", - "No additional information...": "කිසිදු අමතර තොරතුරු...", - "No Current Data": "කිසිදු වර්තමාන දත්ත", - "No Data": "කිසිදු දත්ත", - "no file selected": "කිසිදු ගොනුවක් තෝරාගත්", - "No Increase": "කිසිදු වැඩිවීමක්", - "No Prior Data": "කිසිදු පෙර දත්ත", - "No Results Found.": "කිසිදු ප්රතිඵල සොයාගෙන ඇත.", - "Norfolk Island": "නෝෆෝක් දූපත", - "Northern Mariana Islands": "උතුරු මරියානා දූපත්", - "Norway": "නෝර්වේ", "Not Found": "සොයාගෙන නැත", - "Nova User": "නෝවා පරිශීලක", - "November": "නොවැම්බර්", - "October": "ඔක්තෝබර්", - "of": "ක", "Oh no": "කිසිදු ඔහ්", - "Oman": "ඕමාන්", - "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 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 Trashed": "එකම එක දවසක් ලස්සන කලා", - "Original": "මුල්", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "පිටුව කල් ඉකුත්", "Pagination Navigation": "පිගත සංචලනය", - "Pakistan": "පාකිස්තානය", - "Palau": "පලෝ", - "Palestinian Territory, Occupied": "පලස්තීන භූමි ප්රදේශ", - "Panama": "පානම", - "Papua New Guinea": "පැපුවා නිව් ගිනියාවේ", - "Paraguay": "පැරගුවේ", - "Password": "මුරපදය", - "Pay :amount": "වැටුප් :amount කට", - "Payment Cancelled": "ගෙවීම් අවලංගු", - "Payment Confirmation": "ගෙවීම් තහවුරු", - "Payment Information": "Payment Information", - "Payment Successful": "ගෙවීම් සාර්ථක", - "Pending Team Invitations": "විභාග කණ්ඩායම ආරාධනා", - "Per Page": "එක් පිටුවකට", - "Permanently delete this team.": "ස්ථිරවම delete මෙම කණ්ඩායම.", - "Permanently delete your account.": "ස්ථිරවම ඔබගේ ගිණුම මකා දැමීම.", - "Permissions": "අවසර", - "Peru": "පේරු", - "Philippines": "පිලිපීනය", - "Photo": "ඡායාරූප", - "Pitcairn": "පිට්කේර්න් දූපත්", "Please click the button below to verify your email address.": "පහත දැක්වෙන බොත්තම ක්ලික් කරන්න තහවුරු කිරීමට ඔබගේ ඊ-තැපැල් ලිපිනය.", - "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 your password before continuing.": "කරුණාකර තහවුරු කිරීමට පෙර ඔබගේ මුරපදය දිගටම.", - "Please copy your new API token. For your security, it won't be shown again.": "කරුණාකර පිටපතක් ඔබගේ නව API සංකේත. ඔබගේ ආරක්ෂාව සඳහා, එය කළ නොහැකි පෙන්වා ඇත නැවත.", - "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 logout of your other browser sessions across all of your devices.": "ඔබගේ මුර පදය ඇතුලත් කරන්න තහවුරු කිරීමට ඔබ කිරීමට කැමති logout ඔබේ වෙනත් බ්රවුසරයේ සැසි සියලු හරහා ඔබගේ උපාංග.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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. The email address must be associated with an existing account.": "කරුණාකර ලබා ඊ-මේල් ලිපිනය පුද්ගලයා ඔබ එකතු කිරීමට කැමති, මෙම කණ්ඩායම. ඊ-තැපැල් ලිපිනය සමග සම්බන්ධ විය යුතු ය දැනට පවතින ගිණුම.", - "Please provide your name.": "කරුණාකර ලබා ඔයාගේ නම.", - "Poland": "පෝලන්තය", - "Portugal": "පෘතුගාලය", - "Press \/ to search": "මාධ්ය \/ සොයන්න කිරීමට", - "Preview": "පෙරදසුනෙහි තරම", - "Previous": "පසුගිය", - "Privacy Policy": "රහස්යතා ප්රතිපත්තිය", - "Profile": "පැතිකඩ", - "Profile Information": "පැතිකඩ තොරතුරු", - "Puerto Rico": "පෝටෝ රිකෝ", - "Qatar": "Qatar", - "Quarter To Date": "කාර්තුව දක්වා", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "යථා කේතය", "Regards": "ශුබාශින්ෂණ", - "Regenerate Recovery Codes": "යළි ගොඩනැංවීමේ යථා කේත", - "Register": "ලියාපදිංචි", - "Reload": "රීලෝඩ්", - "Remember me": "මට මතක", - "Remember Me": "මට මතක", - "Remove": "ඉවත්", - "Remove Photo": "ඉවත් ඡායාරූප", - "Remove Team Member": "ඉවත් කණ්ඩායමේ සාමාජික", - "Resend Verification Email": "නැවත භාරදුන් තහවුරු ඊ-තැපැල්", - "Reset Filters": "නැවත සකස් පෙරහන්", - "Reset Password": "මුරපදය යළි පිහිටුවන්න", - "Reset Password Notification": "මුරපදය යළි පිහිටුවන්න නිවේදනය", - "resource": "සම්පත්", - "Resources": "සම්පත්", - "resources": "සම්පත්", - "Restore": "නැවත", - "Restore Resource": "නැවත සම්පත්", - "Restore Selected": "නැවත තෝරාගත්", "results": "ප්රතිඵල", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "රැස්වීම", - "Role": "භූමිකාව", - "Romania": "රුමේනියාව", - "Run Action": "ක්රියාත්මක ක්රියාත්මක", - "Russian Federation": "රුසියානු සමුහාණ්ඩුව", - "Rwanda": "රුවන්ඩා", - "Réunion": "Réunion", - "Saint Barthelemy": "ශාන්ත Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "ශාන්ත හෙලේනා", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "ශාන්ත කිට්ස් හා නෙවිස්", - "Saint Lucia": "ශාන්ත ලුසියා", - "Saint Martin": "ශාන්ත මාටින්", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "ශාන්ත පියරේ සහ මිකුලොන්", - "Saint Vincent And Grenadines": "ශාන්ත වින්සන්ට් සහ ග්රෙනාඩින්ස්", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "සැමෝවා", - "San Marino": "සැන් මැරිනෝ", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "සැවෝ Tomé හා Príncipe", - "Saudi Arabia": "සෞදි අරාබිය", - "Save": "ඉතිරි", - "Saved.": "බේරුවා.", - "Search": "සොයන්න", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "තෝරා නව ඡායාරූප", - "Select Action": "තේරීම් පියවර", - "Select All": "සියලුම තෝරන්න", - "Select All Matching": "සියලුම තෝරන්න හා ගැලපෙන වෙනස්වීම්", - "Send Password Reset Link": "යැවීමට මුරපදය නැවත සකස් ලින්ක්", - "Senegal": "සෙනෙගල්", - "September": "සැප්තැම්බර්", - "Serbia": "සර්බියාව", "Server Error": "සේවාදායක දෝෂයක්", "Service Unavailable": "සේවා නොමැත", - "Seychelles": "සීෂෙල්ස්", - "Show All Fields": "සියලු පෙන්වන්න ක්ෂේත්ර", - "Show Content": "අන්තර්ගතය පෙන්වන්න", - "Show Recovery Codes": "පෙන්වන්න යථා කේත", "Showing": "පෙන්වන්නේ", - "Sierra Leone": "සියරා ලියොන්", - "Signed in as": "Signed in as", - "Singapore": "සිංගප්පූරුව", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "ස්ලෝවැකියාව", - "Slovenia": "ස්ලොවේනියාව", - "Solomon Islands": "සොලමන් දූපත්", - "Somalia": "සෝමාලියාව", - "Something went wrong.": "යමක් වැරදි ගියේ ය.", - "Sorry! You are not authorized to perform this action.": "සමාවෙන්න! ඔබට අවසර නැත මෙම ක්රියාව සිදු කිරීමට.", - "Sorry, your session has expired.": "සමාවන්න, ඔබේ සැසිය කල් ඉකුත් වී ඇත.", - "South Africa": "දකුණු අප්රිකාව", - "South Georgia And Sandwich Isl.": "දකුණු ජෝර්ජියා හා දකුණු සැන්විච් දූපත්", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "දකුණු සුඩානය", - "Spain": "ස්පාඤ්ඤය", - "Sri Lanka": "ශ්රී ලංකා", - "Start Polling": "ආරම්භක ඡන්ද", - "State \/ County": "State \/ County", - "Stop Polling": "නතර ඡන්ද", - "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.": "ගබඩා මේ කේත යථා සුරක්ෂිත මුරපදය කළමනාකරු. ඔවුන් සොයා ගැනීමට භාවිතා කළ හැක ප්රවේශ කිරීම සඳහා ඔබේ ගිණුම නම්, ඔබගේ දෙකක් සාධකය තහවුරු කරගැනීමේ උපාංගය අහිමි වේ.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "සුඩානය", - "Suriname": "සුරිනාම්", - "Svalbard And Jan Mayen": "Svalbard හා Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "ස්වීඩනය", - "Switch Teams": "මාරු කණ්ඩායම්", - "Switzerland": "ස්විට්සර්ලන්තය", - "Syrian Arab Republic": "සිරියාව", - "Taiwan": ": තායිවාන්", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "ටජිකිස්ථානය", - "Tanzania": "ටැන්සානියාවේ", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "කණ්ඩායම විස්තර", - "Team Invitation": "කණ්ඩායම ආරාධනය", - "Team Members": "කණ්ඩායම සාමාජිකයන්", - "Team Name": "කණ්ඩායම නම", - "Team Owner": "කණ්ඩායම හිමිකරු", - "Team Settings": "කණ්ඩායම සැකසුම්", - "Terms of Service": "සේවා කොන්දේසි", - "Thailand": "තායිලන්තය", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "මෙම :attribute විය යුතුය වලංගු භූමිකාව.", - "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 and 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 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 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.": "මෙම :attribute අවම වශයෙන් විය යුතුය :length චරිත.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "මෙම :resource නිර්මාණය කරන ලදී!", - "The :resource was deleted!": "මෙම :resource මකා දමන ලදී!", - "The :resource was restored!": "මෙම :resource සුව විය!", - "The :resource was updated!": "මෙම :resource යාවත්කාලීන කරන ලදී!", - "The action ran successfully!": "පියවර දිව සාර්ථකව!", - "The file was deleted!": "මෙම ගොනුව මකා දමන ලදී!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "රජය නෑ අපට පෙන්වන්න ඔබ මොකක්ද මේ දොරවල් පිටුපස", - "The HasOne relationship has already been filled.": "මෙම HasOne සම්බන්ධතාවය දැනටමත් පිරී ඇත.", - "The payment was successful.": "ගෙවීම් සාර්ථක විය.", - "The provided coupon code is invalid.": "The provided coupon code is 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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "සම්පත් යාවත්කාලීන කරන ලදී!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "කණ්ඩායමේ නම සහ හිමිකරු තොරතුරු.", - "There are no available options for this resource.": "කිසිදු ලබා ගත හැකි විකල්ප මේ සඳහා සම්පත්.", - "There was a problem executing the action.": "එතන ප්රශ්නයක් ක්රියාත්මක පියවර.", - "There was a problem submitting the form.": "එතන ප්රශ්නයක් ඉදිරිපත් ස්වරූපයෙන්.", - "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.": "මෙම ජනතාව සඳහා ආරාධනා කර ඇත, ඔබගේ කණ්ඩායම හා කර ඇති ආරාධනය යවා ඊ-තැපැල්. ඔවුන් එක්වන කණ්ඩායම විසින් භාර ඊමේල් ආරාධනය.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "මෙම ක්රියාව අනවසර.", - "This device": "මෙම උපාංගය", - "This file field is read-only.": "මෙම ගොනුව ක්ෂේත්රයේ වන අතර, කියවීමට පමණක් ඇත.", - "This image": "මෙම රූපය", - "This is a secure area of the application. Please confirm your password before continuing.": "මෙම ආරක්ෂිත ප්රදේශයේ අයදුම් වේ. කරුණාකර තහවුරු කිරීමට පෙර ඔබගේ මුරපදය දිගටම.", - "This password does not match our records.": "මෙම මුරපදය නොගැලපේ අපේ වාර්තා වේ.", "This password reset link will expire in :count minutes.": "මෙම මුරපදය නැවත සකස් කිරීමේ සබැඳිය කල් ඉකුත් වනු ඇත :count දී විනාඩි.", - "This payment was already successfully confirmed.": "මෙම ගෙවීම් දැනටමත් සාර්ථකව තහවුරු කර ඇත.", - "This payment was cancelled.": "මෙම ගෙවීම් අවලංගු විය.", - "This resource no longer exists": "මෙම සම්පත් තවදුරටත් පවතී", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "මෙම පරිශීලකයා දැනටමත් අයත් කණ්ඩායම.", - "This user has already been invited to the team.": "මෙම පරිශීලකයා දැනටමත් ආරාධනා කර ගැනීමට මෙම කණ්ඩායම විය.", - "Timor-Leste": "ටිමෝරය-ලෙස්ටේ", "to": "කිරීමට", - "Today": "අද", "Toggle navigation": "Toggle navigation", - "Togo": "ටෝගෝ", - "Tokelau": "ටොකෙලො", - "Token Name": "සංකේත නම", - "Tonga": "එන්න", "Too Many Attempts.": "බොහෝ උත්සාහ දරයි.", "Too Many Requests": "බොහෝ ඉල්ලීම්", - "total": "මුළු", - "Total:": "Total:", - "Trashed": "එක දවසක් ලස්සන කලා", - "Trinidad And Tobago": "ට්රිනිඩෑඩ් සහ ටොබැගෝ", - "Tunisia": "ටියුනීසියාවේ", - "Turkey": "තුර්කිය", - "Turkmenistan": "ටර්ක්මෙනිස්තානය", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "තුර්කි සහ කයිකොස් දූපත්", - "Tuvalu": "ටුවාලු", - "Two Factor Authentication": "දෙකක් සාධකය තහවුරු කරගැනීමේ", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "දෙකක් සාධකය තහවුරු කරගැනීමේ දැන් සක්රීය. ස්කෑන් පහත QR කේතය භාවිතා කරමින් ඔබේ දුරකථනයේ authenticator අයදුම් වේ.", - "Uganda": "උගන්ඩා", - "Ukraine": "යුක්රේනය", "Unauthorized": "අනවසර", - "United Arab Emirates": "එක්සත් අරාබි එමීර් රාජ්යය", - "United Kingdom": "එක්සත් රාජධානිය", - "United States": "එක්සත් ජනපදය", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "එ නැගෙනහිර දූපත්", - "Update": "යාවත්කාලීන", - "Update & Continue Editing": "යාවත්කාලීන කිරීම & දිගටම සංස්කරණය", - "Update :resource": "යාවත්කාලීන :resource", - "Update :resource: :title": "යාවත්කාලීන :resource: :title", - "Update attached :resource: :title": "යාවත්කාලීන අමුණා :resource: :title", - "Update Password": "යාවත්කාලීන මුරපදය", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "යාවත්කාලීන ඔබේ ගිණුම පැතිකඩ තොරතුරු හා ඊ-මේල් ලිපිනය.", - "Uruguay": "උරුගුවේ", - "Use a recovery code": "භාවිතා යථා කේතය", - "Use an authentication code": "භාවිතා ක සත්යාපන කේතය", - "Uzbekistan": "උස්බෙකිස්තානය", - "Value": "අගය", - "Vanuatu": "වනුආටු", - "VAT Number": "VAT Number", - "Venezuela": "වෙනිසියුලාව", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "තහවුරු විද්යුත් තැපැල් ලිපිනය", "Verify Your Email Address": "ඔබගේ ඊ-තැපැල් ලිපිනය තහවුරු කරන්න", - "Viet Nam": "Vietnam", - "View": "දැක්ම", - "Virgin Islands, British": "බ්රිතාන්ය වර්ජින් දූපත්", - "Virgin Islands, U.S.": "එක්සත් ජනපද වර්ජින් දූපත්", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "වැලිස් සහ ෆුටුනා", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "අපි සොයා ගැනීමට නොහැකි විය ලියාපදිංචි පරිශීලක සමග මෙම ඊ-තැපැල් ලිපිනය.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "අපි අහන්නෙ නැහැ සඳහා ඔබේ මුරපදය නැවත පැය කිහිපයක් සඳහා.", - "We're lost in space. The page you were trying to view does not exist.": "අපි අවකාශය අහිමි. මෙම පිටුව ඔබට කිරීමට උත්සාහ කරන ලදී දැක්ම නොපවතියි.", - "Welcome Back!": "ඔබ සාදරයෙන් පිළිගනිමු ආපසු!", - "Western Sahara": "බටහිර සහරා", - "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 අයදුම් වේ.", - "Whoops": "ඔබට පෙනීයනු ඇත", - "Whoops!": "ඔබට පෙනීයනු ඇත!", - "Whoops! Something went wrong.": "ඔබට පෙනීයනු ඇත! යමක් වැරදි ගියේ ය.", - "With Trashed": "සමග එක දවසක් ලස්සන කලා", - "Write": "ලියන්න", - "Year To Date": "වසරේ මේ දක්වා", - "Yearly": "Yearly", - "Yemen": "යේමන්", - "Yes": "ඔව්", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "ඔබ ලොගින් වී!", - "You are receiving this email because we received a password reset request for your account.": "ඔබ ලබමින් සිටින මෙම විද්යුත් නිසා අපි ලැබී මුරපදය නැවත සකස් ඉල්ලීම සඳහා ඔබේ ගිණුම.", - "You have been invited to join the :team team!": "ඔබ ආරාධනා කර ඇත එක්වන ලෙස :team කණ්ඩායම!", - "You have enabled two factor authentication.": "ඔබ සක්රීය දෙකක් සාධකය තහවුරු කරගැනීමේ.", - "You have not enabled two factor authentication.": "ඔබ සක්රීය දෙකක් සාධකය තහවුරු කරගැනීමේ.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "ඔබ මකා දැමිය හැක ඕනෑම ඔබගේ පවතින ටෝකන් පත් නම්, ඔවුන් තවදුරටත් අවශ්ය වේ.", - "You may not delete your personal team.": "ඔබ නැති විය හැකි delete, ඔබේ පුද්ගලික කණ්ඩායම.", - "You may not leave a team that you created.": "ඔබ නිවාඩු නොහැකි විය හැක කණ්ඩායමක් බව ඔබ නිර්මාණය.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "ඔබගේ ඊ-තැපැල් ලිපිනය තහවුරු නො වේ.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "සැම්බියාව", - "Zimbabwe": "සිම්බාබ්වේ", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "ඔබගේ ඊ-තැපැල් ලිපිනය තහවුරු නො වේ." } diff --git a/locales/sk/packages/cashier.json b/locales/sk/packages/cashier.json new file mode 100644 index 00000000000..5ecef25240a --- /dev/null +++ b/locales/sk/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Všetky práva vyhradené.", + "Card": "Karta", + "Confirm Payment": "Potvrdenie Platby", + "Confirm your :amount payment": "Potvrďte svoju platbu :amount", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Na spracovanie Vašej platby je potrebné ďalšie potvrdenie. Potvrďte svoju platbu vyplnením platobných údajov nižšie.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Na spracovanie Vašej platby je potrebné ďalšie potvrdenie. Pokračujte prosím na platobnú stránku kliknutím na tlačidlo nižšie.", + "Full name": "Priezvisko", + "Go back": "Vrátiť", + "Jane Doe": "Jane Doe", + "Pay :amount": "Zaplatiť :amount", + "Payment Cancelled": "Platba Zrušená", + "Payment Confirmation": "Potvrdenie Platby", + "Payment Successful": "Platba Úspešná", + "Please provide your name.": "Uveďte svoje meno.", + "The payment was successful.": "Platba bola úspešná.", + "This payment was already successfully confirmed.": "Táto platba už bola úspešne potvrdená.", + "This payment was cancelled.": "Táto platba bola zrušená." +} diff --git a/locales/sk/packages/fortify.json b/locales/sk/packages/fortify.json new file mode 100644 index 00000000000..3342653107a --- /dev/null +++ b/locales/sk/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": ":attribute musí mať najmenej :length znakov a musí obsahovať aspoň jedno číslo.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute musí mať najmenej :length znakov a musí obsahovať aspoň jeden špeciálny znak a jedno číslo.", + "The :attribute must be at least :length characters and contain at least one special character.": ":attribute musí mať najmenej :length znakov a musí obsahovať aspoň jeden špeciálny znak.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute musí mať najmenej :length znakov a musí obsahovať aspoň jeden veľký znak a jedno číslo.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute musí mať najmenej :length znakov a musí obsahovať aspoň jedno veľké písmeno a jeden špeciálny znak.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute musí mať najmenej :length znakov a musí obsahovať aspoň jeden veľký znak, jedno číslo a jeden špeciálny znak.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute musí mať najmenej :length znakov a musí obsahovať aspoň jedno veľké písmeno.", + "The :attribute must be at least :length characters.": ":attribute musí mať najmenej :length znakov.", + "The provided password does not match your current password.": "Zadané heslo sa nezhoduje s vaším aktuálnym heslom.", + "The provided password was incorrect.": "Poskytnuté heslo bolo nesprávne.", + "The provided two factor authentication code was invalid.": "Poskytnutý dvojfaktorový autentifikačný kód bol neplatný." +} diff --git a/locales/sk/packages/jetstream.json b/locales/sk/packages/jetstream.json new file mode 100644 index 00000000000..232c5239111 --- /dev/null +++ b/locales/sk/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Na e-mailovú adresu, ktorú ste uviedli pri registrácii, bol odoslaný nový overovací odkaz.", + "Accept Invitation": "Prijať Pozvanie", + "Add": "Pridať", + "Add a new team member to your team, allowing them to collaborate with you.": "Pridajte do svojho tímu nového člena tímu, ktorý mu umožní spolupracovať s vami.", + "Add additional security to your account using two factor authentication.": "Pridajte do svojho účtu ďalšie zabezpečenie pomocou dvojfaktorovej autentifikácie.", + "Add Team Member": "Pridať Člena Tímu", + "Added.": "Pridať.", + "Administrator": "Správca", + "Administrator users can perform any action.": "Používatelia správcu môžu vykonať akúkoľvek akciu.", + "All of the people that are part of this team.": "Všetci ľudia, ktorí sú súčasťou tohto tímu.", + "Already registered?": "Už zaregistrovaný?", + "API Token": "Token API", + "API Token Permissions": "Oprávnenia API tokenu", + "API Tokens": "API tokeny", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API tokeny umožňujú služby tretích strán overiť pomocou našej aplikácie vo vašom mene.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Ste si istý, že chcete tento tím odstrániť? Po odstránení tímu budú všetky jeho zdroje a údaje natrvalo odstránené.", + "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.": "Ste si istý, že chcete svoj účet odstrániť? Po odstránení účtu budú všetky jeho zdroje a údaje natrvalo odstránené. Zadajte svoje heslo pre potvrdenie, že chcete natrvalo odstrániť svoj účet.", + "Are you sure you would like to delete this API token?": "Ste si istí, že chcete tento token API odstrániť?", + "Are you sure you would like to leave this team?": "Ste si istý, že by ste chceli opustiť tento tím?", + "Are you sure you would like to remove this person from the team?": "Ste si istý, že by ste chceli odstrániť túto osobu z tímu?", + "Browser Sessions": "Relácie Prehliadača", + "Cancel": "Zrušiť", + "Close": "Zatvoriť", + "Code": "Kód", + "Confirm": "Potvrdiť", + "Confirm Password": "Kontrola hesla", + "Create": "Vytvoriť", + "Create a new team to collaborate with others on projects.": "Vytvorte nový tím, ktorý bude spolupracovať s ostatnými na projektoch.", + "Create Account": "Vytvoriť Účet", + "Create API Token": "Vytvoriť Token API", + "Create New Team": "Vytvoriť Nový Tím", + "Create Team": "Vytvoriť Tím", + "Created.": "Vytvorený.", + "Current Password": "Aktuálne Heslo", + "Dashboard": "Panel", + "Delete": "Vymazať", + "Delete Account": "Odstrániť Účet", + "Delete API Token": "Odstrániť Token API", + "Delete Team": "Odstrániť Tím", + "Disable": "Vypnúť", + "Done.": "Robiť.", + "Editor": "Editor", + "Editor users have the ability to read, create, and update.": "Používatelia editora majú možnosť čítať, vytvárať a aktualizovať.", + "Email": "Mail", + "Email Password Reset Link": "Odkaz Na Obnovenie Hesla E-Mailu", + "Enable": "Povoliť", + "Ensure your account is using a long, random password to stay secure.": "Uistite sa, že váš účet používa dlhé, náhodné heslo, aby ste zostali v bezpečí.", + "For your security, please confirm your password to continue.": "Pre vašu bezpečnosť, prosím potvrďte svoje heslo pokračovať.", + "Forgot your password?": "Zabudli ste heslo?", + "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.": "Zabudli ste heslo? Žiadny problém. Dajte nám vedieť svoju e-mailovú adresu a my vám pošleme e-mail s odkazom na obnovenie hesla, ktorý vám umožní vybrať si novú.", + "Great! You have accepted the invitation to join the :team team.": "Skvelé! Prijali ste pozvanie pripojiť sa k tímu :team.", + "I agree to the :terms_of_service and :privacy_policy": "Súhlasím s :terms_of_service a :privacy_policy", + "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.": "V prípade potreby sa môžete odhlásiť zo všetkých ostatných relácií prehliadača vo všetkých svojich zariadeniach. Niektoré z vašich posledných relácií sú uvedené nižšie; Tento zoznam však nemusí byť vyčerpávajúci. Ak máte pocit, že váš účet bol ohrozený, mali by ste si tiež aktualizovať heslo.", + "If you already have an account, you may accept this invitation by clicking the button below:": "Ak už máte účet, môžete túto pozvánku prijať kliknutím na tlačidlo nižšie:", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Ak ste neočakávali, že dostanete pozvánku do tohto tímu, môžete tento e-mail zahodiť.", + "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:": "Ak nemáte účet, môžete si ho vytvoriť kliknutím na tlačidlo nižšie. Po vytvorení účtu môžete kliknutím na tlačidlo prijatia pozvánky v tomto e-maile prijať pozvánku tímu:", + "Last active": "Posledná aktívna", + "Last used": "Naposledy použité", + "Leave": "Opustiť", + "Leave Team": "Opustiť Tím", + "Log in": "Prihlásiť", + "Log Out": "odhlásiť", + "Log Out Other Browser Sessions": "Odhláste Sa Z Iných Relácií Prehliadača", + "Manage Account": "Správa Účtu", + "Manage and log out your active sessions on other browsers and devices.": "Spravujte a odhláste svoje aktívne relácie v iných prehliadačoch a zariadeniach.", + "Manage API Tokens": "Správa tokenov API", + "Manage Role": "Riadiť Úlohu", + "Manage Team": "Správa Tímu", + "Name": "Meno", + "New Password": "Nové Heslo", + "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 odstránení tímu budú všetky jeho zdroje a údaje natrvalo odstránené. Pred odstránením tohto tímu si stiahnite všetky údaje alebo informácie týkajúce sa tohto tímu, ktoré si chcete ponechať.", + "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 odstránení účtu budú všetky jeho zdroje a údaje natrvalo odstránené. Pred odstránením účtu si stiahnite všetky údaje alebo informácie, ktoré si chcete ponechať.", + "Password": "Heslo", + "Pending Team Invitations": "Čakajúce Pozvánky Tímov", + "Permanently delete this team.": "Natrvalo odstrániť tento tím.", + "Permanently delete your account.": "Natrvalo odstrániť svoj účet.", + "Permissions": "Povolenia", + "Photo": "Fotografia", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Potvrďte prístup k svojmu účtu zadaním jedného z vašich kódov núdzového obnovenia.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Potvrďte prístup k svojmu účtu zadaním autentifikačného kódu poskytnutého aplikáciou authenticator.", + "Please copy your new API token. For your security, it won't be shown again.": "Skopírujte prosím svoj nový token API. Pre vašu bezpečnosť sa už nebude zobrazovať.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Zadajte svoje heslo, aby ste potvrdili, že sa chcete odhlásiť z ostatných relácií prehliadača vo všetkých zariadeniach.", + "Please provide the email address of the person you would like to add to this team.": "Uveďte e-mailovú adresu osoby, ktorú chcete pridať do tohto tímu.", + "Privacy Policy": "súkromie", + "Profile": "Profil", + "Profile Information": "Informácie O Profile", + "Recovery Code": "Kód Obnovenia", + "Regenerate Recovery Codes": "Regenerujte Obnovovacie Kódy", + "Register": "Registrácia", + "Remember me": "Pamätaj si ma", + "Remove": "Odstrániť", + "Remove Photo": "Odstrániť Fotografiu", + "Remove Team Member": "Odstrániť Člena Tímu", + "Resend Verification Email": "Znova Odoslať Overovací E-Mail", + "Reset Password": "Obnoviť heslo", + "Role": "Úloha", + "Save": "Uložiť", + "Saved.": "Uložený.", + "Select A New Photo": "Vyberte Novú Fotografiu", + "Show Recovery Codes": "Zobraziť Kódy Obnovy", + "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.": "Uložte tieto obnovovacie kódy do zabezpečeného správcu hesiel. Môžu sa použiť na obnovenie prístupu k vášmu účtu, ak dôjde k strate vášho dvojfaktorového autentifikačného zariadenia.", + "Switch Teams": "Prepnúť Tímy", + "Team Details": "Podrobnosti Tímu", + "Team Invitation": "Pozvánka Tímu", + "Team Members": "Členovia Tímu", + "Team Name": "Názov Tímu", + "Team Owner": "Majiteľ Tímu", + "Team Settings": "Nastavenie Tímu", + "Terms of Service": "Podmienky služby", + "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ďaka za registráciu! Mohli by ste svoju e-mailovú adresu overiť skôr, ako začnete, kliknutím na odkaz, ktorý sme vám práve poslali e-mailom? Ak ste nedostali e-mail, radi vám pošleme ďalší.", + "The :attribute must be a valid role.": ":attribute musí mať platnú úlohu.", + "The :attribute must be at least :length characters and contain at least one number.": ":attribute musí mať najmenej :length znakov a musí obsahovať aspoň jedno číslo.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute musí mať najmenej :length znakov a musí obsahovať aspoň jeden špeciálny znak a jedno číslo.", + "The :attribute must be at least :length characters and contain at least one special character.": ":attribute musí mať najmenej :length znakov a musí obsahovať aspoň jeden špeciálny znak.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute musí mať najmenej :length znakov a musí obsahovať aspoň jeden veľký znak a jedno číslo.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute musí mať najmenej :length znakov a musí obsahovať aspoň jedno veľké písmeno a jeden špeciálny znak.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute musí mať najmenej :length znakov a musí obsahovať aspoň jeden veľký znak, jedno číslo a jeden špeciálny znak.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute musí mať najmenej :length znakov a musí obsahovať aspoň jedno veľké písmeno.", + "The :attribute must be at least :length characters.": ":attribute musí mať najmenej :length znakov.", + "The provided password does not match your current password.": "Zadané heslo sa nezhoduje s vaším aktuálnym heslom.", + "The provided password was incorrect.": "Poskytnuté heslo bolo nesprávne.", + "The provided two factor authentication code was invalid.": "Poskytnutý dvojfaktorový autentifikačný kód bol neplatný.", + "The team's name and owner information.": "Informácie o názve a majiteľovi tímu.", + "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.": "Títo ľudia boli pozvaní do vášho tímu a boli im zaslané e-mail s pozvánkou. Môžu sa pripojiť k tímu prijatím e-mailovej pozvánky.", + "This device": "Toto zariadenie", + "This is a secure area of the application. Please confirm your password before continuing.": "Toto je bezpečná oblasť aplikácie. Pred pokračovaním potvrďte svoje heslo.", + "This password does not match our records.": "Toto heslo sa nezhoduje s našimi záznamami.", + "This user already belongs to the team.": "Tento používateľ už patrí do tímu.", + "This user has already been invited to the team.": "Tento používateľ už bol pozvaný do tímu.", + "Token Name": "Názov Tokenu", + "Two Factor Authentication": "Dvojfaktorová Autentifikácia", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Dvojfaktorová autentifikácia je teraz povolená. Naskenujte nasledujúci QR kód pomocou aplikácie authenticator vášho telefónu.", + "Update Password": "Aktualizovať Heslo", + "Update your account's profile information and email address.": "Aktualizujte informácie o profile svojho účtu a e-mailovú adresu.", + "Use a recovery code": "Použite kód na obnovenie", + "Use an authentication code": "Použitie autentifikačného kódu", + "We were unable to find a registered user with this email address.": "Nepodarilo sa nám nájsť registrovaného užívateľa s touto e-mailovou adresou.", + "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.": "Ak je zapnutá dvojfaktorová autentifikácia, počas autentifikácie sa zobrazí výzva na zabezpečenie náhodného tokenu. Tento token môžete získať z aplikácie Google Authenticator v telefóne.", + "Whoops! Something went wrong.": "Hups! Niečo sa pokazilo.", + "You have been invited to join the :team team!": "Boli ste pozvaní, aby ste sa pripojili k tímu :team!", + "You have enabled two factor authentication.": "Povolili ste dvojfaktorové overenie.", + "You have not enabled two factor authentication.": "Nie ste povolili dvojfaktorové overenie.", + "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.": "Môžete odstrániť niektorý z vašich existujúcich tokenov, ak už nie sú potrebné.", + "You may not delete your personal team.": "Nesmiete vymazať svoj osobný tím.", + "You may not leave a team that you created.": "Nesmiete opustiť tím, ktorý ste vytvorili." +} diff --git a/locales/sk/packages/nova.json b/locales/sk/packages/nova.json new file mode 100644 index 00000000000..957e094a925 --- /dev/null +++ b/locales/sk/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 dní", + "60 Days": "60 dní", + "90 Days": "90 dní", + ":amount Total": ":amount spolu", + ":resource Details": ":resource Podrobnosti", + ":resource Details: :title": ":resource Podrobnosti: :title", + "Action": "Akcia", + "Action Happened At": "Stalo Sa Na", + "Action Initiated By": "Iniciovaný", + "Action Name": "Meno", + "Action Status": "Stav", + "Action Target": "Cieľ", + "Actions": "Akcia", + "Add row": "Pridať riadok", + "Afghanistan": "Afganistan", + "Aland Islands": "Alandy", + "Albania": "Albánsko", + "Algeria": "Alžírsko", + "All resources loaded.": "Všetky zdroje naložené.", + "American Samoa": "Americká Samoa", + "An error occured while uploading the file.": "Pri nahrávaní súboru sa vyskytla chyba.", + "Andorra": "Andorrán", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Iný používateľ aktualizoval tento zdroj od načítania tejto stránky. Obnovte stránku a skúste to znova.", + "Antarctica": "Antarktída", + "Antigua And Barbuda": "Antigua a Barbuda", + "April": "Apríl", + "Are you sure you want to delete the selected resources?": "Ste si istý, že chcete odstrániť vybrané zdroje?", + "Are you sure you want to delete this file?": "Ste si istý, že chcete tento súbor odstrániť?", + "Are you sure you want to delete this resource?": "Ste si istí, že chcete tento prostriedok odstrániť?", + "Are you sure you want to detach the selected resources?": "Ste si istý, že chcete odpojiť vybrané zdroje?", + "Are you sure you want to detach this resource?": "Ste si istí, že chcete tento zdroj odpojiť?", + "Are you sure you want to force delete the selected resources?": "Ste si istí, že chcete vynútiť odstránenie vybratých zdrojov?", + "Are you sure you want to force delete this resource?": "Ste si istí, že chcete vynútiť odstránenie tohto zdroja?", + "Are you sure you want to restore the selected resources?": "Ste si istý, že chcete obnoviť vybrané zdroje?", + "Are you sure you want to restore this resource?": "Ste si istí, že chcete obnoviť tento zdroj?", + "Are you sure you want to run this action?": "Ste si istí, že chcete spustiť túto akciu?", + "Argentina": "Argentína", + "Armenia": "Arménsko", + "Aruba": "Aruba", + "Attach": "Pripojiť", + "Attach & Attach Another": "Pripojiť A Pripojiť Ďalšie", + "Attach :resource": "Priložiť :resource", + "August": "August", + "Australia": "Austrália", + "Austria": "Rakúsko", + "Azerbaijan": "Azerbajdžan", + "Bahamas": "Bahamy", + "Bahrain": "Bahrajn", + "Bangladesh": "Bangladéš", + "Barbados": "Barbados", + "Belarus": "Bielorusko", + "Belgium": "Belgicko", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermudy", + "Bhutan": "Bhután", + "Bolivia": "Bolívia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius a Sábado", + "Bosnia And Herzegovina": "Bosna a Hercegovina", + "Botswana": "Botswana", + "Bouvet Island": "Ostrov Bouvet", + "Brazil": "Brazília", + "British Indian Ocean Territory": "Britské Indickooceánske Územie", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulharsko", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodža", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel": "Zrušiť", + "Cape Verde": "Kapverdy", + "Cayman Islands": "Kajmanie Ostrovy", + "Central African Republic": "Stredoafrická Republika", + "Chad": "Čad", + "Changes": "Zmena", + "Chile": "Čile", + "China": "Čína", + "Choose": "Vybrať", + "Choose :field": "Vybrať :field", + "Choose :resource": "Vyberte :resource", + "Choose an option": "Vyberte možnosť", + "Choose date": "Vyberte dátum", + "Choose File": "Vyberte Súbor", + "Choose Type": "Vyberte Typ", + "Christmas Island": "Vianočný Ostrov", + "Click to choose": "Kliknite pre výber", + "Cocos (Keeling) Islands": "Kokosové Ostrovy", + "Colombia": "Kolumbia", + "Comoros": "Komory", + "Confirm Password": "Kontrola hesla", + "Congo": "Kongo", + "Congo, Democratic Republic": "Konžská Demokratická Republika", + "Constant": "Konštantný", + "Cook Islands": "Cookove Ostrovy", + "Costa Rica": "Kostarika", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "nebolo možné nájsť.", + "Create": "Vytvoriť", + "Create & Add Another": "Vytvoriť A Pridať Ďalšie", + "Create :resource": "Vytvoriť :resource", + "Croatia": "Chorvátsko", + "Cuba": "Kuba", + "Curaçao": "Curacao", + "Customize": "Prispôsobiť", + "Cyprus": "Cyprus", + "Czech Republic": "Česká republika", + "Dashboard": "Panel", + "December": "December", + "Decrease": "Znížiť", + "Delete": "Vymazať", + "Delete File": "Odstrániť Súbor", + "Delete Resource": "Odstrániť Prostriedok", + "Delete Selected": "Odstrániť Vybrané", + "Denmark": "Dánsko", + "Detach": "Odpojiť", + "Detach Resource": "Odpojiť Zdroj", + "Detach Selected": "Odpojiť Vybrané", + "Details": "Údaje", + "Djibouti": "Džibutsko", + "Do you really want to leave? You have unsaved changes.": "Naozaj chceš odísť? Máte neuložené zmeny.", + "Dominica": "Nedeľa", + "Dominican Republic": "Dominikánska Republika", + "Download": "Stiahnuť", + "Ecuador": "Ekvádor", + "Edit": "Upraviť", + "Edit :resource": "Upraviť :resource", + "Edit Attached": "Upraviť Pripojený", + "Egypt": "Egypt", + "El Salvador": "Salvador", + "Email Address": "adresa", + "Equatorial Guinea": "Rovníková Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estónsko", + "Ethiopia": "Etiópia", + "Falkland Islands (Malvinas)": "Falklandské Ostrovy (Malvinas)", + "Faroe Islands": "Faerské Ostrovy", + "February": "Február", + "Fiji": "Fidži", + "Finland": "Fínsko", + "Force Delete": "Vynútiť Odstránenie", + "Force Delete Resource": "Vynútiť Odstránenie Zdroja", + "Force Delete Selected": "Vynútiť Odstránenie", + "Forgot Your Password?": "Zabudli ste heslo?", + "Forgot your password?": "Zabudli ste heslo?", + "France": "Francúzsko", + "French Guiana": "Francúzska Guyana", + "French Polynesia": "Francúzska Polynézia", + "French Southern Territories": "Francúzske Južné Územia", + "Gabon": "Gabón", + "Gambia": "Gambia", + "Georgia": "Gruzínsko", + "Germany": "Nemecko", + "Ghana": "Ghana", + "Gibraltar": "Gibraltár", + "Go Home": "Domov", + "Greece": "Grécko", + "Greenland": "Grónsko", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Heardov ostrov a McDonaldove Ostrovy", + "Hide Content": "Skryť Obsah", + "Hold Up!": "Počkaj!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hongkong", + "Hungary": "Maďarsko", + "Iceland": "Island", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "Ak ste nepožiadali o obnovenie hesla, tak považujte túto správu za bezpredmetnú a môžete ju vymazať.", + "Increase": "Zvýšiť", + "India": "India", + "Indonesia": "Indonézia", + "Iran, Islamic Republic Of": "Irán", + "Iraq": "Irak", + "Ireland": "Írsko", + "Isle Of Man": "Ostrov Man", + "Israel": "Izraelský", + "Italy": "Taliansko", + "Jamaica": "Jamajka", + "January": "Január", + "Japan": "Japonsko", + "Jersey": "Jersey", + "Jordan": "Jordán", + "July": "Júl", + "June": "Jún", + "Kazakhstan": "Kazachstan", + "Kenya": "Keňa", + "Key": "Tlačidlo", + "Kiribati": "Kiribati", + "Korea": "Južná Kórea", + "Korea, Democratic People's Republic of": "Severná Kórea", + "Kosovo": "Kosovský", + "Kuwait": "Kuvajt", + "Kyrgyzstan": "Kirgizsko", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Lotyšsko", + "Lebanon": "Libanon", + "Lens": "Objektív", + "Lesotho": "Lesotho", + "Liberia": "Libéria", + "Libyan Arab Jamahiriya": "Líbya", + "Liechtenstein": "Lichtenštajnsko", + "Lithuania": "Litva", + "Load :perPage More": "Načítať :perPage viac", + "Login": "Prihlásenie", + "Logout": "Odhlásenie", + "Luxembourg": "Luxembursko", + "Macao": "Macao", + "Macedonia": "Severné Macedónsko", + "Madagascar": "Madagaskar", + "Malawi": "Malawi", + "Malaysia": "Malajzia", + "Maldives": "Maldivy", + "Mali": "Malý", + "Malta": "Malta", + "March": "Marca", + "Marshall Islands": "Marshallove Ostrovy", + "Martinique": "Martinik", + "Mauritania": "Mauritánia", + "Mauritius": "Maurícius", + "May": "Môže", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States Of": "Mikronézia", + "Moldova": "Moldavsko", + "Monaco": "Monako", + "Mongolia": "Mongolsko", + "Montenegro": "Hora", + "Month To Date": "Mesiac K Dnešnému Dňu", + "Montserrat": "Montserrat", + "Morocco": "Maroko", + "Mozambique": "Mozambik", + "Myanmar": "Mjanmarsko", + "Namibia": "Namíbia", + "Nauru": "Nauru", + "Nepal": "Nepál", + "Netherlands": "Holandsko", + "New": "Nový", + "New :resource": "Nový :resource", + "New Caledonia": "Nová Kaledónia", + "New Zealand": "Nový Zéland", + "Next": "Ďalší", + "Nicaragua": "Nikaragua", + "Niger": "Niger", + "Nigeria": "Nigéria", + "Niue": "Niue", + "No": "Žiadny", + "No :resource matched the given criteria.": "Č. :resource zodpovedali daným kritériám.", + "No additional information...": "Žiadne ďalšie informácie...", + "No Current Data": "Žiadne Aktuálne Údaje", + "No Data": "Žiadne Údaje", + "no file selected": "nie je vybratý žiadny súbor", + "No Increase": "Žiadne Zvýšenie", + "No Prior Data": "Žiadne Predchádzajúce Údaje", + "No Results Found.": "Neboli Nájdené Žiadne Výsledky.", + "Norfolk Island": "Ostrov Norfolk", + "Northern Mariana Islands": "Severné Mariány", + "Norway": "Nórsko", + "Nova User": "Nova Používateľ", + "November": "November", + "October": "Október", + "of": "z", + "Oman": "Omán", + "Only Trashed": "Iba Trashed", + "Original": "Pôvodný", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestínske Územia", + "Panama": "Panama", + "Papua New Guinea": "Papua - Nová Guinea", + "Paraguay": "Paraguaj", + "Password": "Heslo", + "Per Page": "Na Stránku", + "Peru": "Peru", + "Philippines": "Filipíny", + "Pitcairn": "Pitcairnove Ostrovy", + "Poland": "Poľsko", + "Portugal": "Portugalsko", + "Press \/ to search": "Pre vyhľadávanie stlačte \/ ", + "Preview": "Ukážka", + "Previous": "Predchádzajúci", + "Puerto Rico": "Portoriko", + "Qatar": "Qatar", + "Quarter To Date": "Štvrťrok K Dnešnému Dňu", + "Reload": "Načítať", + "Remember Me": "Zapamätať", + "Reset Filters": "Obnoviť Filtre", + "Reset Password": "Obnoviť heslo", + "Reset Password Notification": "Požiadavka na obnovenie hesla", + "resource": "zdroj", + "Resources": "Prostriedky", + "resources": "prostriedky", + "Restore": "Obnoviť", + "Restore Resource": "Obnoviť Zdroj", + "Restore Selected": "Obnoviť Vybrané", + "Reunion": "Stretnutie", + "Romania": "Rumunsko", + "Run Action": "Spustiť Akciu", + "Russian Federation": "Ruská Federácia", + "Rwanda": "Rwanda", + "Saint Barthelemy": "Bartolomej", + "Saint Helena": "Svätá Helena", + "Saint Kitts And Nevis": "Svätý Krištof a Nevis", + "Saint Lucia": "Svätá Lucia", + "Saint Martin": "Svätý Martin", + "Saint Pierre And Miquelon": "St. Pierre a Miquelon", + "Saint Vincent And Grenadines": "Svätý Vincent a Grenadíny", + "Samoa": "Samoa", + "San Marino": "San Maríno", + "Sao Tome And Principe": "Svätý Tomáš a Princ", + "Saudi Arabia": "Saudská Arábia", + "Search": "Vyhľadávanie", + "Select Action": "Vyberte Akciu", + "Select All": "Vybrať Všetko", + "Select All Matching": "Vyberte Všetky Zodpovedajúce", + "Send Password Reset Link": "Poslať odkaz pre obnovenie hesla", + "Senegal": "Senegal", + "September": "September", + "Serbia": "Srbsko", + "Seychelles": "Seychely", + "Show All Fields": "Zobraziť Všetky Polia", + "Show Content": "Zobraziť Obsah", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapur", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovensko", + "Slovenia": "Slovinsko", + "Solomon Islands": "Šalamúnove Ostrovy", + "Somalia": "Somálsko", + "Something went wrong.": "Niečo sa pokazilo.", + "Sorry! You are not authorized to perform this action.": "Prepáč! Nie ste oprávnení vykonať túto akciu.", + "Sorry, your session has expired.": "Prepáčte, Vaša relácia vypršala.", + "South Africa": "Južná Afrika", + "South Georgia And Sandwich Isl.": "Južná Georgia a Južné Sandwichove ostrovy", + "South Sudan": "Južný Sudán", + "Spain": "Španielsko", + "Sri Lanka": "Srí Lanka", + "Start Polling": "Začať Hlasovanie", + "Stop Polling": "Zastaviť Hlasovanie", + "Sudan": "Sudán", + "Suriname": "Surinam", + "Svalbard And Jan Mayen": "Svalbard a Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Švédsko", + "Switzerland": "Švajčiarsko", + "Syrian Arab Republic": "Sýria", + "Taiwan": "Taiwan", + "Tajikistan": "Tadžikistan", + "Tanzania": "Tanzánia", + "Thailand": "Thajsko", + "The :resource was created!": "The :resource bol vytvorený!", + "The :resource was deleted!": ":resource bol odstránený!", + "The :resource was restored!": ":resource bola obnovená!", + "The :resource was updated!": ":resource bol aktualizovaný!", + "The action ran successfully!": "Akcia prebehla úspešne!", + "The file was deleted!": "Súbor bol odstránený!", + "The government won't let us show you what's behind these doors": "Vláda nedovolí, aby sme vám ukázali, čo je za týmito dverami", + "The HasOne relationship has already been filled.": "Vzťah HasOne už bol vyplnený.", + "The resource was updated!": "Zdroj bol aktualizovaný!", + "There are no available options for this resource.": "Pre tento zdroj nie sú k dispozícii žiadne možnosti.", + "There was a problem executing the action.": "Vyskytol sa problém s vykonaním akcie.", + "There was a problem submitting the form.": "Vyskytol sa problém s odoslaním formulára.", + "This file field is read-only.": "Toto pole súboru je len na čítanie.", + "This image": "Tento obrázok", + "This resource no longer exists": "Tento zdroj už neexistuje", + "Timor-Leste": "Východný Timor", + "Today": "Dnes", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Prichádzať", + "total": "celkový", + "Trashed": "Kôš", + "Trinidad And Tobago": "Trinidad a Tobago", + "Tunisia": "Tunisko", + "Turkey": "Turecko", + "Turkmenistan": "Turkménsko", + "Turks And Caicos Islands": "Ostrovy Turks a Caicos", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukrajina", + "United Arab Emirates": "Spojené Arabské Emiráty", + "United Kingdom": "Británia", + "United States": "Spojené Štáty Americké", + "United States Outlying Islands": "Odľahlé ostrovy USA", + "Update": "Aktualizácia", + "Update & Continue Editing": "Aktualizácia A Pokračovať V Úprave", + "Update :resource": "Aktualizácia :resource", + "Update :resource: :title": "Aktualizácia :resource: :title", + "Update attached :resource: :title": "Aktualizácia pripojená :resource: :title", + "Uruguay": "Uruguaj", + "Uzbekistan": "Uzbekistan", + "Value": "Hodnota", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Zobraziť", + "Virgin Islands, British": "Britské Panenské Ostrovy", + "Virgin Islands, U.S.": "Americké Panenské Ostrovy", + "Wallis And Futuna": "Wallis a Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Stratili sme sa vo vesmíre. Stránka, ktorú ste sa pokúšali zobraziť, neexistuje.", + "Welcome Back!": "Vitaj Späť!", + "Western Sahara": "Západná Sahara", + "Whoops": "Whops", + "Whoops!": "Ups!", + "With Trashed": "S Trashed", + "Write": "Napísať", + "Year To Date": "Rok K Dnešnému Dňu", + "Yemen": "Jemen", + "Yes": "Áno", + "You are receiving this email because we received a password reset request for your account.": "Táto správa Vám bola doručená na základe žiadosti pre obnovenie hesla.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/sk/packages/spark-paddle.json b/locales/sk/packages/spark-paddle.json new file mode 100644 index 00000000000..b03f9310ff8 --- /dev/null +++ b/locales/sk/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Podmienky služby", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Hups! Niečo sa pokazilo.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/sk/packages/spark-stripe.json b/locales/sk/packages/spark-stripe.json new file mode 100644 index 00000000000..154111c6f42 --- /dev/null +++ b/locales/sk/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afganistan", + "Albania": "Albánsko", + "Algeria": "Alžírsko", + "American Samoa": "Americká Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorrán", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarktída", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentína", + "Armenia": "Arménsko", + "Aruba": "Aruba", + "Australia": "Austrália", + "Austria": "Rakúsko", + "Azerbaijan": "Azerbajdžan", + "Bahamas": "Bahamy", + "Bahrain": "Bahrajn", + "Bangladesh": "Bangladéš", + "Barbados": "Barbados", + "Belarus": "Bielorusko", + "Belgium": "Belgicko", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermudy", + "Bhutan": "Bhután", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Ostrov Bouvet", + "Brazil": "Brazília", + "British Indian Ocean Territory": "Britské Indickooceánske Územie", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulharsko", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodža", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Kapverdy", + "Card": "Karta", + "Cayman Islands": "Kajmanie Ostrovy", + "Central African Republic": "Stredoafrická Republika", + "Chad": "Čad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Čile", + "China": "Čína", + "Christmas Island": "Vianočný Ostrov", + "City": "City", + "Cocos (Keeling) Islands": "Kokosové Ostrovy", + "Colombia": "Kolumbia", + "Comoros": "Komory", + "Confirm Payment": "Potvrdenie Platby", + "Confirm your :amount payment": "Potvrďte svoju platbu :amount", + "Congo": "Kongo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Cookove Ostrovy", + "Costa Rica": "Kostarika", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Chorvátsko", + "Cuba": "Kuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Cyprus", + "Czech Republic": "Česká republika", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Dánsko", + "Djibouti": "Džibutsko", + "Dominica": "Nedeľa", + "Dominican Republic": "Dominikánska Republika", + "Download Receipt": "Download Receipt", + "Ecuador": "Ekvádor", + "Egypt": "Egypt", + "El Salvador": "Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Rovníková Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estónsko", + "Ethiopia": "Etiópia", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Na spracovanie Vašej platby je potrebné ďalšie potvrdenie. Pokračujte prosím na platobnú stránku kliknutím na tlačidlo nižšie.", + "Falkland Islands (Malvinas)": "Falklandské Ostrovy (Malvinas)", + "Faroe Islands": "Faerské Ostrovy", + "Fiji": "Fidži", + "Finland": "Fínsko", + "France": "Francúzsko", + "French Guiana": "Francúzska Guyana", + "French Polynesia": "Francúzska Polynézia", + "French Southern Territories": "Francúzske Južné Územia", + "Gabon": "Gabón", + "Gambia": "Gambia", + "Georgia": "Gruzínsko", + "Germany": "Nemecko", + "Ghana": "Ghana", + "Gibraltar": "Gibraltár", + "Greece": "Grécko", + "Greenland": "Grónsko", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hongkong", + "Hungary": "Maďarsko", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Island", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "India", + "Indonesia": "Indonézia", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Irak", + "Ireland": "Írsko", + "Isle of Man": "Isle of Man", + "Israel": "Izraelský", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Taliansko", + "Jamaica": "Jamajka", + "Japan": "Japonsko", + "Jersey": "Jersey", + "Jordan": "Jordán", + "Kazakhstan": "Kazachstan", + "Kenya": "Keňa", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Severná Kórea", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuvajt", + "Kyrgyzstan": "Kirgizsko", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Lotyšsko", + "Lebanon": "Libanon", + "Lesotho": "Lesotho", + "Liberia": "Libéria", + "Libyan Arab Jamahiriya": "Líbya", + "Liechtenstein": "Lichtenštajnsko", + "Lithuania": "Litva", + "Luxembourg": "Luxembursko", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagaskar", + "Malawi": "Malawi", + "Malaysia": "Malajzia", + "Maldives": "Maldivy", + "Mali": "Malý", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marshallove Ostrovy", + "Martinique": "Martinik", + "Mauritania": "Mauritánia", + "Mauritius": "Maurícius", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monako", + "Mongolia": "Mongolsko", + "Montenegro": "Hora", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Maroko", + "Mozambique": "Mozambik", + "Myanmar": "Mjanmarsko", + "Namibia": "Namíbia", + "Nauru": "Nauru", + "Nepal": "Nepál", + "Netherlands": "Holandsko", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Nová Kaledónia", + "New Zealand": "Nový Zéland", + "Nicaragua": "Nikaragua", + "Niger": "Niger", + "Nigeria": "Nigéria", + "Niue": "Niue", + "Norfolk Island": "Ostrov Norfolk", + "Northern Mariana Islands": "Severné Mariány", + "Norway": "Nórsko", + "Oman": "Omán", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestínske Územia", + "Panama": "Panama", + "Papua New Guinea": "Papua - Nová Guinea", + "Paraguay": "Paraguaj", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Filipíny", + "Pitcairn": "Pitcairnove Ostrovy", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Poľsko", + "Portugal": "Portugalsko", + "Puerto Rico": "Portoriko", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Rumunsko", + "Russian Federation": "Ruská Federácia", + "Rwanda": "Rwanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Svätá Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Svätá Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Maríno", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saudská Arábia", + "Save": "Uložiť", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Srbsko", + "Seychelles": "Seychely", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapur", + "Slovakia": "Slovensko", + "Slovenia": "Slovinsko", + "Solomon Islands": "Šalamúnove Ostrovy", + "Somalia": "Somálsko", + "South Africa": "Južná Afrika", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Španielsko", + "Sri Lanka": "Srí Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudán", + "Suriname": "Surinam", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Švédsko", + "Switzerland": "Švajčiarsko", + "Syrian Arab Republic": "Sýria", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tadžikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Podmienky služby", + "Thailand": "Thajsko", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Východný Timor", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Prichádzať", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisko", + "Turkey": "Turecko", + "Turkmenistan": "Turkménsko", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukrajina", + "United Arab Emirates": "Spojené Arabské Emiráty", + "United Kingdom": "Británia", + "United States": "Spojené Štáty Americké", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Aktualizácia", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguaj", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Britské Panenské Ostrovy", + "Virgin Islands, U.S.": "Americké Panenské Ostrovy", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Západná Sahara", + "Whoops! Something went wrong.": "Hups! Niečo sa pokazilo.", + "Yearly": "Yearly", + "Yemen": "Jemen", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/sk/sk.json b/locales/sk/sk.json index bc75103877b..cbe3a7b5825 100644 --- a/locales/sk/sk.json +++ b/locales/sk/sk.json @@ -1,710 +1,48 @@ { - "30 Days": "30 dní", - "60 Days": "60 dní", - "90 Days": "90 dní", - ":amount Total": ":amount spolu", - ":days day trial": ":days day trial", - ":resource Details": ":resource Podrobnosti", - ":resource Details: :title": ":resource Podrobnosti: :title", "A fresh verification link has been sent to your email address.": "Na vašu emailovú adresu bol odoslaný nový overovací odkaz.", - "A new verification link has been sent to the email address you provided during registration.": "Na e-mailovú adresu, ktorú ste uviedli pri registrácii, bol odoslaný nový overovací odkaz.", - "Accept Invitation": "Prijať Pozvanie", - "Action": "Akcia", - "Action Happened At": "Stalo Sa Na", - "Action Initiated By": "Iniciovaný", - "Action Name": "Meno", - "Action Status": "Stav", - "Action Target": "Cieľ", - "Actions": "Akcia", - "Add": "Pridať", - "Add a new team member to your team, allowing them to collaborate with you.": "Pridajte do svojho tímu nového člena tímu, ktorý mu umožní spolupracovať s vami.", - "Add additional security to your account using two factor authentication.": "Pridajte do svojho účtu ďalšie zabezpečenie pomocou dvojfaktorovej autentifikácie.", - "Add row": "Pridať riadok", - "Add Team Member": "Pridať Člena Tímu", - "Add VAT Number": "Add VAT Number", - "Added.": "Pridať.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Správca", - "Administrator users can perform any action.": "Používatelia správcu môžu vykonať akúkoľvek akciu.", - "Afghanistan": "Afganistan", - "Aland Islands": "Alandy", - "Albania": "Albánsko", - "Algeria": "Alžírsko", - "All of the people that are part of this team.": "Všetci ľudia, ktorí sú súčasťou tohto tímu.", - "All resources loaded.": "Všetky zdroje naložené.", - "All rights reserved.": "Všetky práva vyhradené.", - "Already registered?": "Už zaregistrovaný?", - "American Samoa": "Americká Samoa", - "An error occured while uploading the file.": "Pri nahrávaní súboru sa vyskytla chyba.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorrán", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Iný používateľ aktualizoval tento zdroj od načítania tejto stránky. Obnovte stránku a skúste to znova.", - "Antarctica": "Antarktída", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua a Barbuda", - "API Token": "Token API", - "API Token Permissions": "Oprávnenia API tokenu", - "API Tokens": "API tokeny", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API tokeny umožňujú služby tretích strán overiť pomocou našej aplikácie vo vašom mene.", - "April": "Apríl", - "Are you sure you want to delete the selected resources?": "Ste si istý, že chcete odstrániť vybrané zdroje?", - "Are you sure you want to delete this file?": "Ste si istý, že chcete tento súbor odstrániť?", - "Are you sure you want to delete this resource?": "Ste si istí, že chcete tento prostriedok odstrániť?", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Ste si istý, že chcete tento tím odstrániť? Po odstránení tímu budú všetky jeho zdroje a údaje natrvalo odstránené.", - "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.": "Ste si istý, že chcete svoj účet odstrániť? Po odstránení účtu budú všetky jeho zdroje a údaje natrvalo odstránené. Zadajte svoje heslo pre potvrdenie, že chcete natrvalo odstrániť svoj účet.", - "Are you sure you want to detach the selected resources?": "Ste si istý, že chcete odpojiť vybrané zdroje?", - "Are you sure you want to detach this resource?": "Ste si istí, že chcete tento zdroj odpojiť?", - "Are you sure you want to force delete the selected resources?": "Ste si istí, že chcete vynútiť odstránenie vybratých zdrojov?", - "Are you sure you want to force delete this resource?": "Ste si istí, že chcete vynútiť odstránenie tohto zdroja?", - "Are you sure you want to restore the selected resources?": "Ste si istý, že chcete obnoviť vybrané zdroje?", - "Are you sure you want to restore this resource?": "Ste si istí, že chcete obnoviť tento zdroj?", - "Are you sure you want to run this action?": "Ste si istí, že chcete spustiť túto akciu?", - "Are you sure you would like to delete this API token?": "Ste si istí, že chcete tento token API odstrániť?", - "Are you sure you would like to leave this team?": "Ste si istý, že by ste chceli opustiť tento tím?", - "Are you sure you would like to remove this person from the team?": "Ste si istý, že by ste chceli odstrániť túto osobu z tímu?", - "Argentina": "Argentína", - "Armenia": "Arménsko", - "Aruba": "Aruba", - "Attach": "Pripojiť", - "Attach & Attach Another": "Pripojiť A Pripojiť Ďalšie", - "Attach :resource": "Priložiť :resource", - "August": "August", - "Australia": "Austrália", - "Austria": "Rakúsko", - "Azerbaijan": "Azerbajdžan", - "Bahamas": "Bahamy", - "Bahrain": "Bahrajn", - "Bangladesh": "Bangladéš", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Pred tým, ako budete pokračovať, skontrolujte si prosím svoj email pre overovací odkaz.", - "Belarus": "Bielorusko", - "Belgium": "Belgicko", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermudy", - "Bhutan": "Bhután", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolívia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius a Sábado", - "Bosnia And Herzegovina": "Bosna a Hercegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Ostrov Bouvet", - "Brazil": "Brazília", - "British Indian Ocean Territory": "Britské Indickooceánske Územie", - "Browser Sessions": "Relácie Prehliadača", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulharsko", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Kambodža", - "Cameroon": "Kamerun", - "Canada": "Kanada", - "Cancel": "Zrušiť", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Kapverdy", - "Card": "Karta", - "Cayman Islands": "Kajmanie Ostrovy", - "Central African Republic": "Stredoafrická Republika", - "Chad": "Čad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Zmena", - "Chile": "Čile", - "China": "Čína", - "Choose": "Vybrať", - "Choose :field": "Vybrať :field", - "Choose :resource": "Vyberte :resource", - "Choose an option": "Vyberte možnosť", - "Choose date": "Vyberte dátum", - "Choose File": "Vyberte Súbor", - "Choose Type": "Vyberte Typ", - "Christmas Island": "Vianočný Ostrov", - "City": "City", "click here to request another": "kliknite tu a vyžiadajte si další", - "Click to choose": "Kliknite pre výber", - "Close": "Zatvoriť", - "Cocos (Keeling) Islands": "Kokosové Ostrovy", - "Code": "Kód", - "Colombia": "Kolumbia", - "Comoros": "Komory", - "Confirm": "Potvrdiť", - "Confirm Password": "Kontrola hesla", - "Confirm Payment": "Potvrdenie Platby", - "Confirm your :amount payment": "Potvrďte svoju platbu :amount", - "Congo": "Kongo", - "Congo, Democratic Republic": "Konžská Demokratická Republika", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Konštantný", - "Cook Islands": "Cookove Ostrovy", - "Costa Rica": "Kostarika", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "nebolo možné nájsť.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Vytvoriť", - "Create & Add Another": "Vytvoriť A Pridať Ďalšie", - "Create :resource": "Vytvoriť :resource", - "Create a new team to collaborate with others on projects.": "Vytvorte nový tím, ktorý bude spolupracovať s ostatnými na projektoch.", - "Create Account": "Vytvoriť Účet", - "Create API Token": "Vytvoriť Token API", - "Create New Team": "Vytvoriť Nový Tím", - "Create Team": "Vytvoriť Tím", - "Created.": "Vytvorený.", - "Croatia": "Chorvátsko", - "Cuba": "Kuba", - "Curaçao": "Curacao", - "Current Password": "Aktuálne Heslo", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Prispôsobiť", - "Cyprus": "Cyprus", - "Czech Republic": "Česká republika", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Panel", - "December": "December", - "Decrease": "Znížiť", - "Delete": "Vymazať", - "Delete Account": "Odstrániť Účet", - "Delete API Token": "Odstrániť Token API", - "Delete File": "Odstrániť Súbor", - "Delete Resource": "Odstrániť Prostriedok", - "Delete Selected": "Odstrániť Vybrané", - "Delete Team": "Odstrániť Tím", - "Denmark": "Dánsko", - "Detach": "Odpojiť", - "Detach Resource": "Odpojiť Zdroj", - "Detach Selected": "Odpojiť Vybrané", - "Details": "Údaje", - "Disable": "Vypnúť", - "Djibouti": "Džibutsko", - "Do you really want to leave? You have unsaved changes.": "Naozaj chceš odísť? Máte neuložené zmeny.", - "Dominica": "Nedeľa", - "Dominican Republic": "Dominikánska Republika", - "Done.": "Robiť.", - "Download": "Stiahnuť", - "Download Receipt": "Download Receipt", "E-Mail Address": "Emailová adresa", - "Ecuador": "Ekvádor", - "Edit": "Upraviť", - "Edit :resource": "Upraviť :resource", - "Edit Attached": "Upraviť Pripojený", - "Editor": "Editor", - "Editor users have the ability to read, create, and update.": "Používatelia editora majú možnosť čítať, vytvárať a aktualizovať.", - "Egypt": "Egypt", - "El Salvador": "Salvador", - "Email": "Mail", - "Email Address": "adresa", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Odkaz Na Obnovenie Hesla E-Mailu", - "Enable": "Povoliť", - "Ensure your account is using a long, random password to stay secure.": "Uistite sa, že váš účet používa dlhé, náhodné heslo, aby ste zostali v bezpečí.", - "Equatorial Guinea": "Rovníková Guinea", - "Eritrea": "Eritrea", - "Estonia": "Estónsko", - "Ethiopia": "Etiópia", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Na spracovanie Vašej platby je potrebné ďalšie potvrdenie. Potvrďte svoju platbu vyplnením platobných údajov nižšie.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Na spracovanie Vašej platby je potrebné ďalšie potvrdenie. Pokračujte prosím na platobnú stránku kliknutím na tlačidlo nižšie.", - "Falkland Islands (Malvinas)": "Falklandské Ostrovy (Malvinas)", - "Faroe Islands": "Faerské Ostrovy", - "February": "Február", - "Fiji": "Fidži", - "Finland": "Fínsko", - "For your security, please confirm your password to continue.": "Pre vašu bezpečnosť, prosím potvrďte svoje heslo pokračovať.", "Forbidden": "Nepovolené", - "Force Delete": "Vynútiť Odstránenie", - "Force Delete Resource": "Vynútiť Odstránenie Zdroja", - "Force Delete Selected": "Vynútiť Odstránenie", - "Forgot Your Password?": "Zabudli ste heslo?", - "Forgot your password?": "Zabudli ste heslo?", - "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.": "Zabudli ste heslo? Žiadny problém. Dajte nám vedieť svoju e-mailovú adresu a my vám pošleme e-mail s odkazom na obnovenie hesla, ktorý vám umožní vybrať si novú.", - "France": "Francúzsko", - "French Guiana": "Francúzska Guyana", - "French Polynesia": "Francúzska Polynézia", - "French Southern Territories": "Francúzske Južné Územia", - "Full name": "Priezvisko", - "Gabon": "Gabón", - "Gambia": "Gambia", - "Georgia": "Gruzínsko", - "Germany": "Nemecko", - "Ghana": "Ghana", - "Gibraltar": "Gibraltár", - "Go back": "Vrátiť", - "Go Home": "Domov", "Go to page :page": "Prejsť na stránku :page", - "Great! You have accepted the invitation to join the :team team.": "Skvelé! Prijali ste pozvanie pripojiť sa k tímu :team.", - "Greece": "Grécko", - "Greenland": "Grónsko", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Heardov ostrov a McDonaldove Ostrovy", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Zdravíme!", - "Hide Content": "Skryť Obsah", - "Hold Up!": "Počkaj!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hongkong", - "Hungary": "Maďarsko", - "I agree to the :terms_of_service and :privacy_policy": "Súhlasím s :terms_of_service a :privacy_policy", - "Iceland": "Island", - "ID": "ID", - "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.": "V prípade potreby sa môžete odhlásiť zo všetkých ostatných relácií prehliadača vo všetkých svojich zariadeniach. Niektoré z vašich posledných relácií sú uvedené nižšie; Tento zoznam však nemusí byť vyčerpávajúci. Ak máte pocit, že váš účet bol ohrozený, mali by ste si tiež aktualizovať heslo.", "If necessary, you may logout 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.": "Ak je to potrebné, môžete sa odhlásiť zo všetkých ostatných relácií prehliadača vo všetkých svojich zariadeniach. Niektoré z vašich posledných relácií sú uvedené nižšie; Tento zoznam však nemusí byť vyčerpávajúci. Ak máte pocit, že váš účet bol ohrozený, mali by ste si tiež aktualizovať heslo.", - "If you already have an account, you may accept this invitation by clicking the button below:": "Ak už máte účet, môžete túto pozvánku prijať kliknutím na tlačidlo nižšie:", "If you did not create an account, no further action is required.": "Ak ste si nevytvorili účet, nie je potrebná žiadna ďalšia akcia.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Ak ste neočakávali, že dostanete pozvánku do tohto tímu, môžete tento e-mail zahodiť.", "If you did not receive the email": "Ak ste nedostali email", - "If you did not request a password reset, no further action is required.": "Ak ste nepožiadali o obnovenie hesla, tak považujte túto správu za bezpredmetnú a môžete ju vymazať.", - "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:": "Ak nemáte účet, môžete si ho vytvoriť kliknutím na tlačidlo nižšie. Po vytvorení účtu môžete kliknutím na tlačidlo prijatia pozvánky v tomto e-maile prijať pozvánku tímu:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Ak máte problém s kliknutim na tlačidlo \":actionText\", tak skopírujte a vložte nižšie uvedenú URL adresu do Vášho webového prehliadača:", - "Increase": "Zvýšiť", - "India": "India", - "Indonesia": "Indonézia", "Invalid signature.": "Nesprávny podpis.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Irán", - "Iraq": "Irak", - "Ireland": "Írsko", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Ostrov Man", - "Israel": "Izraelský", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Taliansko", - "Jamaica": "Jamajka", - "January": "Január", - "Japan": "Japonsko", - "Jersey": "Jersey", - "Jordan": "Jordán", - "July": "Júl", - "June": "Jún", - "Kazakhstan": "Kazachstan", - "Kenya": "Keňa", - "Key": "Tlačidlo", - "Kiribati": "Kiribati", - "Korea": "Južná Kórea", - "Korea, Democratic People's Republic of": "Severná Kórea", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovský", - "Kuwait": "Kuvajt", - "Kyrgyzstan": "Kirgizsko", - "Lao People's Democratic Republic": "Laos", - "Last active": "Posledná aktívna", - "Last used": "Naposledy použité", - "Latvia": "Lotyšsko", - "Leave": "Opustiť", - "Leave Team": "Opustiť Tím", - "Lebanon": "Libanon", - "Lens": "Objektív", - "Lesotho": "Lesotho", - "Liberia": "Libéria", - "Libyan Arab Jamahiriya": "Líbya", - "Liechtenstein": "Lichtenštajnsko", - "Lithuania": "Litva", - "Load :perPage More": "Načítať :perPage viac", - "Log in": "Prihlásiť", "Log out": "Odhlásiť", - "Log Out": "odhlásiť", - "Log Out Other Browser Sessions": "Odhláste Sa Z Iných Relácií Prehliadača", - "Login": "Prihlásenie", - "Logout": "Odhlásenie", "Logout Other Browser Sessions": "Odhlásiť Ďalšie Relácie Prehliadača", - "Luxembourg": "Luxembursko", - "Macao": "Macao", - "Macedonia": "Severné Macedónsko", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagaskar", - "Malawi": "Malawi", - "Malaysia": "Malajzia", - "Maldives": "Maldivy", - "Mali": "Malý", - "Malta": "Malta", - "Manage Account": "Správa Účtu", - "Manage and log out your active sessions on other browsers and devices.": "Spravujte a odhláste svoje aktívne relácie v iných prehliadačoch a zariadeniach.", "Manage and logout your active sessions on other browsers and devices.": "Spravujte a odhláste svoje aktívne relácie v iných prehliadačoch a zariadeniach.", - "Manage API Tokens": "Správa tokenov API", - "Manage Role": "Riadiť Úlohu", - "Manage Team": "Správa Tímu", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Marca", - "Marshall Islands": "Marshallove Ostrovy", - "Martinique": "Martinik", - "Mauritania": "Mauritánia", - "Mauritius": "Maurícius", - "May": "Môže", - "Mayotte": "Mayotte", - "Mexico": "Mexico", - "Micronesia, Federated States Of": "Mikronézia", - "Moldova": "Moldavsko", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monako", - "Mongolia": "Mongolsko", - "Montenegro": "Hora", - "Month To Date": "Mesiac K Dnešnému Dňu", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Maroko", - "Mozambique": "Mozambik", - "Myanmar": "Mjanmarsko", - "Name": "Meno", - "Namibia": "Namíbia", - "Nauru": "Nauru", - "Nepal": "Nepál", - "Netherlands": "Holandsko", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Nevermind", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Nový", - "New :resource": "Nový :resource", - "New Caledonia": "Nová Kaledónia", - "New Password": "Nové Heslo", - "New Zealand": "Nový Zéland", - "Next": "Ďalší", - "Nicaragua": "Nikaragua", - "Niger": "Niger", - "Nigeria": "Nigéria", - "Niue": "Niue", - "No": "Žiadny", - "No :resource matched the given criteria.": "Č. :resource zodpovedali daným kritériám.", - "No additional information...": "Žiadne ďalšie informácie...", - "No Current Data": "Žiadne Aktuálne Údaje", - "No Data": "Žiadne Údaje", - "no file selected": "nie je vybratý žiadny súbor", - "No Increase": "Žiadne Zvýšenie", - "No Prior Data": "Žiadne Predchádzajúce Údaje", - "No Results Found.": "Neboli Nájdené Žiadne Výsledky.", - "Norfolk Island": "Ostrov Norfolk", - "Northern Mariana Islands": "Severné Mariány", - "Norway": "Nórsko", "Not Found": "Nenájdené", - "Nova User": "Nova Používateľ", - "November": "November", - "October": "Október", - "of": "z", "Oh no": "Ach nie", - "Oman": "Omán", - "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 odstránení tímu budú všetky jeho zdroje a údaje natrvalo odstránené. Pred odstránením tohto tímu si stiahnite všetky údaje alebo informácie týkajúce sa tohto tímu, ktoré si chcete ponechať.", - "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 odstránení účtu budú všetky jeho zdroje a údaje natrvalo odstránené. Pred odstránením účtu si stiahnite všetky údaje alebo informácie, ktoré si chcete ponechať.", - "Only Trashed": "Iba Trashed", - "Original": "Pôvodný", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Platnosť stránky vypršala", "Pagination Navigation": "Navigácia Stránkami", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Palestínske Územia", - "Panama": "Panama", - "Papua New Guinea": "Papua - Nová Guinea", - "Paraguay": "Paraguaj", - "Password": "Heslo", - "Pay :amount": "Zaplatiť :amount", - "Payment Cancelled": "Platba Zrušená", - "Payment Confirmation": "Potvrdenie Platby", - "Payment Information": "Payment Information", - "Payment Successful": "Platba Úspešná", - "Pending Team Invitations": "Čakajúce Pozvánky Tímov", - "Per Page": "Na Stránku", - "Permanently delete this team.": "Natrvalo odstrániť tento tím.", - "Permanently delete your account.": "Natrvalo odstrániť svoj účet.", - "Permissions": "Povolenia", - "Peru": "Peru", - "Philippines": "Filipíny", - "Photo": "Fotografia", - "Pitcairn": "Pitcairnove Ostrovy", "Please click the button below to verify your email address.": "Kliknutím na nižšie uvedené tlačidlo overíte svoju emailovú adresu.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Potvrďte prístup k svojmu účtu zadaním jedného z vašich kódov núdzového obnovenia.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Potvrďte prístup k svojmu účtu zadaním autentifikačného kódu poskytnutého aplikáciou authenticator.", "Please confirm your password before continuing.": "Prosím potvrďte vaše heslo pred pokračovaním.", - "Please copy your new API token. For your security, it won't be shown again.": "Skopírujte prosím svoj nový token API. Pre vašu bezpečnosť sa už nebude zobrazovať.", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Zadajte svoje heslo, aby ste potvrdili, že sa chcete odhlásiť z ostatných relácií prehliadača vo všetkých zariadeniach.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Zadajte svoje heslo, aby ste potvrdili, že sa chcete odhlásiť z ostatných relácií prehliadača na všetkých svojich zariadeniach.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "Please provide the email address of the person you would like to add to this team.": "Uveďte e-mailovú adresu osoby, ktorú chcete pridať do tohto tímu.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Uveďte e-mailovú adresu osoby, ktorú chcete pridať do tohto tímu. E-mailová adresa musí byť priradená k existujúcemu účtu.", - "Please provide your name.": "Uveďte svoje meno.", - "Poland": "Poľsko", - "Portugal": "Portugalsko", - "Press \/ to search": "Pre vyhľadávanie stlačte \/ ", - "Preview": "Ukážka", - "Previous": "Predchádzajúci", - "Privacy Policy": "súkromie", - "Profile": "Profil", - "Profile Information": "Informácie O Profile", - "Puerto Rico": "Portoriko", - "Qatar": "Qatar", - "Quarter To Date": "Štvrťrok K Dnešnému Dňu", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Kód Obnovenia", "Regards": "S pozdravom", - "Regenerate Recovery Codes": "Regenerujte Obnovovacie Kódy", - "Register": "Registrácia", - "Reload": "Načítať", - "Remember me": "Pamätaj si ma", - "Remember Me": "Zapamätať", - "Remove": "Odstrániť", - "Remove Photo": "Odstrániť Fotografiu", - "Remove Team Member": "Odstrániť Člena Tímu", - "Resend Verification Email": "Znova Odoslať Overovací E-Mail", - "Reset Filters": "Obnoviť Filtre", - "Reset Password": "Obnoviť heslo", - "Reset Password Notification": "Požiadavka na obnovenie hesla", - "resource": "zdroj", - "Resources": "Prostriedky", - "resources": "prostriedky", - "Restore": "Obnoviť", - "Restore Resource": "Obnoviť Zdroj", - "Restore Selected": "Obnoviť Vybrané", "results": "výsledok", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Stretnutie", - "Role": "Úloha", - "Romania": "Rumunsko", - "Run Action": "Spustiť Akciu", - "Russian Federation": "Ruská Federácia", - "Rwanda": "Rwanda", - "Réunion": "Réunion", - "Saint Barthelemy": "Bartolomej", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Svätá Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "Svätý Krištof a Nevis", - "Saint Lucia": "Svätá Lucia", - "Saint Martin": "Svätý Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "St. Pierre a Miquelon", - "Saint Vincent And Grenadines": "Svätý Vincent a Grenadíny", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Maríno", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "Svätý Tomáš a Princ", - "Saudi Arabia": "Saudská Arábia", - "Save": "Uložiť", - "Saved.": "Uložený.", - "Search": "Vyhľadávanie", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Vyberte Novú Fotografiu", - "Select Action": "Vyberte Akciu", - "Select All": "Vybrať Všetko", - "Select All Matching": "Vyberte Všetky Zodpovedajúce", - "Send Password Reset Link": "Poslať odkaz pre obnovenie hesla", - "Senegal": "Senegal", - "September": "September", - "Serbia": "Srbsko", "Server Error": "Chyba serveru", "Service Unavailable": "Služba je nedostupná", - "Seychelles": "Seychely", - "Show All Fields": "Zobraziť Všetky Polia", - "Show Content": "Zobraziť Obsah", - "Show Recovery Codes": "Zobraziť Kódy Obnovy", "Showing": "Zobrazovanie", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapur", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovensko", - "Slovenia": "Slovinsko", - "Solomon Islands": "Šalamúnove Ostrovy", - "Somalia": "Somálsko", - "Something went wrong.": "Niečo sa pokazilo.", - "Sorry! You are not authorized to perform this action.": "Prepáč! Nie ste oprávnení vykonať túto akciu.", - "Sorry, your session has expired.": "Prepáčte, Vaša relácia vypršala.", - "South Africa": "Južná Afrika", - "South Georgia And Sandwich Isl.": "Južná Georgia a Južné Sandwichove ostrovy", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Južný Sudán", - "Spain": "Španielsko", - "Sri Lanka": "Srí Lanka", - "Start Polling": "Začať Hlasovanie", - "State \/ County": "State \/ County", - "Stop Polling": "Zastaviť Hlasovanie", - "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.": "Uložte tieto obnovovacie kódy do zabezpečeného správcu hesiel. Môžu sa použiť na obnovenie prístupu k vášmu účtu, ak dôjde k strate vášho dvojfaktorového autentifikačného zariadenia.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudán", - "Suriname": "Surinam", - "Svalbard And Jan Mayen": "Svalbard a Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Švédsko", - "Switch Teams": "Prepnúť Tímy", - "Switzerland": "Švajčiarsko", - "Syrian Arab Republic": "Sýria", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tadžikistan", - "Tanzania": "Tanzánia", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Podrobnosti Tímu", - "Team Invitation": "Pozvánka Tímu", - "Team Members": "Členovia Tímu", - "Team Name": "Názov Tímu", - "Team Owner": "Majiteľ Tímu", - "Team Settings": "Nastavenie Tímu", - "Terms of Service": "Podmienky služby", - "Thailand": "Thajsko", - "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ďaka za registráciu! Mohli by ste svoju e-mailovú adresu overiť skôr, ako začnete, kliknutím na odkaz, ktorý sme vám práve poslali e-mailom? Ak ste nedostali e-mail, radi vám pošleme ďalší.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute musí mať platnú úlohu.", - "The :attribute must be at least :length characters and contain at least one number.": ":attribute musí mať najmenej :length znakov a musí obsahovať aspoň jedno číslo.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute musí mať najmenej :length znakov a musí obsahovať aspoň jeden špeciálny znak a jedno číslo.", - "The :attribute must be at least :length characters and contain at least one special character.": ":attribute musí mať najmenej :length znakov a musí obsahovať aspoň jeden špeciálny znak.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute musí mať najmenej :length znakov a musí obsahovať aspoň jeden veľký znak a jedno číslo.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute musí mať najmenej :length znakov a musí obsahovať aspoň jedno veľké písmeno a jeden špeciálny znak.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute musí mať najmenej :length znakov a musí obsahovať aspoň jeden veľký znak, jedno číslo a jeden špeciálny znak.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute musí mať najmenej :length znakov a musí obsahovať aspoň jedno veľké písmeno.", - "The :attribute must be at least :length characters.": ":attribute musí mať najmenej :length znakov.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "The :resource bol vytvorený!", - "The :resource was deleted!": ":resource bol odstránený!", - "The :resource was restored!": ":resource bola obnovená!", - "The :resource was updated!": ":resource bol aktualizovaný!", - "The action ran successfully!": "Akcia prebehla úspešne!", - "The file was deleted!": "Súbor bol odstránený!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Vláda nedovolí, aby sme vám ukázali, čo je za týmito dverami", - "The HasOne relationship has already been filled.": "Vzťah HasOne už bol vyplnený.", - "The payment was successful.": "Platba bola úspešná.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Zadané heslo sa nezhoduje s vaším aktuálnym heslom.", - "The provided password was incorrect.": "Poskytnuté heslo bolo nesprávne.", - "The provided two factor authentication code was invalid.": "Poskytnutý dvojfaktorový autentifikačný kód bol neplatný.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Zdroj bol aktualizovaný!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Informácie o názve a majiteľovi tímu.", - "There are no available options for this resource.": "Pre tento zdroj nie sú k dispozícii žiadne možnosti.", - "There was a problem executing the action.": "Vyskytol sa problém s vykonaním akcie.", - "There was a problem submitting the form.": "Vyskytol sa problém s odoslaním formulára.", - "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.": "Títo ľudia boli pozvaní do vášho tímu a boli im zaslané e-mail s pozvánkou. Môžu sa pripojiť k tímu prijatím e-mailovej pozvánky.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Táto akcia nie je povolená.", - "This device": "Toto zariadenie", - "This file field is read-only.": "Toto pole súboru je len na čítanie.", - "This image": "Tento obrázok", - "This is a secure area of the application. Please confirm your password before continuing.": "Toto je bezpečná oblasť aplikácie. Pred pokračovaním potvrďte svoje heslo.", - "This password does not match our records.": "Toto heslo sa nezhoduje s našimi záznamami.", "This password reset link will expire in :count minutes.": "Platnosť resetovacieho odkazu je limitovaná v minútach (:count min)", - "This payment was already successfully confirmed.": "Táto platba už bola úspešne potvrdená.", - "This payment was cancelled.": "Táto platba bola zrušená.", - "This resource no longer exists": "Tento zdroj už neexistuje", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Tento používateľ už patrí do tímu.", - "This user has already been invited to the team.": "Tento používateľ už bol pozvaný do tímu.", - "Timor-Leste": "Východný Timor", "to": "na", - "Today": "Dnes", "Toggle navigation": "Prepnúť navigáciu", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Názov Tokenu", - "Tonga": "Prichádzať", "Too Many Attempts.": "Príliž veľa pokusov.", "Too Many Requests": "Príliš veľa požiadaviek", - "total": "celkový", - "Total:": "Total:", - "Trashed": "Kôš", - "Trinidad And Tobago": "Trinidad a Tobago", - "Tunisia": "Tunisko", - "Turkey": "Turecko", - "Turkmenistan": "Turkménsko", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Ostrovy Turks a Caicos", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Dvojfaktorová Autentifikácia", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Dvojfaktorová autentifikácia je teraz povolená. Naskenujte nasledujúci QR kód pomocou aplikácie authenticator vášho telefónu.", - "Uganda": "Uganda", - "Ukraine": "Ukrajina", "Unauthorized": "Neautorizované", - "United Arab Emirates": "Spojené Arabské Emiráty", - "United Kingdom": "Británia", - "United States": "Spojené Štáty Americké", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "Odľahlé ostrovy USA", - "Update": "Aktualizácia", - "Update & Continue Editing": "Aktualizácia A Pokračovať V Úprave", - "Update :resource": "Aktualizácia :resource", - "Update :resource: :title": "Aktualizácia :resource: :title", - "Update attached :resource: :title": "Aktualizácia pripojená :resource: :title", - "Update Password": "Aktualizovať Heslo", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Aktualizujte informácie o profile svojho účtu a e-mailovú adresu.", - "Uruguay": "Uruguaj", - "Use a recovery code": "Použite kód na obnovenie", - "Use an authentication code": "Použitie autentifikačného kódu", - "Uzbekistan": "Uzbekistan", - "Value": "Hodnota", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Overte emailovú adresu", "Verify Your Email Address": "Overte svoju emailovú adresu", - "Viet Nam": "Vietnam", - "View": "Zobraziť", - "Virgin Islands, British": "Britské Panenské Ostrovy", - "Virgin Islands, U.S.": "Americké Panenské Ostrovy", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis a Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Nepodarilo sa nám nájsť registrovaného užívateľa s touto e-mailovou adresou.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Ďalšíe pár hodiny nebudete musieť zadávať svoje heslo.", - "We're lost in space. The page you were trying to view does not exist.": "Stratili sme sa vo vesmíre. Stránka, ktorú ste sa pokúšali zobraziť, neexistuje.", - "Welcome Back!": "Vitaj Späť!", - "Western Sahara": "Západná Sahara", - "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.": "Ak je zapnutá dvojfaktorová autentifikácia, počas autentifikácie sa zobrazí výzva na zabezpečenie náhodného tokenu. Tento token môžete získať z aplikácie Google Authenticator v telefóne.", - "Whoops": "Whops", - "Whoops!": "Ups!", - "Whoops! Something went wrong.": "Hups! Niečo sa pokazilo.", - "With Trashed": "S Trashed", - "Write": "Napísať", - "Year To Date": "Rok K Dnešnému Dňu", - "Yearly": "Yearly", - "Yemen": "Jemen", - "Yes": "Áno", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Ste prihlásený!", - "You are receiving this email because we received a password reset request for your account.": "Táto správa Vám bola doručená na základe žiadosti pre obnovenie hesla.", - "You have been invited to join the :team team!": "Boli ste pozvaní, aby ste sa pripojili k tímu :team!", - "You have enabled two factor authentication.": "Povolili ste dvojfaktorové overenie.", - "You have not enabled two factor authentication.": "Nie ste povolili dvojfaktorové overenie.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "Môžete odstrániť niektorý z vašich existujúcich tokenov, ak už nie sú potrebné.", - "You may not delete your personal team.": "Nesmiete vymazať svoj osobný tím.", - "You may not leave a team that you created.": "Nesmiete opustiť tím, ktorý ste vytvorili.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Váš email nie je overený.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Váš email nie je overený." } diff --git a/locales/sl/packages/cashier.json b/locales/sl/packages/cashier.json new file mode 100644 index 00000000000..784b06a27ba --- /dev/null +++ b/locales/sl/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Vse pravice pridržane.", + "Card": "Kartica imenika:", + "Confirm Payment": "Potrdi Plačilo", + "Confirm your :amount payment": "Potrdite plačilo :amount.", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Potrebna je dodatna potrditev za obdelavo plačila. Prosimo, potrdite svoje plačilo z izpolnitvijo vaših podatkov o plačilu spodaj.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Potrebna je dodatna potrditev za obdelavo plačila. Nadaljujte na plačilno stran s klikom na spodnji gumb.", + "Full name": "Polno ime", + "Go back": "Pojdi nazaj.", + "Jane Doe": "Jane Doe", + "Pay :amount": "Plača :amount", + "Payment Cancelled": "Preklicano Plačilo", + "Payment Confirmation": "Potrdilo O Plačilu", + "Payment Successful": "Uspešno Plačilo", + "Please provide your name.": "Prosim, povejte svoje ime.", + "The payment was successful.": "Plačilo je bilo uspešno.", + "This payment was already successfully confirmed.": "To plačilo je bilo že uspešno potrjeno.", + "This payment was cancelled.": "Plačilo je bilo preklicano." +} diff --git a/locales/sl/packages/fortify.json b/locales/sl/packages/fortify.json new file mode 100644 index 00000000000..a685bc21a67 --- /dev/null +++ b/locales/sl/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": "Beseda za :attribute mora biti dolga vsaj :length znakov, in mora vsebovati vsaj eno številko.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute mora biti vsaj :length znakov in mora vsebovati vsaj en poseben znak in eno številko.", + "The :attribute must be at least :length characters and contain at least one special character.": "Beseda za :attribute mora biti dolga vsaj :length znakov, in mora vsebovati vsaj en poseben znak.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Beseda za :attribute mora biti dolga vsaj :length znakov, in mora vsebovati vsaj eno veliko črko in eno številko.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Beseda za :attribute mora biti dolga vsaj :length znakov, in mora vsebovati vsaj eno veliko črko in en poseben znak.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Beseda za :attribute mora biti dolga vsaj :length znakov, in mora vsebovati vsaj eno veliko črko, eno številko ter en poseben znak.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Beseda za :attribute mora biti dolga vsaj :length znakov, in mora vsebovati vsaj eno veliko črko.", + "The :attribute must be at least :length characters.": "Beseda za :attribute mora biti dolga vsaj :length znakov.", + "The provided password does not match your current password.": "Vnešeno geslo se ne ujema z vašim trenutnim geslom.", + "The provided password was incorrect.": "Vnešeno geslo ni pravilno.", + "The provided two factor authentication code was invalid.": "Vnešena koda za dvofazno avtorizacijo ni pravilna." +} diff --git a/locales/sl/packages/jetstream.json b/locales/sl/packages/jetstream.json new file mode 100644 index 00000000000..74a0d318e03 --- /dev/null +++ b/locales/sl/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Povezava za potrditev je bila poslana na elektronski naslov, ki je bil vnešen ob registraciji.", + "Accept Invitation": "Sprejmi Povabilo", + "Add": "Dodaj", + "Add a new team member to your team, allowing them to collaborate with you.": "Dodaj novega člana skupine, da bo lahko sodeloval.", + "Add additional security to your account using two factor authentication.": "Dodatno zavarovanje računa z dvostopenjsko prijavo.", + "Add Team Member": "Dodaj člana skupine", + "Added.": "Dodano.", + "Administrator": "Administrator", + "Administrator users can perform any action.": "Administratorji lahko izvedejo katerokoli akcijo", + "All of the people that are part of this team.": "Vsi člani skupne.", + "Already registered?": "Že registriran\/a?", + "API Token": "API žeton", + "API Token Permissions": "API žeton dovoljenja", + "API Tokens": "API žetoni", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API žetoni dovoljujejo zunanjim servisom prijavo z našo aplikacijo v vašem imenu.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Res želite izbrisati skupino? Odstranjeni bodo tudi vsi podatki skupine.", + "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.": "Res želite izbrisati račun? Izbrisani bodo tudi podatki računa. Vnesite vaše geslo za potrditev izbrisa računa.", + "Are you sure you would like to delete this API token?": "Res želite izbrisati ta API žeton?", + "Are you sure you would like to leave this team?": "Res želite zapustiti skupino?", + "Are you sure you would like to remove this person from the team?": "Res želite odstraniti osebo iz skupine?", + "Browser Sessions": "Seje brskalnika", + "Cancel": "Prekliči", + "Close": "Zapri", + "Code": "Koda", + "Confirm": "Potrditev", + "Confirm Password": "Potrdite geslo", + "Create": "Ustvari", + "Create a new team to collaborate with others on projects.": "Ustvari skupino za sodelovanje projektih.", + "Create Account": "Ustvari Račun", + "Create API Token": "Ustvari API žeton", + "Create New Team": "Ustvari Novo skupino", + "Create Team": "Ustvari skupino", + "Created.": "Ustvarjeno.", + "Current Password": "Trenutno geslo", + "Dashboard": "Nadzorna plošča", + "Delete": "Briši", + "Delete Account": "Brisanje računa", + "Delete API Token": "Brisanje API žetona", + "Delete Team": "Brisanje skupine", + "Disable": "Onemogoči", + "Done.": "Končano.", + "Editor": "Urednik", + "Editor users have the ability to read, create, and update.": "Uredniki imajo možnost branja, kreairanja in posodabljanja.", + "Email": "Elektronski naslov", + "Email Password Reset Link": "Pošlji povezavo za ponastavitev gesla na e-mail", + "Enable": "Omogoči", + "Ensure your account is using a long, random password to stay secure.": "Za boljšo varnost računa naj bo geslo dolgo in naključno.", + "For your security, please confirm your password to continue.": "Zaradi varnosti pred nadaljevanjem potrdite geslo.", + "Forgot your password?": "Pozabljeno geslo?", + "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.": "Pozabljeno geslo? Ni problema. Vnesite svoj elektronski naslov in vam pošljemo povezavo za ponastavitev gesla.", + "Great! You have accepted the invitation to join the :team team.": "Super! Sprejeli ste povabilo, da se pridružite :team ekipi.", + "I agree to the :terms_of_service and :privacy_policy": "Strinjam se s :terms_ of_service in :privacy_policy", + "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.": "Po potrebi se lahko odjavite iz vseh drugih sej brskalnika v vseh svojih napravah. Nekatera vaša nedavna zasedanja so navedena spodaj, vendar ta seznam morda ni izčrpen. Če menite, da je vaš račun ogrožen, morate posodobiti tudi svoje geslo.", + "If you already have an account, you may accept this invitation by clicking the button below:": "Če že imate račun, lahko sprejmete povabilo s klikom na spodnji gumb:", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Če niste pričakovali, da boste prejeli povabilo k tej ekipi, lahko to e-pošto zavržete.", + "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:": "Če nimate računa, ga lahko ustvarite s klikom na spodnji gumb. Ko ustvarite račun, lahko kliknete na gumb za sprejem povabila v tej e-pošti, da sprejmete povabilo skupine.:", + "Last active": "Nazadnje aktivno", + "Last used": "Nazadnje uporabljeno", + "Leave": "Zapusti", + "Leave Team": "Zapisti skupino", + "Log in": "Prijavi se.", + "Log Out": "Odjava", + "Log Out Other Browser Sessions": "Odjavi Druge Seje Brskalnika", + "Manage Account": "Urejanje računa", + "Manage and log out your active sessions on other browsers and devices.": "Upravljajte in odjavite svoje aktivne seje na drugih brskalnikih in napravah.", + "Manage API Tokens": "Urejanje API žetonov", + "Manage Role": "Urejanje vloge", + "Manage Team": "Urejanje skupine", + "Name": "Ime", + "New Password": "Novo geslo", + "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.": "Ko je skupina izbrisana, so odstranjeni tudi podatki skupine. Pred brisanjem skupine prenesite vse podatke skupine, ki jih želite ohraniti.", + "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.": "Ko je račun izbrisan, so odstranjeni tudi vsi podatki računa. Pred brisanjem prenesite vse podatke računa, ki jih želite ohraniti.", + "Password": "Geslo", + "Pending Team Invitations": "Nerešena Vabila.", + "Permanently delete this team.": "Trajno izbriši skupino.", + "Permanently delete your account.": "Trajno izbriši račun.", + "Permissions": "Dovoljenja", + "Photo": "Slike", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Potrditev dostopa do uporabniškega računa z vnosom kode za obnovitev.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Potrditev dostopa do uporabniškega računa z vnodom avtorizacijske kode, ki jo priskrbi avtorizator aplikacije.", + "Please copy your new API token. For your security, it won't be shown again.": "Kopirajte vaš nov API žeton. Zaradi vaše varnosti ne bo prikazan ponovno.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Vnesite svoje geslo, da potrdite, da se želite odjaviti iz drugih sej brskalnika v vseh vaših napravah.", + "Please provide the email address of the person you would like to add to this team.": "Prosimo, navedite e-poštni naslov osebe, ki jo želite dodati, da ta ekipa.", + "Privacy Policy": "Politika Zasebnosti", + "Profile": "Profil", + "Profile Information": "Informacije profila", + "Recovery Code": "Koda za obnovitev", + "Regenerate Recovery Codes": "Ponovno kreiranje kod za obnovitev", + "Register": "Registracija", + "Remember me": "Zapomni si me", + "Remove": "Odstrani", + "Remove Photo": "Odstrani sliko", + "Remove Team Member": "Odstrani člana skupine", + "Resend Verification Email": "Ponovno pošlji elektronsko sporočilo za potrditev", + "Reset Password": "Ponastavi geslo", + "Role": "Vloga", + "Save": "Shrani", + "Saved.": "Shranjeno.", + "Select A New Photo": "Izberi Novo sliko", + "Show Recovery Codes": "Prikaz obnovitvenih kod", + "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.": "Shrani te obnovitvene kode v vareno aplikacijo za gesla. Uporabljajo se za obnovitev dostopa do računa če je naprava za dvostopenjsko prijavo izgubljena.", + "Switch Teams": "Zamenjaj skupine", + "Team Details": "Podatki o skupini", + "Team Invitation": "Povabilo Skupine", + "Team Members": "Člani skupine", + "Team Name": "Ime skupine", + "Team Owner": "Lastnik skupine", + "Team Settings": "Nastavitve skupine", + "Terms of Service": "Pogoji vročitve", + "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.": "Hvala za registracijo! Pred začetkom, potrdite elektronski naslov s klikom na povezavo, ki smo jo ravnokar poslali? Če sporočila niste prejeli na vaš elektronski naslov, lahko pošljemo novega.", + "The :attribute must be a valid role.": ":attribute mora biti veljavna vloga.", + "The :attribute must be at least :length characters and contain at least one number.": "Beseda za :attribute mora biti dolga vsaj :length znakov, in mora vsebovati vsaj eno številko.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute mora biti vsaj :length znakov in mora vsebovati vsaj en poseben znak in eno številko.", + "The :attribute must be at least :length characters and contain at least one special character.": "Beseda za :attribute mora biti dolga vsaj :length znakov, in mora vsebovati vsaj en poseben znak.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Beseda za :attribute mora biti dolga vsaj :length znakov, in mora vsebovati vsaj eno veliko črko in eno številko.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Beseda za :attribute mora biti dolga vsaj :length znakov, in mora vsebovati vsaj eno veliko črko in en poseben znak.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Beseda za :attribute mora biti dolga vsaj :length znakov, in mora vsebovati vsaj eno veliko črko, eno številko ter en poseben znak.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Beseda za :attribute mora biti dolga vsaj :length znakov, in mora vsebovati vsaj eno veliko črko.", + "The :attribute must be at least :length characters.": "Beseda za :attribute mora biti dolga vsaj :length znakov.", + "The provided password does not match your current password.": "Vnešeno geslo se ne ujema z vašim trenutnim geslom.", + "The provided password was incorrect.": "Vnešeno geslo ni pravilno.", + "The provided two factor authentication code was invalid.": "Vnešena koda za dvofazno avtorizacijo ni pravilna.", + "The team's name and owner information.": "Ime skupine in podatki o lastniku.", + "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.": "Ti ljudje so bili povabljeni v tvojo ekipo in so bili poslani s povabilom. Ekipi se lahko pridružijo tako, da sprejmejo e-pošto.", + "This device": "Ta naprava", + "This is a secure area of the application. Please confirm your password before continuing.": "To je varni del aplikacije. Pred nadaljevanjem potrdite vaše geslo.", + "This password does not match our records.": "Geslo ne ustreza našim zapisom.", + "This user already belongs to the team.": "Uporabnik je že član skupine.", + "This user has already been invited to the team.": "Ta uporabnik je bil že povabljen v ekipo.", + "Token Name": "Ime žetona", + "Two Factor Authentication": "Dvofazna prijava", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Dvo stopenjska prijava je omogočena. Skeniraj sledečo QR kodo z aplikacijo za prijavo na telefonu.", + "Update Password": "Posodobitev gesla", + "Update your account's profile information and email address.": "Posodobitev podatkov profila in elektronskega naslova.", + "Use a recovery code": "Uporabi kodo za obnovitev", + "Use an authentication code": "Uporabi kodo za avtorizacijo", + "We were unable to find a registered user with this email address.": "Uporabnik s tem elektronskim naslovom ne uobstaja.", + "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.": "Ob vklopljeni dvo stopenjski prijavi boste ob prijavi vprašani za naključnim varnostnim žetonom. Žeton lahko pridobite na vašem telefonu z aplikacijo Google Authenticator.", + "Whoops! Something went wrong.": "Ups! Nekaj je šlo narobe.", + "You have been invited to join the :team team!": "Povabljeni ste, da se pridružite ekipi :team!", + "You have enabled two factor authentication.": "Dvofazna prijava omogočena.", + "You have not enabled two factor authentication.": "Dvofazna prijava ni omogočena.", + "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.": "Žetone, ki niso več potrebni, lahko izbrišete.", + "You may not delete your personal team.": "Svoje osebne skupine ni mogoče izbrisati.", + "You may not leave a team that you created.": "Lastne ustvarjene skupine ni mogoče zapustiti." +} diff --git a/locales/sl/packages/nova.json b/locales/sl/packages/nova.json new file mode 100644 index 00000000000..3c0b5f50c0e --- /dev/null +++ b/locales/sl/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 dni", + "60 Days": "60 dni", + "90 Days": "90 dni", + ":amount Total": ":amount skupaj", + ":resource Details": ":resource podrobnosti", + ":resource Details: :title": ":resource podrobnosti: :title", + "Action": "Ukrepanje", + "Action Happened At": "Se Je Zgodilo V", + "Action Initiated By": "Začetek", + "Action Name": "Ime", + "Action Status": "Stanje", + "Action Target": "Cilj", + "Actions": "Dejanja", + "Add row": "Dodaj vrstico", + "Afghanistan": "Afganistan", + "Aland Islands": "Ålandski Otoki", + "Albania": "Albanija", + "Algeria": "Alžirija", + "All resources loaded.": "Vsi viri naloženi.", + "American Samoa": "Ameriška Samoa", + "An error occured while uploading the file.": "Med nalaganjem datoteke se je pojavila napaka.", + "Andorra": "Andorran", + "Angola": "Angola", + "Anguilla": "Angvila", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Drug uporabnik je posodobil ta vir, odkar je bila ta stran naložena. Prosim osvežite stran in poskusite znova.", + "Antarctica": "Antarktika", + "Antigua And Barbuda": "Antigva in Barbuda", + "April": "April", + "Are you sure you want to delete the selected resources?": "Ali ste prepričani, da želite izbrisati izbrana sredstva?", + "Are you sure you want to delete this file?": "Ste prepričani, da želite zbrisati to datoteko?", + "Are you sure you want to delete this resource?": "Ali ste prepričani, da želite izbrisati ta vir?", + "Are you sure you want to detach the selected resources?": "Ali ste prepričani, da želite ločiti izbrana sredstva?", + "Are you sure you want to detach this resource?": "Ste prepričani, da želite ločiti ta vir?", + "Are you sure you want to force delete the selected resources?": "Ali ste prepričani, da želite prisiliti k brisanju izbranih virov?", + "Are you sure you want to force delete this resource?": "Ali ste prepričani, da želite prisiliti izbrisati ta vir?", + "Are you sure you want to restore the selected resources?": "Ali ste prepričani, da želite obnoviti izbrana sredstva?", + "Are you sure you want to restore this resource?": "Si prepričan, da želiš obnoviti ta vir?", + "Are you sure you want to run this action?": "Si prepričan, da želiš voditi to akcijo?", + "Argentina": "Argentina", + "Armenia": "Armenija", + "Aruba": "Aruba", + "Attach": "Priloži", + "Attach & Attach Another": "Priloži & Priloži Drugo", + "Attach :resource": "Ataše :resource", + "August": "Avgust", + "Australia": "Avstralija", + "Austria": "Avstrija", + "Azerbaijan": "Azerbajdžan", + "Bahamas": "Bahami", + "Bahrain": "Bahrajn", + "Bangladesh": "Bangladeš", + "Barbados": "Barbados", + "Belarus": "Belorusija", + "Belgium": "Belgija", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermudi", + "Bhutan": "Butan", + "Bolivia": "Bolivija", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius in Sábado", + "Bosnia And Herzegovina": "Bosna in Hercegovina", + "Botswana": "Bocvana", + "Bouvet Island": "Bouvetov Otok", + "Brazil": "Brazilija", + "British Indian Ocean Territory": "Britansko Ozemlje Indijskega Oceana", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bolgarija", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodža", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel": "Prekliči", + "Cape Verde": "Zelenortski Otoki", + "Cayman Islands": "Kajmanski Otoki", + "Central African Republic": "Srednjeafriška Republika", + "Chad": "Čad", + "Changes": "Spremembe", + "Chile": "Čile", + "China": "Kitajska", + "Choose": "Izberite", + "Choose :field": "Izberite :field", + "Choose :resource": "Izberite :resource", + "Choose an option": "Izberite možnost", + "Choose date": "Izberite datum", + "Choose File": "Izberite Datoteko", + "Choose Type": "Izberite Vrsto", + "Christmas Island": "Božični Otok", + "Click to choose": "Kliknite za izbiro", + "Cocos (Keeling) Islands": "Kokosovi Otoki", + "Colombia": "Kolumbija", + "Comoros": "Komori", + "Confirm Password": "Potrdite geslo", + "Congo": "Kongo", + "Congo, Democratic Republic": "Kongo, Demokratična Republika", + "Constant": "Konstanta", + "Cook Islands": "Cookovi Otoki", + "Costa Rica": "Kostarika", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "ni ga bilo moč najti.", + "Create": "Ustvari", + "Create & Add Another": "Ustvari & Dodaj Drugo", + "Create :resource": "Ustvari :resource", + "Croatia": "Hrvaška", + "Cuba": "Kuba", + "Curaçao": "Curacao", + "Customize": "Prilagodi", + "Cyprus": "Ciper", + "Czech Republic": "Čehija", + "Dashboard": "Nadzorna plošča", + "December": "December", + "Decrease": "Zmanjšanje", + "Delete": "Briši", + "Delete File": "Zbriši Datoteko", + "Delete Resource": "Zbriši Vir", + "Delete Selected": "Izbriši Izbrano", + "Denmark": "Danska", + "Detach": "Odcepi", + "Detach Resource": "Odcepi Vir", + "Detach Selected": "Odcepi Izbrano", + "Details": "Podrobnosti", + "Djibouti": "Džibuti", + "Do you really want to leave? You have unsaved changes.": "Res hočeš oditi? Imate neodprte spremembe.", + "Dominica": "Nedelja", + "Dominican Republic": "Dominikanska Republika", + "Download": "Prenesi", + "Ecuador": "Ekvador", + "Edit": "Uredi", + "Edit :resource": "Uredi :resource", + "Edit Attached": "Uredi Priloženo", + "Egypt": "Egipt", + "El Salvador": "Salvador", + "Email Address": "E-Poštni Naslov", + "Equatorial Guinea": "Ekvatorialna Gvineja", + "Eritrea": "Eritreja", + "Estonia": "Estonija", + "Ethiopia": "Etiopija", + "Falkland Islands (Malvinas)": "Falklandski Otoki (Malvinas)", + "Faroe Islands": "Ferski Otoki", + "February": "Februar", + "Fiji": "Fidži", + "Finland": "Finska", + "Force Delete": "Zbriši", + "Force Delete Resource": "Prisili Izbriši Vir", + "Force Delete Selected": "Prisili Izbris", + "Forgot Your Password?": "Pozabljeno geslo?", + "Forgot your password?": "Pozabljeno geslo?", + "France": "Francija", + "French Guiana": "Francoska Gvajana", + "French Polynesia": "Francoska Polinezija", + "French Southern Territories": "Francosko Južno Ozemlje", + "Gabon": "Gabon", + "Gambia": "Gambija", + "Georgia": "Gruzija", + "Germany": "Nemčija", + "Ghana": "Gana", + "Gibraltar": "Gibraltar", + "Go Home": "Domov", + "Greece": "Grčija", + "Greenland": "Grenlandija", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Gvam", + "Guatemala": "Gvatemala", + "Guernsey": "Guernsey!", + "Guinea": "Gvineja", + "Guinea-Bissau": "Gvineja Bissau", + "Guyana": "Gvajana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Heardov otok in McDonaldovi otoki", + "Hide Content": "Skrij Vsebino", + "Hold Up!": "Počakaj!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hongkong", + "Hungary": "Madžarska", + "Iceland": "Islandija", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "V kolikor niste zahtevali ponastavitve gesla, nadaljni koraki niso potrebni.", + "Increase": "Povečanje", + "India": "Indija", + "Indonesia": "Indonezija", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Irak", + "Ireland": "Irska", + "Isle Of Man": "Otok Man", + "Israel": "Izrael", + "Italy": "Italija", + "Jamaica": "Jamajka", + "January": "Januar", + "Japan": "Japonska", + "Jersey": "Jersey", + "Jordan": "Jordanija", + "July": "Julij", + "June": "Junij", + "Kazakhstan": "Kazahstan", + "Kenya": "Kenija", + "Key": "Ključ", + "Kiribati": "Kiribati", + "Korea": "Južna Koreja", + "Korea, Democratic People's Republic of": "Severna Koreja", + "Kosovo": "Kosovo", + "Kuwait": "Kuvajt", + "Kyrgyzstan": "Kirgizistan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvija", + "Lebanon": "Libanon", + "Lens": "Leča", + "Lesotho": "Lesoto", + "Liberia": "Liberija", + "Libyan Arab Jamahiriya": "Libija", + "Liechtenstein": "Lihtenštajn", + "Lithuania": "Litva", + "Load :perPage More": "Naloži :perPage več", + "Login": "Prijava", + "Logout": "Odjava", + "Luxembourg": "Luksemburg", + "Macao": "Macao", + "Macedonia": "Severna Makedonija", + "Madagascar": "Madagaskar", + "Malawi": "Malavi", + "Malaysia": "Malezija", + "Maldives": "Maldivi", + "Mali": "Majhna", + "Malta": "Malta", + "March": "Marec", + "Marshall Islands": "Marshallovi Otoki", + "Martinique": "Martinik", + "Mauritania": "Mavretanija", + "Mauritius": "Mavricius", + "May": "Maj", + "Mayotte": "Mayotte", + "Mexico": "Mehika", + "Micronesia, Federated States Of": "Mikronezija", + "Moldova": "Moldavija", + "Monaco": "Monako", + "Mongolia": "Mongolija", + "Montenegro": "Črna gora", + "Month To Date": "Mesec Do Datuma", + "Montserrat": "Montserrat", + "Morocco": "Maroko", + "Mozambique": "Mozambik", + "Myanmar": "Mjanmar", + "Namibia": "Namibija", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Nizozemska", + "New": "Novo", + "New :resource": "Novo :resource", + "New Caledonia": "Nova Kaledonija", + "New Zealand": "Nova Zelandija", + "Next": "Naprej", + "Nicaragua": "Nikaragva", + "Niger": "Nigerija", + "Nigeria": "Nigerija", + "Niue": "Niue", + "No": "Ne.", + "No :resource matched the given criteria.": "Št. :resource je ustrezala danim merilom.", + "No additional information...": "Ni dodatnih informacij...", + "No Current Data": "Ni Trenutnih Podatkov", + "No Data": "Ni Podatkov", + "no file selected": "ni izbrane datoteke", + "No Increase": "Brez Povečanja", + "No Prior Data": "Ni Predhodnih Podatkov", + "No Results Found.": "Rezultati Niso Bili Najdeni.", + "Norfolk Island": "Norfolški Otok", + "Northern Mariana Islands": "Severni Marianski Otoki", + "Norway": "Norveška", + "Nova User": "Uporabnik Nova", + "November": "November", + "October": "Oktober", + "of": "od", + "Oman": "Oman", + "Only Trashed": "Samo Uničen", + "Original": "Izvirnik", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinska Ozemlja", + "Panama": "Panama", + "Papua New Guinea": "Papua Nova Gvineja", + "Paraguay": "Paragvaj", + "Password": "Geslo", + "Per Page": "Na Stran", + "Peru": "Peru", + "Philippines": "Filipini", + "Pitcairn": "Pitcairn", + "Poland": "Poljska", + "Portugal": "Portugalska", + "Press \/ to search": "Pritisnite \/ poiščite", + "Preview": "Ogled", + "Previous": "Predhodno", + "Puerto Rico": "Portoriko", + "Qatar": "Qatar", + "Quarter To Date": "Četrtletje Do Datuma", + "Reload": "Znova naloži", + "Remember Me": "Zapomni si me", + "Reset Filters": "Ponastavi Filtre", + "Reset Password": "Ponastavi geslo", + "Reset Password Notification": "Obvestilo o ponastavitvi gesla", + "resource": "vir", + "Resources": "Viri", + "resources": "viri", + "Restore": "Obnovi", + "Restore Resource": "Obnovi Vir", + "Restore Selected": "Obnovi Izbrano", + "Reunion": "Sestanek", + "Romania": "Romunija", + "Run Action": "Poženi Dejanje", + "Russian Federation": "Ruska Federacija", + "Rwanda": "Ruanda", + "Saint Barthelemy": "St. Barthélemy", + "Saint Helena": "Sveta Helena", + "Saint Kitts And Nevis": "St. Kitts and Nevis", + "Saint Lucia": "Sveta Lucija", + "Saint Martin": "St. Martin", + "Saint Pierre And Miquelon": "St. Pierre in Miquelon", + "Saint Vincent And Grenadines": "Saint Vincent in Grenadine", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "Sao Tome in Principe", + "Saudi Arabia": "Saudova Arabija", + "Search": "Iskanje", + "Select Action": "Izberite Dejanje", + "Select All": "Izberi Vse", + "Select All Matching": "Izberi Vse Ujemanje", + "Send Password Reset Link": "Pošlji povezavo za ponastavitev gesla", + "Senegal": "Senegal", + "September": "September", + "Serbia": "Srbija", + "Seychelles": "Sejšeli", + "Show All Fields": "Prikaži Vsa Polja", + "Show Content": "Prikaži Vsebino", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapur", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovaška", + "Slovenia": "Slovenija", + "Solomon Islands": "Salomonovi Otoki", + "Somalia": "Somalija", + "Something went wrong.": "Nekaj je šlo narobe.", + "Sorry! You are not authorized to perform this action.": "Oprosti! Nimate pooblastil za to dejanje.", + "Sorry, your session has expired.": "Oprosti, tvoja seansa je potekla.", + "South Africa": "Južna Afrika", + "South Georgia And Sandwich Isl.": "Južna Georgia in otoki Južni Sandwich", + "South Sudan": "Južni Sudan", + "Spain": "Španija", + "Sri Lanka": "Šrilanka", + "Start Polling": "Začni Z Anketo", + "Stop Polling": "Nehaj Voliti.", + "Sudan": "Sudan", + "Suriname": "Surinam", + "Svalbard And Jan Mayen": "Svalbard in Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Švedska", + "Switzerland": "Švica", + "Syrian Arab Republic": "Sirija", + "Taiwan": "Tajvan", + "Tajikistan": "Tadžikistan", + "Tanzania": "Tanzanija", + "Thailand": "Tajska", + "The :resource was created!": ":resource je bila ustvarjena!", + "The :resource was deleted!": ":resource je bil izbrisan!", + "The :resource was restored!": ":resource je obnovljen!", + "The :resource was updated!": ":resource je bil posodobljen!", + "The action ran successfully!": "Akcija je uspela!", + "The file was deleted!": "Datoteka je bila izbrisana!", + "The government won't let us show you what's behind these doors": "Vlada nam ne dovoli, da vam pokažemo, kaj je za temi vrati.", + "The HasOne relationship has already been filled.": "Hasonova zveza je že zasedena.", + "The resource was updated!": "Vir je bil posodobljen!", + "There are no available options for this resource.": "Za ta vir ni na voljo nobenih možnosti.", + "There was a problem executing the action.": "Prišlo je do težav z izvedbo akcije.", + "There was a problem submitting the form.": "Prišlo je do težav s predložitvijo obrazca.", + "This file field is read-only.": "To polje datoteke je samo za branje.", + "This image": "Ta slika", + "This resource no longer exists": "Ta vir ne obstaja več", + "Timor-Leste": "Vzhodni Timor", + "Today": "Danes", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Pridi.", + "total": "skupaj", + "Trashed": "Uničen", + "Trinidad And Tobago": "Trinidad in Tobago", + "Tunisia": "Tunizija", + "Turkey": "Turčija", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Otoki Turks in Caicos", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukrajina", + "United Arab Emirates": "Združeni Arabski Emirati", + "United Kingdom": "Združeno Kraljestvo", + "United States": "Združene Države", + "United States Outlying Islands": "Ameriški zunanji otoki", + "Update": "Posodobi", + "Update & Continue Editing": "Posodobi & Nadaljuj Urejanje", + "Update :resource": "Posodobitev :resource", + "Update :resource: :title": "Posodobitev :resource: :title", + "Update attached :resource: :title": "Posodobitev priložena :resource: :title", + "Uruguay": "Urugvaj", + "Uzbekistan": "Uzbekistan", + "Value": "Vrednost", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Pogled", + "Virgin Islands, British": "Britanski Deviški Otoki", + "Virgin Islands, U.S.": "Deviški otoki ZDA", + "Wallis And Futuna": "Wallis in Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Izgubljeni smo v vesolju. Stran, ki ste jo želeli videti, ne obstaja.", + "Welcome Back!": "Dobrodošel Nazaj!", + "Western Sahara": "Zahodna Sahara", + "Whoops": "Ups.", + "Whoops!": "Ups!", + "With Trashed": "Z Uničenim", + "Write": "Piši", + "Year To Date": "Leto Do Datuma", + "Yemen": "Jemen", + "Yes": "Ja.", + "You are receiving this email because we received a password reset request for your account.": "Ta e-mail vam je bil poslan, ker ste zahtevali ponastavitev gesla za vaš račun.", + "Zambia": "Zambija", + "Zimbabwe": "Zimbabve" +} diff --git a/locales/sl/packages/spark-paddle.json b/locales/sl/packages/spark-paddle.json new file mode 100644 index 00000000000..d3bc38dacbf --- /dev/null +++ b/locales/sl/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Pogoji vročitve", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Ups! Nekaj je šlo narobe.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/sl/packages/spark-stripe.json b/locales/sl/packages/spark-stripe.json new file mode 100644 index 00000000000..ee48b220ec3 --- /dev/null +++ b/locales/sl/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afganistan", + "Albania": "Albanija", + "Algeria": "Alžirija", + "American Samoa": "Ameriška Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorran", + "Angola": "Angola", + "Anguilla": "Angvila", + "Antarctica": "Antarktika", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armenija", + "Aruba": "Aruba", + "Australia": "Avstralija", + "Austria": "Avstrija", + "Azerbaijan": "Azerbajdžan", + "Bahamas": "Bahami", + "Bahrain": "Bahrajn", + "Bangladesh": "Bangladeš", + "Barbados": "Barbados", + "Belarus": "Belorusija", + "Belgium": "Belgija", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermudi", + "Bhutan": "Butan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Bocvana", + "Bouvet Island": "Bouvetov Otok", + "Brazil": "Brazilija", + "British Indian Ocean Territory": "Britansko Ozemlje Indijskega Oceana", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bolgarija", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodža", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Zelenortski Otoki", + "Card": "Kartica imenika:", + "Cayman Islands": "Kajmanski Otoki", + "Central African Republic": "Srednjeafriška Republika", + "Chad": "Čad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Čile", + "China": "Kitajska", + "Christmas Island": "Božični Otok", + "City": "City", + "Cocos (Keeling) Islands": "Kokosovi Otoki", + "Colombia": "Kolumbija", + "Comoros": "Komori", + "Confirm Payment": "Potrdi Plačilo", + "Confirm your :amount payment": "Potrdite plačilo :amount.", + "Congo": "Kongo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Cookovi Otoki", + "Costa Rica": "Kostarika", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Hrvaška", + "Cuba": "Kuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Ciper", + "Czech Republic": "Čehija", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Danska", + "Djibouti": "Džibuti", + "Dominica": "Nedelja", + "Dominican Republic": "Dominikanska Republika", + "Download Receipt": "Download Receipt", + "Ecuador": "Ekvador", + "Egypt": "Egipt", + "El Salvador": "Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Ekvatorialna Gvineja", + "Eritrea": "Eritreja", + "Estonia": "Estonija", + "Ethiopia": "Etiopija", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Potrebna je dodatna potrditev za obdelavo plačila. Nadaljujte na plačilno stran s klikom na spodnji gumb.", + "Falkland Islands (Malvinas)": "Falklandski Otoki (Malvinas)", + "Faroe Islands": "Ferski Otoki", + "Fiji": "Fidži", + "Finland": "Finska", + "France": "Francija", + "French Guiana": "Francoska Gvajana", + "French Polynesia": "Francoska Polinezija", + "French Southern Territories": "Francosko Južno Ozemlje", + "Gabon": "Gabon", + "Gambia": "Gambija", + "Georgia": "Gruzija", + "Germany": "Nemčija", + "Ghana": "Gana", + "Gibraltar": "Gibraltar", + "Greece": "Grčija", + "Greenland": "Grenlandija", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Gvam", + "Guatemala": "Gvatemala", + "Guernsey": "Guernsey!", + "Guinea": "Gvineja", + "Guinea-Bissau": "Gvineja Bissau", + "Guyana": "Gvajana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hongkong", + "Hungary": "Madžarska", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Islandija", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Indija", + "Indonesia": "Indonezija", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Irak", + "Ireland": "Irska", + "Isle of Man": "Isle of Man", + "Israel": "Izrael", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italija", + "Jamaica": "Jamajka", + "Japan": "Japonska", + "Jersey": "Jersey", + "Jordan": "Jordanija", + "Kazakhstan": "Kazahstan", + "Kenya": "Kenija", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Severna Koreja", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuvajt", + "Kyrgyzstan": "Kirgizistan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvija", + "Lebanon": "Libanon", + "Lesotho": "Lesoto", + "Liberia": "Liberija", + "Libyan Arab Jamahiriya": "Libija", + "Liechtenstein": "Lihtenštajn", + "Lithuania": "Litva", + "Luxembourg": "Luksemburg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagaskar", + "Malawi": "Malavi", + "Malaysia": "Malezija", + "Maldives": "Maldivi", + "Mali": "Majhna", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marshallovi Otoki", + "Martinique": "Martinik", + "Mauritania": "Mavretanija", + "Mauritius": "Mavricius", + "Mayotte": "Mayotte", + "Mexico": "Mehika", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monako", + "Mongolia": "Mongolija", + "Montenegro": "Črna gora", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Maroko", + "Mozambique": "Mozambik", + "Myanmar": "Mjanmar", + "Namibia": "Namibija", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Nizozemska", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Nova Kaledonija", + "New Zealand": "Nova Zelandija", + "Nicaragua": "Nikaragva", + "Niger": "Nigerija", + "Nigeria": "Nigerija", + "Niue": "Niue", + "Norfolk Island": "Norfolški Otok", + "Northern Mariana Islands": "Severni Marianski Otoki", + "Norway": "Norveška", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinska Ozemlja", + "Panama": "Panama", + "Papua New Guinea": "Papua Nova Gvineja", + "Paraguay": "Paragvaj", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Filipini", + "Pitcairn": "Pitcairn", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Poljska", + "Portugal": "Portugalska", + "Puerto Rico": "Portoriko", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Romunija", + "Russian Federation": "Ruska Federacija", + "Rwanda": "Ruanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Sveta Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Sveta Lucija", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saudova Arabija", + "Save": "Shrani", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Srbija", + "Seychelles": "Sejšeli", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapur", + "Slovakia": "Slovaška", + "Slovenia": "Slovenija", + "Solomon Islands": "Salomonovi Otoki", + "Somalia": "Somalija", + "South Africa": "Južna Afrika", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Španija", + "Sri Lanka": "Šrilanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Surinam", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Švedska", + "Switzerland": "Švica", + "Syrian Arab Republic": "Sirija", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tadžikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Pogoji vročitve", + "Thailand": "Tajska", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Vzhodni Timor", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Pridi.", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunizija", + "Turkey": "Turčija", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukrajina", + "United Arab Emirates": "Združeni Arabski Emirati", + "United Kingdom": "Združeno Kraljestvo", + "United States": "Združene Države", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Posodobi", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Urugvaj", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Britanski Deviški Otoki", + "Virgin Islands, U.S.": "Deviški otoki ZDA", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Zahodna Sahara", + "Whoops! Something went wrong.": "Ups! Nekaj je šlo narobe.", + "Yearly": "Yearly", + "Yemen": "Jemen", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambija", + "Zimbabwe": "Zimbabve", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/sl/sl.json b/locales/sl/sl.json index 1d8b2c10bee..24083068327 100644 --- a/locales/sl/sl.json +++ b/locales/sl/sl.json @@ -1,710 +1,48 @@ { - "30 Days": "30 dni", - "60 Days": "60 dni", - "90 Days": "90 dni", - ":amount Total": ":amount skupaj", - ":days day trial": ":days day trial", - ":resource Details": ":resource podrobnosti", - ":resource Details: :title": ":resource podrobnosti: :title", "A fresh verification link has been sent to your email address.": "Na elektronski naslov je bila poslana nova povezava za potrditev.", - "A new verification link has been sent to the email address you provided during registration.": "Povezava za potrditev je bila poslana na elektronski naslov, ki je bil vnešen ob registraciji.", - "Accept Invitation": "Sprejmi Povabilo", - "Action": "Ukrepanje", - "Action Happened At": "Se Je Zgodilo V", - "Action Initiated By": "Začetek", - "Action Name": "Ime", - "Action Status": "Stanje", - "Action Target": "Cilj", - "Actions": "Dejanja", - "Add": "Dodaj", - "Add a new team member to your team, allowing them to collaborate with you.": "Dodaj novega člana skupine, da bo lahko sodeloval.", - "Add additional security to your account using two factor authentication.": "Dodatno zavarovanje računa z dvostopenjsko prijavo.", - "Add row": "Dodaj vrstico", - "Add Team Member": "Dodaj člana skupine", - "Add VAT Number": "Add VAT Number", - "Added.": "Dodano.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administrator", - "Administrator users can perform any action.": "Administratorji lahko izvedejo katerokoli akcijo", - "Afghanistan": "Afganistan", - "Aland Islands": "Ålandski Otoki", - "Albania": "Albanija", - "Algeria": "Alžirija", - "All of the people that are part of this team.": "Vsi člani skupne.", - "All resources loaded.": "Vsi viri naloženi.", - "All rights reserved.": "Vse pravice pridržane.", - "Already registered?": "Že registriran\/a?", - "American Samoa": "Ameriška Samoa", - "An error occured while uploading the file.": "Med nalaganjem datoteke se je pojavila napaka.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorran", - "Angola": "Angola", - "Anguilla": "Angvila", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Drug uporabnik je posodobil ta vir, odkar je bila ta stran naložena. Prosim osvežite stran in poskusite znova.", - "Antarctica": "Antarktika", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigva in Barbuda", - "API Token": "API žeton", - "API Token Permissions": "API žeton dovoljenja", - "API Tokens": "API žetoni", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API žetoni dovoljujejo zunanjim servisom prijavo z našo aplikacijo v vašem imenu.", - "April": "April", - "Are you sure you want to delete the selected resources?": "Ali ste prepričani, da želite izbrisati izbrana sredstva?", - "Are you sure you want to delete this file?": "Ste prepričani, da želite zbrisati to datoteko?", - "Are you sure you want to delete this resource?": "Ali ste prepričani, da želite izbrisati ta vir?", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Res želite izbrisati skupino? Odstranjeni bodo tudi vsi podatki skupine.", - "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.": "Res želite izbrisati račun? Izbrisani bodo tudi podatki računa. Vnesite vaše geslo za potrditev izbrisa računa.", - "Are you sure you want to detach the selected resources?": "Ali ste prepričani, da želite ločiti izbrana sredstva?", - "Are you sure you want to detach this resource?": "Ste prepričani, da želite ločiti ta vir?", - "Are you sure you want to force delete the selected resources?": "Ali ste prepričani, da želite prisiliti k brisanju izbranih virov?", - "Are you sure you want to force delete this resource?": "Ali ste prepričani, da želite prisiliti izbrisati ta vir?", - "Are you sure you want to restore the selected resources?": "Ali ste prepričani, da želite obnoviti izbrana sredstva?", - "Are you sure you want to restore this resource?": "Si prepričan, da želiš obnoviti ta vir?", - "Are you sure you want to run this action?": "Si prepričan, da želiš voditi to akcijo?", - "Are you sure you would like to delete this API token?": "Res želite izbrisati ta API žeton?", - "Are you sure you would like to leave this team?": "Res želite zapustiti skupino?", - "Are you sure you would like to remove this person from the team?": "Res želite odstraniti osebo iz skupine?", - "Argentina": "Argentina", - "Armenia": "Armenija", - "Aruba": "Aruba", - "Attach": "Priloži", - "Attach & Attach Another": "Priloži & Priloži Drugo", - "Attach :resource": "Ataše :resource", - "August": "Avgust", - "Australia": "Avstralija", - "Austria": "Avstrija", - "Azerbaijan": "Azerbajdžan", - "Bahamas": "Bahami", - "Bahrain": "Bahrajn", - "Bangladesh": "Bangladeš", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Pred nadaljevanjem, preverite elektronski naslov za potrditveno povezavo.", - "Belarus": "Belorusija", - "Belgium": "Belgija", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermudi", - "Bhutan": "Butan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivija", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius in Sábado", - "Bosnia And Herzegovina": "Bosna in Hercegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Bocvana", - "Bouvet Island": "Bouvetov Otok", - "Brazil": "Brazilija", - "British Indian Ocean Territory": "Britansko Ozemlje Indijskega Oceana", - "Browser Sessions": "Seje brskalnika", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bolgarija", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Kambodža", - "Cameroon": "Kamerun", - "Canada": "Kanada", - "Cancel": "Prekliči", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Zelenortski Otoki", - "Card": "Kartica imenika:", - "Cayman Islands": "Kajmanski Otoki", - "Central African Republic": "Srednjeafriška Republika", - "Chad": "Čad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Spremembe", - "Chile": "Čile", - "China": "Kitajska", - "Choose": "Izberite", - "Choose :field": "Izberite :field", - "Choose :resource": "Izberite :resource", - "Choose an option": "Izberite možnost", - "Choose date": "Izberite datum", - "Choose File": "Izberite Datoteko", - "Choose Type": "Izberite Vrsto", - "Christmas Island": "Božični Otok", - "City": "City", "click here to request another": "kliknite tu za ponovno pridobitev", - "Click to choose": "Kliknite za izbiro", - "Close": "Zapri", - "Cocos (Keeling) Islands": "Kokosovi Otoki", - "Code": "Koda", - "Colombia": "Kolumbija", - "Comoros": "Komori", - "Confirm": "Potrditev", - "Confirm Password": "Potrdite geslo", - "Confirm Payment": "Potrdi Plačilo", - "Confirm your :amount payment": "Potrdite plačilo :amount.", - "Congo": "Kongo", - "Congo, Democratic Republic": "Kongo, Demokratična Republika", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Konstanta", - "Cook Islands": "Cookovi Otoki", - "Costa Rica": "Kostarika", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "ni ga bilo moč najti.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Ustvari", - "Create & Add Another": "Ustvari & Dodaj Drugo", - "Create :resource": "Ustvari :resource", - "Create a new team to collaborate with others on projects.": "Ustvari skupino za sodelovanje projektih.", - "Create Account": "Ustvari Račun", - "Create API Token": "Ustvari API žeton", - "Create New Team": "Ustvari Novo skupino", - "Create Team": "Ustvari skupino", - "Created.": "Ustvarjeno.", - "Croatia": "Hrvaška", - "Cuba": "Kuba", - "Curaçao": "Curacao", - "Current Password": "Trenutno geslo", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Prilagodi", - "Cyprus": "Ciper", - "Czech Republic": "Čehija", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Nadzorna plošča", - "December": "December", - "Decrease": "Zmanjšanje", - "Delete": "Briši", - "Delete Account": "Brisanje računa", - "Delete API Token": "Brisanje API žetona", - "Delete File": "Zbriši Datoteko", - "Delete Resource": "Zbriši Vir", - "Delete Selected": "Izbriši Izbrano", - "Delete Team": "Brisanje skupine", - "Denmark": "Danska", - "Detach": "Odcepi", - "Detach Resource": "Odcepi Vir", - "Detach Selected": "Odcepi Izbrano", - "Details": "Podrobnosti", - "Disable": "Onemogoči", - "Djibouti": "Džibuti", - "Do you really want to leave? You have unsaved changes.": "Res hočeš oditi? Imate neodprte spremembe.", - "Dominica": "Nedelja", - "Dominican Republic": "Dominikanska Republika", - "Done.": "Končano.", - "Download": "Prenesi", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-mail naslov", - "Ecuador": "Ekvador", - "Edit": "Uredi", - "Edit :resource": "Uredi :resource", - "Edit Attached": "Uredi Priloženo", - "Editor": "Urednik", - "Editor users have the ability to read, create, and update.": "Uredniki imajo možnost branja, kreairanja in posodabljanja.", - "Egypt": "Egipt", - "El Salvador": "Salvador", - "Email": "Elektronski naslov", - "Email Address": "E-Poštni Naslov", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Pošlji povezavo za ponastavitev gesla na e-mail", - "Enable": "Omogoči", - "Ensure your account is using a long, random password to stay secure.": "Za boljšo varnost računa naj bo geslo dolgo in naključno.", - "Equatorial Guinea": "Ekvatorialna Gvineja", - "Eritrea": "Eritreja", - "Estonia": "Estonija", - "Ethiopia": "Etiopija", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Potrebna je dodatna potrditev za obdelavo plačila. Prosimo, potrdite svoje plačilo z izpolnitvijo vaših podatkov o plačilu spodaj.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Potrebna je dodatna potrditev za obdelavo plačila. Nadaljujte na plačilno stran s klikom na spodnji gumb.", - "Falkland Islands (Malvinas)": "Falklandski Otoki (Malvinas)", - "Faroe Islands": "Ferski Otoki", - "February": "Februar", - "Fiji": "Fidži", - "Finland": "Finska", - "For your security, please confirm your password to continue.": "Zaradi varnosti pred nadaljevanjem potrdite geslo.", "Forbidden": "Onemogočeno", - "Force Delete": "Zbriši", - "Force Delete Resource": "Prisili Izbriši Vir", - "Force Delete Selected": "Prisili Izbris", - "Forgot Your Password?": "Pozabljeno geslo?", - "Forgot your password?": "Pozabljeno geslo?", - "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.": "Pozabljeno geslo? Ni problema. Vnesite svoj elektronski naslov in vam pošljemo povezavo za ponastavitev gesla.", - "France": "Francija", - "French Guiana": "Francoska Gvajana", - "French Polynesia": "Francoska Polinezija", - "French Southern Territories": "Francosko Južno Ozemlje", - "Full name": "Polno ime", - "Gabon": "Gabon", - "Gambia": "Gambija", - "Georgia": "Gruzija", - "Germany": "Nemčija", - "Ghana": "Gana", - "Gibraltar": "Gibraltar", - "Go back": "Pojdi nazaj.", - "Go Home": "Domov", "Go to page :page": "Pojdi na stran :page", - "Great! You have accepted the invitation to join the :team team.": "Super! Sprejeli ste povabilo, da se pridružite :team ekipi.", - "Greece": "Grčija", - "Greenland": "Grenlandija", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Gvam", - "Guatemala": "Gvatemala", - "Guernsey": "Guernsey!", - "Guinea": "Gvineja", - "Guinea-Bissau": "Gvineja Bissau", - "Guyana": "Gvajana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Heardov otok in McDonaldovi otoki", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Živijo!", - "Hide Content": "Skrij Vsebino", - "Hold Up!": "Počakaj!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hongkong", - "Hungary": "Madžarska", - "I agree to the :terms_of_service and :privacy_policy": "Strinjam se s :terms_ of_service in :privacy_policy", - "Iceland": "Islandija", - "ID": "ID", - "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.": "Po potrebi se lahko odjavite iz vseh drugih sej brskalnika v vseh svojih napravah. Nekatera vaša nedavna zasedanja so navedena spodaj, vendar ta seznam morda ni izčrpen. Če menite, da je vaš račun ogrožen, morate posodobiti tudi svoje geslo.", "If necessary, you may logout 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.": "Če je potrebno, se boste odjavili iz vseh sej v vseh brskalnikih na vseh napravah. Nekaj zadnjih sej je navedenih spodaj; seznam ni nujno popoln. Če se vam zdi, da je bil vaš račun zlorabljen, posodobite tudi svoje geslo.", - "If you already have an account, you may accept this invitation by clicking the button below:": "Če že imate račun, lahko sprejmete povabilo s klikom na spodnji gumb:", "If you did not create an account, no further action is required.": "Če niste kreirali računa, dodatna akcija ni potrebna.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Če niste pričakovali, da boste prejeli povabilo k tej ekipi, lahko to e-pošto zavržete.", "If you did not receive the email": "Če niste prejeli elektronskega sporočila", - "If you did not request a password reset, no further action is required.": "V kolikor niste zahtevali ponastavitve gesla, nadaljni koraki niso potrebni.", - "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:": "Če nimate računa, ga lahko ustvarite s klikom na spodnji gumb. Ko ustvarite račun, lahko kliknete na gumb za sprejem povabila v tej e-pošti, da sprejmete povabilo skupine.:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "V primeru težav s klikom na gumb \":actionText\", kopirajte in prilepite spodnji URL naslov v brskalnik:", - "Increase": "Povečanje", - "India": "Indija", - "Indonesia": "Indonezija", "Invalid signature.": "Neveljaven podpis.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Irak", - "Ireland": "Irska", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Otok Man", - "Israel": "Izrael", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italija", - "Jamaica": "Jamajka", - "January": "Januar", - "Japan": "Japonska", - "Jersey": "Jersey", - "Jordan": "Jordanija", - "July": "Julij", - "June": "Junij", - "Kazakhstan": "Kazahstan", - "Kenya": "Kenija", - "Key": "Ključ", - "Kiribati": "Kiribati", - "Korea": "Južna Koreja", - "Korea, Democratic People's Republic of": "Severna Koreja", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuvajt", - "Kyrgyzstan": "Kirgizistan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Nazadnje aktivno", - "Last used": "Nazadnje uporabljeno", - "Latvia": "Latvija", - "Leave": "Zapusti", - "Leave Team": "Zapisti skupino", - "Lebanon": "Libanon", - "Lens": "Leča", - "Lesotho": "Lesoto", - "Liberia": "Liberija", - "Libyan Arab Jamahiriya": "Libija", - "Liechtenstein": "Lihtenštajn", - "Lithuania": "Litva", - "Load :perPage More": "Naloži :perPage več", - "Log in": "Prijavi se.", "Log out": "Odjava", - "Log Out": "Odjava", - "Log Out Other Browser Sessions": "Odjavi Druge Seje Brskalnika", - "Login": "Prijava", - "Logout": "Odjava", "Logout Other Browser Sessions": "Odjavi ostale seje brskalnika", - "Luxembourg": "Luksemburg", - "Macao": "Macao", - "Macedonia": "Severna Makedonija", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagaskar", - "Malawi": "Malavi", - "Malaysia": "Malezija", - "Maldives": "Maldivi", - "Mali": "Majhna", - "Malta": "Malta", - "Manage Account": "Urejanje računa", - "Manage and log out your active sessions on other browsers and devices.": "Upravljajte in odjavite svoje aktivne seje na drugih brskalnikih in napravah.", "Manage and logout your active sessions on other browsers and devices.": "Urejanje in odjava aktivnih sej v drugih brskalnikih in napravah.", - "Manage API Tokens": "Urejanje API žetonov", - "Manage Role": "Urejanje vloge", - "Manage Team": "Urejanje skupine", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Marec", - "Marshall Islands": "Marshallovi Otoki", - "Martinique": "Martinik", - "Mauritania": "Mavretanija", - "Mauritius": "Mavricius", - "May": "Maj", - "Mayotte": "Mayotte", - "Mexico": "Mehika", - "Micronesia, Federated States Of": "Mikronezija", - "Moldova": "Moldavija", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monako", - "Mongolia": "Mongolija", - "Montenegro": "Črna gora", - "Month To Date": "Mesec Do Datuma", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Maroko", - "Mozambique": "Mozambik", - "Myanmar": "Mjanmar", - "Name": "Ime", - "Namibia": "Namibija", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Nizozemska", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Pozabi", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Novo", - "New :resource": "Novo :resource", - "New Caledonia": "Nova Kaledonija", - "New Password": "Novo geslo", - "New Zealand": "Nova Zelandija", - "Next": "Naprej", - "Nicaragua": "Nikaragva", - "Niger": "Nigerija", - "Nigeria": "Nigerija", - "Niue": "Niue", - "No": "Ne.", - "No :resource matched the given criteria.": "Št. :resource je ustrezala danim merilom.", - "No additional information...": "Ni dodatnih informacij...", - "No Current Data": "Ni Trenutnih Podatkov", - "No Data": "Ni Podatkov", - "no file selected": "ni izbrane datoteke", - "No Increase": "Brez Povečanja", - "No Prior Data": "Ni Predhodnih Podatkov", - "No Results Found.": "Rezultati Niso Bili Najdeni.", - "Norfolk Island": "Norfolški Otok", - "Northern Mariana Islands": "Severni Marianski Otoki", - "Norway": "Norveška", "Not Found": "Ni najdeno", - "Nova User": "Uporabnik Nova", - "November": "November", - "October": "Oktober", - "of": "od", "Oh no": "O, ne", - "Oman": "Oman", - "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.": "Ko je skupina izbrisana, so odstranjeni tudi podatki skupine. Pred brisanjem skupine prenesite vse podatke skupine, ki jih želite ohraniti.", - "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.": "Ko je račun izbrisan, so odstranjeni tudi vsi podatki računa. Pred brisanjem prenesite vse podatke računa, ki jih želite ohraniti.", - "Only Trashed": "Samo Uničen", - "Original": "Izvirnik", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Stran je potekla", "Pagination Navigation": "Navigacija po straneh", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Palestinska Ozemlja", - "Panama": "Panama", - "Papua New Guinea": "Papua Nova Gvineja", - "Paraguay": "Paragvaj", - "Password": "Geslo", - "Pay :amount": "Plača :amount", - "Payment Cancelled": "Preklicano Plačilo", - "Payment Confirmation": "Potrdilo O Plačilu", - "Payment Information": "Payment Information", - "Payment Successful": "Uspešno Plačilo", - "Pending Team Invitations": "Nerešena Vabila.", - "Per Page": "Na Stran", - "Permanently delete this team.": "Trajno izbriši skupino.", - "Permanently delete your account.": "Trajno izbriši račun.", - "Permissions": "Dovoljenja", - "Peru": "Peru", - "Philippines": "Filipini", - "Photo": "Slike", - "Pitcairn": "Pitcairn", "Please click the button below to verify your email address.": "S klikom na spodnjo povezavo potrdite vaš elektronski naslov.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Potrditev dostopa do uporabniškega računa z vnosom kode za obnovitev.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Potrditev dostopa do uporabniškega računa z vnodom avtorizacijske kode, ki jo priskrbi avtorizator aplikacije.", "Please confirm your password before continuing.": "Pred nadaljevanjem potrdite geslo.", - "Please copy your new API token. For your security, it won't be shown again.": "Kopirajte vaš nov API žeton. Zaradi vaše varnosti ne bo prikazan ponovno.", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Vnesite svoje geslo, da potrdite, da se želite odjaviti iz drugih sej brskalnika v vseh vaših napravah.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Za potrditev odjave iz ostalih sej brskalnokov na vseh napravah vnesite vaše geslo.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "Please provide the email address of the person you would like to add to this team.": "Prosimo, navedite e-poštni naslov osebe, ki jo želite dodati, da ta ekipa.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Vnesite elektronski naslov osebe, ki bi jo radi dodali v skupino. Elektronski naslov mora biti v uporabi pri obstoječem uporabniku.", - "Please provide your name.": "Prosim, povejte svoje ime.", - "Poland": "Poljska", - "Portugal": "Portugalska", - "Press \/ to search": "Pritisnite \/ poiščite", - "Preview": "Ogled", - "Previous": "Predhodno", - "Privacy Policy": "Politika Zasebnosti", - "Profile": "Profil", - "Profile Information": "Informacije profila", - "Puerto Rico": "Portoriko", - "Qatar": "Qatar", - "Quarter To Date": "Četrtletje Do Datuma", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Koda za obnovitev", "Regards": "S spoštovanjem", - "Regenerate Recovery Codes": "Ponovno kreiranje kod za obnovitev", - "Register": "Registracija", - "Reload": "Znova naloži", - "Remember me": "Zapomni si me", - "Remember Me": "Zapomni si me", - "Remove": "Odstrani", - "Remove Photo": "Odstrani sliko", - "Remove Team Member": "Odstrani člana skupine", - "Resend Verification Email": "Ponovno pošlji elektronsko sporočilo za potrditev", - "Reset Filters": "Ponastavi Filtre", - "Reset Password": "Ponastavi geslo", - "Reset Password Notification": "Obvestilo o ponastavitvi gesla", - "resource": "vir", - "Resources": "Viri", - "resources": "viri", - "Restore": "Obnovi", - "Restore Resource": "Obnovi Vir", - "Restore Selected": "Obnovi Izbrano", "results": "rezultati", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Sestanek", - "Role": "Vloga", - "Romania": "Romunija", - "Run Action": "Poženi Dejanje", - "Russian Federation": "Ruska Federacija", - "Rwanda": "Ruanda", - "Réunion": "Réunion", - "Saint Barthelemy": "St. Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Sveta Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "St. Kitts and Nevis", - "Saint Lucia": "Sveta Lucija", - "Saint Martin": "St. Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "St. Pierre in Miquelon", - "Saint Vincent And Grenadines": "Saint Vincent in Grenadine", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "Sao Tome in Principe", - "Saudi Arabia": "Saudova Arabija", - "Save": "Shrani", - "Saved.": "Shranjeno.", - "Search": "Iskanje", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Izberi Novo sliko", - "Select Action": "Izberite Dejanje", - "Select All": "Izberi Vse", - "Select All Matching": "Izberi Vse Ujemanje", - "Send Password Reset Link": "Pošlji povezavo za ponastavitev gesla", - "Senegal": "Senegal", - "September": "September", - "Serbia": "Srbija", "Server Error": "Napaka na strežniku", "Service Unavailable": "Servis ni dostopen", - "Seychelles": "Sejšeli", - "Show All Fields": "Prikaži Vsa Polja", - "Show Content": "Prikaži Vsebino", - "Show Recovery Codes": "Prikaz obnovitvenih kod", "Showing": "Prikazovanje", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapur", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovaška", - "Slovenia": "Slovenija", - "Solomon Islands": "Salomonovi Otoki", - "Somalia": "Somalija", - "Something went wrong.": "Nekaj je šlo narobe.", - "Sorry! You are not authorized to perform this action.": "Oprosti! Nimate pooblastil za to dejanje.", - "Sorry, your session has expired.": "Oprosti, tvoja seansa je potekla.", - "South Africa": "Južna Afrika", - "South Georgia And Sandwich Isl.": "Južna Georgia in otoki Južni Sandwich", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Južni Sudan", - "Spain": "Španija", - "Sri Lanka": "Šrilanka", - "Start Polling": "Začni Z Anketo", - "State \/ County": "State \/ County", - "Stop Polling": "Nehaj Voliti.", - "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.": "Shrani te obnovitvene kode v vareno aplikacijo za gesla. Uporabljajo se za obnovitev dostopa do računa če je naprava za dvostopenjsko prijavo izgubljena.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Surinam", - "Svalbard And Jan Mayen": "Svalbard in Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Švedska", - "Switch Teams": "Zamenjaj skupine", - "Switzerland": "Švica", - "Syrian Arab Republic": "Sirija", - "Taiwan": "Tajvan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tadžikistan", - "Tanzania": "Tanzanija", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Podatki o skupini", - "Team Invitation": "Povabilo Skupine", - "Team Members": "Člani skupine", - "Team Name": "Ime skupine", - "Team Owner": "Lastnik skupine", - "Team Settings": "Nastavitve skupine", - "Terms of Service": "Pogoji vročitve", - "Thailand": "Tajska", - "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.": "Hvala za registracijo! Pred začetkom, potrdite elektronski naslov s klikom na povezavo, ki smo jo ravnokar poslali? Če sporočila niste prejeli na vaš elektronski naslov, lahko pošljemo novega.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute mora biti veljavna vloga.", - "The :attribute must be at least :length characters and contain at least one number.": "Beseda za :attribute mora biti dolga vsaj :length znakov, in mora vsebovati vsaj eno številko.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute mora biti vsaj :length znakov in mora vsebovati vsaj en poseben znak in eno številko.", - "The :attribute must be at least :length characters and contain at least one special character.": "Beseda za :attribute mora biti dolga vsaj :length znakov, in mora vsebovati vsaj en poseben znak.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Beseda za :attribute mora biti dolga vsaj :length znakov, in mora vsebovati vsaj eno veliko črko in eno številko.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Beseda za :attribute mora biti dolga vsaj :length znakov, in mora vsebovati vsaj eno veliko črko in en poseben znak.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Beseda za :attribute mora biti dolga vsaj :length znakov, in mora vsebovati vsaj eno veliko črko, eno številko ter en poseben znak.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": "Beseda za :attribute mora biti dolga vsaj :length znakov, in mora vsebovati vsaj eno veliko črko.", - "The :attribute must be at least :length characters.": "Beseda za :attribute mora biti dolga vsaj :length znakov.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource je bila ustvarjena!", - "The :resource was deleted!": ":resource je bil izbrisan!", - "The :resource was restored!": ":resource je obnovljen!", - "The :resource was updated!": ":resource je bil posodobljen!", - "The action ran successfully!": "Akcija je uspela!", - "The file was deleted!": "Datoteka je bila izbrisana!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Vlada nam ne dovoli, da vam pokažemo, kaj je za temi vrati.", - "The HasOne relationship has already been filled.": "Hasonova zveza je že zasedena.", - "The payment was successful.": "Plačilo je bilo uspešno.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Vnešeno geslo se ne ujema z vašim trenutnim geslom.", - "The provided password was incorrect.": "Vnešeno geslo ni pravilno.", - "The provided two factor authentication code was invalid.": "Vnešena koda za dvofazno avtorizacijo ni pravilna.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Vir je bil posodobljen!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Ime skupine in podatki o lastniku.", - "There are no available options for this resource.": "Za ta vir ni na voljo nobenih možnosti.", - "There was a problem executing the action.": "Prišlo je do težav z izvedbo akcije.", - "There was a problem submitting the form.": "Prišlo je do težav s predložitvijo obrazca.", - "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.": "Ti ljudje so bili povabljeni v tvojo ekipo in so bili poslani s povabilom. Ekipi se lahko pridružijo tako, da sprejmejo e-pošto.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Akcija ni dovoljena.", - "This device": "Ta naprava", - "This file field is read-only.": "To polje datoteke je samo za branje.", - "This image": "Ta slika", - "This is a secure area of the application. Please confirm your password before continuing.": "To je varni del aplikacije. Pred nadaljevanjem potrdite vaše geslo.", - "This password does not match our records.": "Geslo ne ustreza našim zapisom.", "This password reset link will expire in :count minutes.": "Povezava za obnovitev gesla bo potekla čez :count minut.", - "This payment was already successfully confirmed.": "To plačilo je bilo že uspešno potrjeno.", - "This payment was cancelled.": "Plačilo je bilo preklicano.", - "This resource no longer exists": "Ta vir ne obstaja več", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Uporabnik je že član skupine.", - "This user has already been invited to the team.": "Ta uporabnik je bil že povabljen v ekipo.", - "Timor-Leste": "Vzhodni Timor", "to": "do", - "Today": "Danes", "Toggle navigation": "Preklopi navigacijo", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Ime žetona", - "Tonga": "Pridi.", "Too Many Attempts.": "Preveč poizkusov.", "Too Many Requests": "Preveč prošenj", - "total": "skupaj", - "Total:": "Total:", - "Trashed": "Uničen", - "Trinidad And Tobago": "Trinidad in Tobago", - "Tunisia": "Tunizija", - "Turkey": "Turčija", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Otoki Turks in Caicos", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Dvofazna prijava", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Dvo stopenjska prijava je omogočena. Skeniraj sledečo QR kodo z aplikacijo za prijavo na telefonu.", - "Uganda": "Uganda", - "Ukraine": "Ukrajina", "Unauthorized": "Nepooblaščeno", - "United Arab Emirates": "Združeni Arabski Emirati", - "United Kingdom": "Združeno Kraljestvo", - "United States": "Združene Države", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "Ameriški zunanji otoki", - "Update": "Posodobi", - "Update & Continue Editing": "Posodobi & Nadaljuj Urejanje", - "Update :resource": "Posodobitev :resource", - "Update :resource: :title": "Posodobitev :resource: :title", - "Update attached :resource: :title": "Posodobitev priložena :resource: :title", - "Update Password": "Posodobitev gesla", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Posodobitev podatkov profila in elektronskega naslova.", - "Uruguay": "Urugvaj", - "Use a recovery code": "Uporabi kodo za obnovitev", - "Use an authentication code": "Uporabi kodo za avtorizacijo", - "Uzbekistan": "Uzbekistan", - "Value": "Vrednost", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Potrditev elektronskega naslova", "Verify Your Email Address": "Potrdite vaš elektronski naslov", - "Viet Nam": "Vietnam", - "View": "Pogled", - "Virgin Islands, British": "Britanski Deviški Otoki", - "Virgin Islands, U.S.": "Deviški otoki ZDA", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis in Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Uporabnik s tem elektronskim naslovom ne uobstaja.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "V naslednjih nekaj urah gesla ne bo potrebno vnašati.", - "We're lost in space. The page you were trying to view does not exist.": "Izgubljeni smo v vesolju. Stran, ki ste jo želeli videti, ne obstaja.", - "Welcome Back!": "Dobrodošel Nazaj!", - "Western Sahara": "Zahodna Sahara", - "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.": "Ob vklopljeni dvo stopenjski prijavi boste ob prijavi vprašani za naključnim varnostnim žetonom. Žeton lahko pridobite na vašem telefonu z aplikacijo Google Authenticator.", - "Whoops": "Ups.", - "Whoops!": "Ups!", - "Whoops! Something went wrong.": "Ups! Nekaj je šlo narobe.", - "With Trashed": "Z Uničenim", - "Write": "Piši", - "Year To Date": "Leto Do Datuma", - "Yearly": "Yearly", - "Yemen": "Jemen", - "Yes": "Ja.", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Prijava uspešna!", - "You are receiving this email because we received a password reset request for your account.": "Ta e-mail vam je bil poslan, ker ste zahtevali ponastavitev gesla za vaš račun.", - "You have been invited to join the :team team!": "Povabljeni ste, da se pridružite ekipi :team!", - "You have enabled two factor authentication.": "Dvofazna prijava omogočena.", - "You have not enabled two factor authentication.": "Dvofazna prijava ni omogočena.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "Žetone, ki niso več potrebni, lahko izbrišete.", - "You may not delete your personal team.": "Svoje osebne skupine ni mogoče izbrisati.", - "You may not leave a team that you created.": "Lastne ustvarjene skupine ni mogoče zapustiti.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Elektronski naslov ni potrjen.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambija", - "Zimbabwe": "Zimbabve", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Elektronski naslov ni potrjen." } diff --git a/locales/sq/packages/cashier.json b/locales/sq/packages/cashier.json new file mode 100644 index 00000000000..b69ff4d8779 --- /dev/null +++ b/locales/sq/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Të gjitha të drejtat të rezervuara.", + "Card": "Card", + "Confirm Payment": "Konfirmo Pagesën", + "Confirm your :amount payment": "Konfirmoni :amount pagesën tuaj", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Konfirmimi shtesë është i nevojshëm për të përpunuar pagesën tuaj. Ju lutem konfirmoni pagesën tuaj duke plotësuar detajet e pagesës tuaj më poshtë.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Konfirmimi shtesë është i nevojshëm për të përpunuar pagesën tuaj. Ju lutem vazhdoni faqen e pagesës duke klikuar mbi butonin e mëposhtëm.", + "Full name": "Emri dhe mbiemri", + "Go back": "Backup (kopje)", + "Jane Doe": "Jane Doe", + "Pay :amount": "Paguaj :amount", + "Payment Cancelled": "Pagesa U Anullua", + "Payment Confirmation": "Konfirmimi I Pagesës", + "Payment Successful": "Pagesa Me Sukses", + "Please provide your name.": "Të lutem, shkruaj emrin tënd.", + "The payment was successful.": "Pagesa ishte e suksesshme.", + "This payment was already successfully confirmed.": "Kjo pagesë u konfirmua me sukses.", + "This payment was cancelled.": "Kjo pagesë u anullua." +} diff --git a/locales/sq/packages/fortify.json b/locales/sq/packages/fortify.json new file mode 100644 index 00000000000..e5f4731828d --- /dev/null +++ b/locales/sq/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": ":attribute duhet të jenë së paku :length karaktere dhe përmbajnë të paktën një numër.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute duhet të jetë së paku :length shkronja dhe përmban të paktën një karakter të veçantë dhe një numër.", + "The :attribute must be at least :length characters and contain at least one special character.": ":attribute duhet të jenë të paktën :length karaktere dhe përmbajnë të paktën një karakter të veçantë.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute duhet të jetë së paku :length shkronja dhe të përmbajë të paktën një kërkesë dhe një numër.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute duhet të jetë të paktën :length shkronja dhe të përmbajë të paktën një karakter nga kaza dhe një karakter të veçantë.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute duhet të jenë të paktën :length karaktere dhe përmbajnë të paktën një krik, një numër dhe një karakter të veçantë.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute duhet të jenë të paktën :length shkronja dhe të përmbajnë të paktën një kërkesë nga baza.", + "The :attribute must be at least :length characters.": ":attribute duhet të jetë së paku :length karaktere.", + "The provided password does not match your current password.": "Fjalëkalimi i dhënë nuk përputhet me fjalëkalimin tuaj aktual.", + "The provided password was incorrect.": "Fjalëkalimi i dhënë ishte i gabuar.", + "The provided two factor authentication code was invalid.": "Kodi i autentifikimit i dhënë prej dy faktorëve ishte i pavlefshëm." +} diff --git a/locales/sq/packages/jetstream.json b/locales/sq/packages/jetstream.json new file mode 100644 index 00000000000..936f6429043 --- /dev/null +++ b/locales/sq/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Një lidhje e re verifikimi është dërguar në adresën email që ju keni dhënë gjatë regjistrimit.", + "Accept Invitation": "Prano Ftesën", + "Add": "Shto", + "Add a new team member to your team, allowing them to collaborate with you.": "Shto një anëtar të ri të ekipit tuaj, duke i lejuar ata të bashkëpunojnë me ju.", + "Add additional security to your account using two factor authentication.": "Shto siguri shtesë në llogarinë tuaj duke përdorur dy faktor autentifikimi.", + "Add Team Member": "Shto Anëtar Ekipi", + "Added.": "Shtuar.", + "Administrator": "Administrator", + "Administrator users can perform any action.": "Përdoruesit e administratorit mund të kryejnë çdo veprim.", + "All of the people that are part of this team.": "Të gjithë njerëzit që janë pjesë e këtij ekipi.", + "Already registered?": "E regjistruar?", + "API Token": "API Token", + "API Token Permissions": "Të Drejtat", + "API Tokens": "Argumentet API", + "API tokens allow third-party services to authenticate with our application on your behalf.": "Argumentet API lejojnë shërbimet e palëve të treta të autentifikohen me programin tonë në favorin tuaj.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Jeni i sigurt që dëshironi të eleminoni këtë skuadër? Sapo një ekip të eleminohet, të gjitha burimet dhe të dhënat e tij do të fshihen përgjithmonë.", + "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.": "Jeni i sigurt që dëshironi të eleminoni llogarinë tuaj? Pasi të eleminohet llogaria juaj, të gjitha burimet dhe të dhënat e saj do të fshihen përgjithmonë. Ju lutem shkruani fjalëkalimin tuaj për të konfirmuar që dëshironi të eleminoni përgjithmonë profilin tuaj.", + "Are you sure you would like to delete this API token?": "Nga elemino?", + "Are you sure you would like to leave this team?": "Je i sigurt që dëshiron të largohesh nga kjo skuadër?", + "Are you sure you would like to remove this person from the team?": "Jeni i sigurt që dëshironi të hiqni këtë person nga skuadra?", + "Browser Sessions": "Shfletimi I Seancave", + "Cancel": "Anullo", + "Close": "Mbyll", + "Code": "Kodi", + "Confirm": "Konfermo", + "Confirm Password": "Konfirmo Fjalëkalimin", + "Create": "Krijo", + "Create a new team to collaborate with others on projects.": "Krijo një ekip të ri për të bashkëpunuar me të tjerët në projekte.", + "Create Account": "Krijo Një Profil", + "Create API Token": "Krijo", + "Create New Team": "Krijo Një Ekip Të Ri", + "Create Team": "Krijo Ekip", + "Created.": "Krijuar.", + "Current Password": "Fjalëkalimi Aktual", + "Dashboard": "Tabelë", + "Delete": "Elemino", + "Delete Account": "Elemino Llogarinë", + "Delete API Token": "Elemino", + "Delete Team": "Elemino", + "Disable": "Jo aktiv", + "Done.": "U bë.", + "Editor": "Editori", + "Editor users have the ability to read, create, and update.": "Përdoruesit e editorit kanë aftësinë për të lexuar, krijuar dhe përditësuar.", + "Email": "Email", + "Email Password Reset Link": "Fjalëkalimi Email Nga Fillimi Lidhja", + "Enable": "Aktivo", + "Ensure your account is using a long, random password to stay secure.": "Sigurohu që profili juaj të jetë duke përdorur një fjalëkalim të gjatë dhe të rastit për të qëndruar i sigurt.", + "For your security, please confirm your password to continue.": "Për sigurinë tuaj, ju lutem konfirmoni fjalëkalimin tuaj për të vazhduar.", + "Forgot your password?": "Harrove fjalëkalimin?", + "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.": "Harrove fjalëkalimin? S'ka problem. Na thuaj adresën tënde email dhe do të të dërgojmë një fjalëkalim me fjalëkalim të ri që do të të lejojë të zgjedhësh një të ri.", + "Great! You have accepted the invitation to join the :team team.": "Mrekulli! Ju keni pranuar ftesën për t'u bashkuar me ekipin :team.", + "I agree to the :terms_of_service and :privacy_policy": "Pajtohem me :terms_of_service dhe :privacy_politika", + "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ëse është e nevojshme, mund të dilni nga të gjitha seancat e tjera të shfletuesit nëpër të gjitha pajisjet tuaja. Disa nga sesionet tuaja të fundit janë rreshtuar më poshtë; megjithatë, kjo listë mund të mos jetë rraskapitëse. Nëse ndjeni se profili juaj është kompromentuar, duhet të përditësoni gjithashtu fjalëkalimin tuaj.", + "If you already have an account, you may accept this invitation by clicking the button below:": "Nëse keni një profil, mund të pranoni këtë ftesë duke klikuar butonin e mëposhtëm:", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Nëse nuk prisni të merrni një ftesë për këtë ekip, mund të braktisni këtë 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:": "Nëse nuk keni një llogari, mund të krijoni një duke klikuar butonin e mëposhtëm. Pas krijimit të një profili, mund të klikoni butonin e pranimit të ftesës në këtë email për të pranuar ftesën e ekipit:", + "Last active": "Aktivi i fundit", + "Last used": "Përdorur së fundmi", + "Leave": "Largohu.", + "Leave Team": "Lëre Ekipin", + "Log in": "Fillo seancën", + "Log Out": "Zvogëlo", + "Log Out Other Browser Sessions": "Zgjidh Seancat E Tjera Të Shfletimit", + "Manage Account": "Profili", + "Manage and log out your active sessions on other browsers and devices.": "Menaxho dhe regjistro seancat tuaja aktive në shfletues dhe pajisje të tjera.", + "Manage API Tokens": "Menaxho Argumentet API", + "Manage Role": "Roli", + "Manage Team": "Ekipi", + "Name": "Emri", + "New Password": "Fjalëkalimi I Ri", + "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.": "Sapo një ekip të eleminohet, të gjitha burimet dhe të dhënat e tij do të fshihen përgjithmonë. Para se të eleminoni këtë ekip, ju lutem shkarkoni çdo të dhënë apo informacion në lidhje me këtë ekip që dëshironi të mbani.", + "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.": "Pasi të eleminohet llogaria juaj, të gjitha burimet dhe të dhënat e saj do të fshihen përgjithmonë. Para se të eleminoni llogarinë tuaj, shkarkoni çdo të dhënë apo informacion që dëshironi të mbani.", + "Password": "Fjalëkalimi", + "Pending Team Invitations": "Në Pritje", + "Permanently delete this team.": "Elemino përgjithmonë këtë ekip.", + "Permanently delete your account.": "Elemino përgjithmonë llogarinë tënde.", + "Permissions": "Të drejtat", + "Photo": "Foto", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Ju lutem konfirmoni hyrjen në llogarinë tuaj duke hyrë në një nga kodet e shërimit të emergjencës.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Ju lutem konfirmoni hyrjen në llogarinë tuaj duke hyrë në kodin e autentifikimit dhënë nga programi juaj i autentifikimit.", + "Please copy your new API token. For your security, it won't be shown again.": "Kopjo token E re API. Për sigurinë tuaj, nuk do të shfaqet më.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Ju lutem shkruani fjalëkalimin për të konfirmuar që dëshironi të dilni nga seancat e tjera të shfletimit nëpër të gjitha pajisjet tuaja.", + "Please provide the email address of the person you would like to add to this team.": "Ju lutem jepni adresën email të personit që dëshironi t'i shtoni këtij ekipi.", + "Privacy Policy": "Politika E Privatësisë", + "Profile": "Profili", + "Profile Information": "Informacione Profili", + "Recovery Code": "Kodi I Rikuperimit", + "Regenerate Recovery Codes": "Rigjenero Kodet E Rimëkëmbjes", + "Register": "I regjistruar", + "Remember me": "Më kujto.", + "Remove": "Hiq", + "Remove Photo": "Hiqni Foto", + "Remove Team Member": "Hiq", + "Resend Verification Email": "Dërgo E-Mail Verifikimi", + "Reset Password": "_nga Fillimi Fjalëkalimin", + "Role": "Roli", + "Save": "Ruaj", + "Saved.": "Shpëtova.", + "Select A New Photo": "Zgjidh Një Foto Të Re", + "Show Recovery Codes": "Shfaq Kodet E Rimëkëmbjes", + "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.": "Magazinoni këto kode të shërimit në një menaxhues fjalëkalimesh të sigurt. Mund të përdoren për të rikuperuar hyrjen në llogarinë tuaj nëse dy faktori juaj i autentifikimit ka humbur.", + "Switch Teams": "Kalo Ekipet", + "Team Details": "Detajet E Ekipit", + "Team Invitation": "Ftesa E Ekipit", + "Team Members": "Anëtarë Të Ekipit", + "Team Name": "Emri I Ekipit", + "Team Owner": "Pronari I Ekipit", + "Team Settings": "Rregullimet E Ekipit", + "Terms of Service": "Kushtet E Shërbimit", + "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.": "Faleminderit që u rregjistrove! Para se të fillonim, mund të verifikonit adresën tuaj email duke klikuar mbi lidhjen që sapo ju dërguam? Nëse nuk e keni marrë e-mailin, ne me kënaqësi do t'ju dërgojmë një tjetër.", + "The :attribute must be a valid role.": "Nr. :attribute duhet të jetë një rol i vlefshëm.", + "The :attribute must be at least :length characters and contain at least one number.": ":attribute duhet të jenë së paku :length karaktere dhe përmbajnë të paktën një numër.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute duhet të jetë së paku :length shkronja dhe përmban të paktën një karakter të veçantë dhe një numër.", + "The :attribute must be at least :length characters and contain at least one special character.": ":attribute duhet të jenë të paktën :length karaktere dhe përmbajnë të paktën një karakter të veçantë.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute duhet të jetë së paku :length shkronja dhe të përmbajë të paktën një kërkesë dhe një numër.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute duhet të jetë të paktën :length shkronja dhe të përmbajë të paktën një karakter nga kaza dhe një karakter të veçantë.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute duhet të jenë të paktën :length karaktere dhe përmbajnë të paktën një krik, një numër dhe një karakter të veçantë.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute duhet të jenë të paktën :length shkronja dhe të përmbajnë të paktën një kërkesë nga baza.", + "The :attribute must be at least :length characters.": ":attribute duhet të jetë së paku :length karaktere.", + "The provided password does not match your current password.": "Fjalëkalimi i dhënë nuk përputhet me fjalëkalimin tuaj aktual.", + "The provided password was incorrect.": "Fjalëkalimi i dhënë ishte i gabuar.", + "The provided two factor authentication code was invalid.": "Kodi i autentifikimit i dhënë prej dy faktorëve ishte i pavlefshëm.", + "The team's name and owner information.": "Emri dhe informacioni i ekipit.", + "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.": "Këta njerëz janë ftuar në skuadrën tuaj dhe janë dërguar një e-mail me ftesë. Ata mund të bashkohen me ekipin duke pranuar ftesën e postës elektronike.", + "This device": "Ky dispozitiv", + "This is a secure area of the application. Please confirm your password before continuing.": "Kjo është zonë e sigurt e aplikimit. Ju lutem konfirmoni fjalëkalimin tuaj para se të vazhdoni.", + "This password does not match our records.": "Ky fjalëkalim nuk përputhet me të dhënat tona.", + "This user already belongs to the team.": "Ky përdorues i përket skuadrës.", + "This user has already been invited to the team.": "Ky përdorues është ftuar në skuadër.", + "Token Name": "Emri I Token", + "Two Factor Authentication": "Identifikimi Dështoi", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Dy faktor autentifikimi është aktivizuar tani. Skano kodin në vazhdim QR duke përdorur programin e autentifikimit të telefonit tuaj.", + "Update Password": "Rifresko Fjalëkalimin", + "Update your account's profile information and email address.": "Përditëso informacionet dhe adresën email të profilit tuaj.", + "Use a recovery code": "Përdor një kod rekuperimi", + "Use an authentication code": "Përdor një kod autentikimi", + "We were unable to find a registered user with this email address.": "E pamundur gjetja e përdoruesit të regjistruar me këtë adresë email.", + "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.": "Kur dy faktor autentifikimi të jetë aktivizuar, do t'ju kërkohet një token e sigurt dhe të rastit gjatë autentifikimit. Mund të merrni këtë dhuratë nga programi Autentifikues I Google-it tuaj.", + "Whoops! Something went wrong.": "Ups! Diçka shkoi keq.", + "You have been invited to join the :team team!": "Jeni ftuar të bashkoheni me ekipin :team!", + "You have enabled two factor authentication.": "Keni aktivizuar dy faktor autentifikimi.", + "You have not enabled two factor authentication.": "Nuk keni aktivuar dy faktor autentifikimi.", + "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.": "Mund të fshish ndonjë nga argumentet e tua ekzistuese nëse nuk janë më të nevojshme.", + "You may not delete your personal team.": "Ju nuk mund të fshini ekipin tuaj personal.", + "You may not leave a team that you created.": "Ju nuk mund të lënë një ekip që ju krijoi." +} diff --git a/locales/sq/packages/nova.json b/locales/sq/packages/nova.json new file mode 100644 index 00000000000..3ce8c76364b --- /dev/null +++ b/locales/sq/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Ditë", + "60 Days": "60 Ditë", + "90 Days": "90 Ditë", + ":amount Total": ":amount Total", + ":resource Details": ":resource Hollësi", + ":resource Details: :title": ":resource Detaje: :title", + "Action": "Veprimi", + "Action Happened At": "Ndodhi Në", + "Action Initiated By": "Nisur Nga", + "Action Name": "Emri", + "Action Status": "Gjendja", + "Action Target": "Objektivi", + "Actions": "Veprimet", + "Add row": "Shto rresht", + "Afghanistan": "Afganistan", + "Aland Islands": "Ishuj Amallë.", + "Albania": "Shqipëria", + "Algeria": "Algjeri", + "All resources loaded.": "Të gjitha burimet u ngarkuan.", + "American Samoa": "Amerikan Samoa", + "An error occured while uploading the file.": "U ndesh një gabim gjatë ngarkimit të file.", + "Andorra": "Andoran", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Një përdorues tjetër ka rifreskuar këtë burim që kur u ngarkua kjo faqe. Rifresko faqen dhe provo përsëri.", + "Antarctica": "Antarktika", + "Antigua And Barbuda": "Antigua dhe Barbuda", + "April": "Prill", + "Are you sure you want to delete the selected resources?": "Jeni i sigurt që dëshironi të eleminoni burimet e zgjedhur?", + "Are you sure you want to delete this file?": "Jeni i sigurt që dëshiron të eleminosh këtë file?", + "Are you sure you want to delete this resource?": "Jeni i sigurt që dëshironi të eleminoni këtë burim?", + "Are you sure you want to detach the selected resources?": "Jeni i sigurt që dëshironi të shkëpusni burimet e zgjedhur?", + "Are you sure you want to detach this resource?": "Jeni i sigurt që dëshironi ta shkëpusni këtë burim?", + "Are you sure you want to force delete the selected resources?": "Jeni i sigurt që dëshironi të eleminoni burimet e zgjedhur?", + "Are you sure you want to force delete this resource?": "Jeni i sigurt që dëshironi të eleminoni këtë burim?", + "Are you sure you want to restore the selected resources?": "Jeni i sigurt që dëshironi të eleminoni burimet e zgjedhur?", + "Are you sure you want to restore this resource?": "Jeni i sigurt që dëshironi të eleminoni këtë burim?", + "Are you sure you want to run this action?": "Je i sigurt që dëshiron të ekzekutosh këtë veprim?", + "Argentina": "Argjentinë", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Attach": "Bashkëngjit", + "Attach & Attach Another": "Bashkangjit", + "Attach :resource": "Bashkangjit :resource", + "August": "Gusht", + "Australia": "Australi", + "Austria": "Austria", + "Azerbaijan": "Azerbajxhani", + "Bahamas": "Bahamas.", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Bjellorusia", + "Belgium": "Belgjikë", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Butan", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sin Eustatius dhe Sabado", + "Bosnia And Herzegovina": "Bosnje dhe Herzegovina", + "Botswana": "Botsvana", + "Bouvet Island": "Ishulli Buvet.", + "Brazil": "Brazil", + "British Indian Ocean Territory": "Territori Britanik I Oqeanit Indian", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bullgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kamboxhia", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel": "Anullo", + "Cape Verde": "Cape Verde", + "Cayman Islands": "Ishujt Cayman", + "Central African Republic": "Republika Qendrore Afrikane", + "Chad": "Çad.", + "Changes": "Kryej", + "Chile": "Kili.", + "China": "Kinë", + "Choose": "Zgjidh", + "Choose :field": "Zgjidh :field", + "Choose :resource": "Zgjidh :resource", + "Choose an option": "Zgjidh një opsion", + "Choose date": "Zgjidh datën", + "Choose File": "Zgjidh File", + "Choose Type": "Lloji", + "Christmas Island": "Ishulli I Krishtlindjeve", + "Click to choose": "Kliko për të zgjedhur", + "Cocos (Keeling) Islands": "Ishujt Cocos (Keeling) ", + "Colombia": "Kolumbi", + "Comoros": "Comoros", + "Confirm Password": "Konfirmo Fjalëkalimin", + "Congo": "Kongo", + "Congo, Democratic Republic": "Kongo, Republika Demokratike", + "Constant": "Konstante", + "Cook Islands": "Ishujt Cook", + "Costa Rica": "Kosta Rika", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "e pamundur gjetja.", + "Create": "Krijo", + "Create & Add Another": "Krijo & Shto Një Tjetër", + "Create :resource": "Krijo :resource", + "Croatia": "Kroacia", + "Cuba": "Kuba", + "Curaçao": "Curacao", + "Customize": "Personalizo", + "Cyprus": "Qipro", + "Czech Republic": "Çekisht", + "Dashboard": "Tabelë", + "December": "Dhjetor", + "Decrease": "Zvogëlo", + "Delete": "Elemino", + "Delete File": "Elemino File", + "Delete Resource": "Elemino", + "Delete Selected": "Elemino Të Zgjedhur", + "Denmark": "Danimarkë", + "Detach": "Shkëputu", + "Detach Resource": "Shkëput Burimi", + "Detach Selected": "Shkëput Të Zgjedhurin", + "Details": "Hollësi", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Do vërtet të ikësh? Keni ndryshime të paruajtur.", + "Dominica": "E djelë", + "Dominican Republic": "Republika Domenikane", + "Download": "Shkarko", + "Ecuador": "Ekuador", + "Edit": "Ndrysho", + "Edit :resource": "Ndrysho :resource", + "Edit Attached": "Ndrysho Të Bashkangjiturin", + "Egypt": "Egjipti", + "El Salvador": "Salvador", + "Email Address": "Adresa Email", + "Equatorial Guinea": "Equatorial Guine", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Etiopia", + "Falkland Islands (Malvinas)": "Ishujt E Falklandit (Malvinas))", + "Faroe Islands": "Ishujt Faroe", + "February": "Shkurt", + "Fiji": "Fiji", + "Finland": "Finlanda", + "Force Delete": "Detyro Eleminimin", + "Force Delete Resource": "Detyro Eleminimin E Gjëndjeve", + "Force Delete Selected": "Detyro Fshirjen E Mesazheve Të Zgjedhur", + "Forgot Your Password?": "Harrove Fjalëkalimin?", + "Forgot your password?": "Harrove fjalëkalimin?", + "France": "Francë", + "French Guiana": "Frengjisht", + "French Polynesia": "Frengjisht", + "French Southern Territories": "Territoret Jugore Franceze", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Xhorxhia", + "Germany": "Gjermani", + "Ghana": "Gana", + "Gibraltar": "Gibraltar", + "Go Home": "Shko Në Shtëpi.", + "Greece": "Greqia", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bisau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Dëgjova Ishullin Dhe Ishujt McDonald.", + "Hide Content": "Fshih Përmbajtjen", + "Hold Up!": "Prit!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungari", + "Iceland": "Islanda", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "Nëse nuk kërkoni një fjalëkalim nga fillimi, nuk kërkohet veprim i mëtejshëm.", + "Increase": "Rrit", + "India": "India", + "Indonesia": "Indonezia", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Irak", + "Ireland": "Irlanda", + "Isle Of Man": "Ishulli I Njeriut", + "Israel": "Izrael", + "Italy": "Itali", + "Jamaica": "Xhamajka", + "January": "Janar", + "Japan": "Japonia", + "Jersey": "Xhersi", + "Jordan": "Jordan", + "July": "Korrik", + "June": "Qershor", + "Kazakhstan": "Kazakistani", + "Kenya": "Kenia", + "Key": "Kyçi", + "Kiribati": "Kiribati", + "Korea": "Koreja E Jugut", + "Korea, Democratic People's Republic of": "Korea E Veriut", + "Kosovo": "Kosova", + "Kuwait": "Kuvajti", + "Kyrgyzstan": "Kirkizstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Letonia", + "Lebanon": "Libanez", + "Lens": "Lente", + "Lesotho": "Lesoto", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libia", + "Liechtenstein": "Lihtenstein", + "Lithuania": "Lituania", + "Load :perPage More": "Ngarko :perPage Më Shumë", + "Login": "Futu", + "Logout": "Dalja", + "Luxembourg": "Luksemburg", + "Macao": "Macao", + "Macedonia": "Maqedonia E Veriut", + "Madagascar": "Madagaskar", + "Malawi": "Malaui", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "E vogël", + "Malta": "Malta", + "March": "Mars", + "Marshall Islands": "Ishujt Marshall", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "May": "Maj", + "Mayotte": "Mayotte", + "Mexico": "Meksikë", + "Micronesia, Federated States Of": "Mikronezia", + "Moldova": "Moldavia", + "Monaco": "Monako", + "Mongolia": "Mongolia", + "Montenegro": "Mali i zi", + "Month To Date": "Muaji Për Datën", + "Montserrat": "Montserrat", + "Morocco": "Maroko", + "Mozambique": "Mozambik", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Hollanda", + "New": "E re", + "New :resource": "E re :resource", + "New Caledonia": "Maqedoni E Re", + "New Zealand": "Zelanda E Re", + "Next": "Vazhdo", + "Nicaragua": "Nikaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "Jo", + "No :resource matched the given criteria.": "Asnjë :resource nuk përputhet me kriteret e dhëna.", + "No additional information...": "Asnjë informacion shtesë...", + "No Current Data": "Asnjë E Dhënë Aktuale", + "No Data": "Asnjë E Dhënë", + "no file selected": "nuk është zgjedhur asnjë file", + "No Increase": "Pa Rritje", + "No Prior Data": "Jo Të Dhëna Paraardhëse", + "No Results Found.": "Nuk U Gjet Asnjë Rezultat.", + "Norfolk Island": "Ishulli Norfolk", + "Northern Mariana Islands": "Ishujt Mariana Veriore", + "Norway": "Norvegji", + "Nova User": "Përdorues I Ri", + "November": "Nëntor", + "October": "Tetor", + "of": "nga", + "Oman": "Oman", + "Only Trashed": "Është Shkatërruar.", + "Original": "Orgjinali", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Territoret Palestineze", + "Panama": "Panama", + "Papua New Guinea": "Papuazi Guinea E Re", + "Paraguay": "Paraguaj", + "Password": "Fjalëkalimi", + "Per Page": "Faqe", + "Peru": "Peru", + "Philippines": "Filipinet", + "Pitcairn": "Ishujt Pitcairn", + "Poland": "Polonia", + "Portugal": "Portugali", + "Press \/ to search": "Shtyp \/ për të kërkuar", + "Preview": "Pamja e parë", + "Previous": "Paraardhëse", + "Puerto Rico": "Puerto Riko", + "Qatar": "Qatar", + "Quarter To Date": "Çerek Deri Më", + "Reload": "Rilexo", + "Remember Me": "Më Kujto.", + "Reset Filters": "Nga Fillimi Filtrat", + "Reset Password": "_nga Fillimi Fjalëkalimin", + "Reset Password Notification": "Rikthe Njoftimin E Fjalëkalimit", + "resource": "burimi", + "Resources": "Gjëndja", + "resources": "gjëndja", + "Restore": "Rikthe", + "Restore Resource": "Rikthe Gjëndjen", + "Restore Selected": "Rikthe Të Zgjedhurin", + "Reunion": "Mbledhje", + "Romania": "Rumania", + "Run Action": "Ekzekuto", + "Russian Federation": "Federata Ruse", + "Rwanda": "Ruanda", + "Saint Barthelemy": "St. Bartelemy", + "Saint Helena": "Shën Helena", + "Saint Kitts And Nevis": "St. Kitts dhe Nevis", + "Saint Lucia": "Shën Lusia", + "Saint Martin": "St. Martin", + "Saint Pierre And Miquelon": "Shën Pjer dhe Miquelon", + "Saint Vincent And Grenadines": "St. Vincent dhe Granadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "Sao Tome Dhe Principe", + "Saudi Arabia": "Arabia Saudite", + "Search": "Kërko", + "Select Action": "Zgjidh Veprimin", + "Select All": "Zgjidh Gjithçka", + "Select All Matching": "Zgjidh Gjithçka", + "Send Password Reset Link": "Dërgo Fjalëkalimin Nga Fillimi Lidhja", + "Senegal": "Senegal", + "September": "Shtator", + "Serbia": "Serbia", + "Seychelles": "Seychelle", + "Show All Fields": "Shfaq Të Gjitha Fushat", + "Show Content": "Shfaq Përmbajtjen", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapore", + "Sint Maarten (Dutch part)": "Sint Marten", + "Slovakia": "Sllovakia", + "Slovenia": "Sllovenia", + "Solomon Islands": "Ishujt Solomon", + "Somalia": "Somalia", + "Something went wrong.": "Diçka shkoi keq.", + "Sorry! You are not authorized to perform this action.": "Më fal! Nuk jeni i autorizuar të kryeni këtë veprim.", + "Sorry, your session has expired.": "Më vjen keq, seanca juaj ka skaduar.", + "South Africa": "Afrika E Jugut", + "South Georgia And Sandwich Isl.": "Gjeorgjia jugore dhe Ishujt E Sanduiceve", + "South Sudan": "Sudan Jugor", + "Spain": "Spanja", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Fillo Votimin", + "Stop Polling": "Ndalo Votimin", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard dhe Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Suedisht", + "Switzerland": "Zvicër", + "Syrian Arab Republic": "Siri", + "Taiwan": "Taivan", + "Tajikistan": "Taxhikistan", + "Tanzania": "Tanzania", + "Thailand": "Tailandë", + "The :resource was created!": ":resource u krijua!", + "The :resource was deleted!": ":resource-shi u eleminua!", + "The :resource was restored!": ":resource u rivendos!", + "The :resource was updated!": ":resource u përditësua!", + "The action ran successfully!": "Veprimi u zhvillua me sukses!", + "The file was deleted!": "File u eleminua!", + "The government won't let us show you what's behind these doors": "Qeveria nuk do të na lejojë të të tregojmë se çfarë ka pas këtyre dyerve.", + "The HasOne relationship has already been filled.": "Marrëdhënia E HasOne është mbushur tashmë.", + "The resource was updated!": "Burimi u përditësua!", + "There are no available options for this resource.": "Asnjë mundësi në dispozicion për këtë burim.", + "There was a problem executing the action.": "Pati një problem ekzekutimin e veprimit.", + "There was a problem submitting the form.": "Kishte një problem për paraqitjen e formës.", + "This file field is read-only.": "Kjo fushë file është vetëm në lexim.", + "This image": "Kjo figurë", + "This resource no longer exists": "Ky burim nuk ekziston më", + "Timor-Leste": "Timor-Leste", + "Today": "Sot", + "Togo": "Së bashku", + "Tokelau": "Tokelau", + "Tonga": "Eja", + "total": "gjithsej", + "Trashed": "Është shkatërruar.", + "Trinidad And Tobago": "Trinidad dhe Tobago", + "Tunisia": "Tunizi", + "Turkey": "Turqia", + "Turkmenistan": "Turkmenia", + "Turks And Caicos Islands": "Turqit dhe Ishujt Kaikos", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukrainë", + "United Arab Emirates": "Emiratet E Bashkuara Arabe", + "United Kingdom": "Mbretëria E Bashkuar", + "United States": "Shtetet E Bashkuara", + "United States Outlying Islands": "SH. B. A.", + "Update": "Rifresko", + "Update & Continue Editing": "Rifresko & Vazhdo Shkrimin", + "Update :resource": "Rifresko :resource", + "Update :resource: :title": "Rifresko :resource: :title", + "Update attached :resource: :title": "Rifresko i bashkangjitur :resource: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Value": "Vlera", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Shfaq", + "Virgin Islands, British": "Ishujt E Virgjër Britanike", + "Virgin Islands, U.S.": "Ishujt E Virgjër TË SHBA-Së", + "Wallis And Futuna": "Uollis dhe Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Kemi humbur në hapësirë. Faqja që u përpoqët të shikonit nuk ekziston.", + "Welcome Back!": "Mirë Se U Ktheve!", + "Western Sahara": "Sahara Perëndimore", + "Whoops": "Ups", + "Whoops!": "Ups!", + "With Trashed": "Me Rrëmujë.", + "Write": "Shkruaj", + "Year To Date": "Data", + "Yemen": "Jemeni", + "Yes": "Po.", + "You are receiving this email because we received a password reset request for your account.": "Po e dëgjoni këtë email sepse kemi marrë një fjalëkalim për llogarinë tuaj.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabve" +} diff --git a/locales/sq/packages/spark-paddle.json b/locales/sq/packages/spark-paddle.json new file mode 100644 index 00000000000..99c73cbe912 --- /dev/null +++ b/locales/sq/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Kushtet E Shërbimit", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Ups! Diçka shkoi keq.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/sq/packages/spark-stripe.json b/locales/sq/packages/spark-stripe.json new file mode 100644 index 00000000000..5724c1a8a30 --- /dev/null +++ b/locales/sq/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afganistan", + "Albania": "Shqipëria", + "Algeria": "Algjeri", + "American Samoa": "Amerikan Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andoran", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarktika", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argjentinë", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Australia": "Australi", + "Austria": "Austria", + "Azerbaijan": "Azerbajxhani", + "Bahamas": "Bahamas.", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Bjellorusia", + "Belgium": "Belgjikë", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Butan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botsvana", + "Bouvet Island": "Ishulli Buvet.", + "Brazil": "Brazil", + "British Indian Ocean Territory": "Territori Britanik I Oqeanit Indian", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bullgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kamboxhia", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Cape Verde", + "Card": "Card", + "Cayman Islands": "Ishujt Cayman", + "Central African Republic": "Republika Qendrore Afrikane", + "Chad": "Çad.", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Kili.", + "China": "Kinë", + "Christmas Island": "Ishulli I Krishtlindjeve", + "City": "City", + "Cocos (Keeling) Islands": "Ishujt Cocos (Keeling) ", + "Colombia": "Kolumbi", + "Comoros": "Comoros", + "Confirm Payment": "Konfirmo Pagesën", + "Confirm your :amount payment": "Konfirmoni :amount pagesën tuaj", + "Congo": "Kongo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Ishujt Cook", + "Costa Rica": "Kosta Rika", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Kroacia", + "Cuba": "Kuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Qipro", + "Czech Republic": "Çekisht", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Danimarkë", + "Djibouti": "Djibouti", + "Dominica": "E djelë", + "Dominican Republic": "Republika Domenikane", + "Download Receipt": "Download Receipt", + "Ecuador": "Ekuador", + "Egypt": "Egjipti", + "El Salvador": "Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Equatorial Guine", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Etiopia", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Konfirmimi shtesë është i nevojshëm për të përpunuar pagesën tuaj. Ju lutem vazhdoni faqen e pagesës duke klikuar mbi butonin e mëposhtëm.", + "Falkland Islands (Malvinas)": "Ishujt E Falklandit (Malvinas))", + "Faroe Islands": "Ishujt Faroe", + "Fiji": "Fiji", + "Finland": "Finlanda", + "France": "Francë", + "French Guiana": "Frengjisht", + "French Polynesia": "Frengjisht", + "French Southern Territories": "Territoret Jugore Franceze", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Xhorxhia", + "Germany": "Gjermani", + "Ghana": "Gana", + "Gibraltar": "Gibraltar", + "Greece": "Greqia", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bisau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungari", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Islanda", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "India", + "Indonesia": "Indonezia", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Irak", + "Ireland": "Irlanda", + "Isle of Man": "Isle of Man", + "Israel": "Izrael", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Itali", + "Jamaica": "Xhamajka", + "Japan": "Japonia", + "Jersey": "Xhersi", + "Jordan": "Jordan", + "Kazakhstan": "Kazakistani", + "Kenya": "Kenia", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Korea E Veriut", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuvajti", + "Kyrgyzstan": "Kirkizstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Letonia", + "Lebanon": "Libanez", + "Lesotho": "Lesoto", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libia", + "Liechtenstein": "Lihtenstein", + "Lithuania": "Lituania", + "Luxembourg": "Luksemburg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagaskar", + "Malawi": "Malaui", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "E vogël", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Ishujt Marshall", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Meksikë", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monako", + "Mongolia": "Mongolia", + "Montenegro": "Mali i zi", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Maroko", + "Mozambique": "Mozambik", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Hollanda", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Maqedoni E Re", + "New Zealand": "Zelanda E Re", + "Nicaragua": "Nikaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Ishulli Norfolk", + "Northern Mariana Islands": "Ishujt Mariana Veriore", + "Norway": "Norvegji", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Territoret Palestineze", + "Panama": "Panama", + "Papua New Guinea": "Papuazi Guinea E Re", + "Paraguay": "Paraguaj", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Filipinet", + "Pitcairn": "Ishujt Pitcairn", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Polonia", + "Portugal": "Portugali", + "Puerto Rico": "Puerto Riko", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Rumania", + "Russian Federation": "Federata Ruse", + "Rwanda": "Ruanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Shën Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Shën Lusia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Arabia Saudite", + "Save": "Ruaj", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbia", + "Seychelles": "Seychelle", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapore", + "Slovakia": "Sllovakia", + "Slovenia": "Sllovenia", + "Solomon Islands": "Ishujt Solomon", + "Somalia": "Somalia", + "South Africa": "Afrika E Jugut", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Spanja", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Suedisht", + "Switzerland": "Zvicër", + "Syrian Arab Republic": "Siri", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Taxhikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Kushtet E Shërbimit", + "Thailand": "Tailandë", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Së bashku", + "Tokelau": "Tokelau", + "Tonga": "Eja", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunizi", + "Turkey": "Turqia", + "Turkmenistan": "Turkmenia", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukrainë", + "United Arab Emirates": "Emiratet E Bashkuara Arabe", + "United Kingdom": "Mbretëria E Bashkuar", + "United States": "Shtetet E Bashkuara", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Rifresko", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Ishujt E Virgjër Britanike", + "Virgin Islands, U.S.": "Ishujt E Virgjër TË SHBA-Së", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Sahara Perëndimore", + "Whoops! Something went wrong.": "Ups! Diçka shkoi keq.", + "Yearly": "Yearly", + "Yemen": "Jemeni", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabve", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/sq/sq.json b/locales/sq/sq.json index d08cf2ed221..21b767b8e4e 100644 --- a/locales/sq/sq.json +++ b/locales/sq/sq.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Ditë", - "60 Days": "60 Ditë", - "90 Days": "90 Ditë", - ":amount Total": ":amount Total", - ":days day trial": ":days day trial", - ":resource Details": ":resource Hollësi", - ":resource Details: :title": ":resource Detaje: :title", "A fresh verification link has been sent to your email address.": "Është dërguar një lidhje verifikimi i ri në adresën tuaj email.", - "A new verification link has been sent to the email address you provided during registration.": "Një lidhje e re verifikimi është dërguar në adresën email që ju keni dhënë gjatë regjistrimit.", - "Accept Invitation": "Prano Ftesën", - "Action": "Veprimi", - "Action Happened At": "Ndodhi Në", - "Action Initiated By": "Nisur Nga", - "Action Name": "Emri", - "Action Status": "Gjendja", - "Action Target": "Objektivi", - "Actions": "Veprimet", - "Add": "Shto", - "Add a new team member to your team, allowing them to collaborate with you.": "Shto një anëtar të ri të ekipit tuaj, duke i lejuar ata të bashkëpunojnë me ju.", - "Add additional security to your account using two factor authentication.": "Shto siguri shtesë në llogarinë tuaj duke përdorur dy faktor autentifikimi.", - "Add row": "Shto rresht", - "Add Team Member": "Shto Anëtar Ekipi", - "Add VAT Number": "Add VAT Number", - "Added.": "Shtuar.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administrator", - "Administrator users can perform any action.": "Përdoruesit e administratorit mund të kryejnë çdo veprim.", - "Afghanistan": "Afganistan", - "Aland Islands": "Ishuj Amallë.", - "Albania": "Shqipëria", - "Algeria": "Algjeri", - "All of the people that are part of this team.": "Të gjithë njerëzit që janë pjesë e këtij ekipi.", - "All resources loaded.": "Të gjitha burimet u ngarkuan.", - "All rights reserved.": "Të gjitha të drejtat të rezervuara.", - "Already registered?": "E regjistruar?", - "American Samoa": "Amerikan Samoa", - "An error occured while uploading the file.": "U ndesh një gabim gjatë ngarkimit të file.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andoran", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Një përdorues tjetër ka rifreskuar këtë burim që kur u ngarkua kjo faqe. Rifresko faqen dhe provo përsëri.", - "Antarctica": "Antarktika", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua dhe Barbuda", - "API Token": "API Token", - "API Token Permissions": "Të Drejtat", - "API Tokens": "Argumentet API", - "API tokens allow third-party services to authenticate with our application on your behalf.": "Argumentet API lejojnë shërbimet e palëve të treta të autentifikohen me programin tonë në favorin tuaj.", - "April": "Prill", - "Are you sure you want to delete the selected resources?": "Jeni i sigurt që dëshironi të eleminoni burimet e zgjedhur?", - "Are you sure you want to delete this file?": "Jeni i sigurt që dëshiron të eleminosh këtë file?", - "Are you sure you want to delete this resource?": "Jeni i sigurt që dëshironi të eleminoni këtë burim?", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Jeni i sigurt që dëshironi të eleminoni këtë skuadër? Sapo një ekip të eleminohet, të gjitha burimet dhe të dhënat e tij do të fshihen përgjithmonë.", - "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.": "Jeni i sigurt që dëshironi të eleminoni llogarinë tuaj? Pasi të eleminohet llogaria juaj, të gjitha burimet dhe të dhënat e saj do të fshihen përgjithmonë. Ju lutem shkruani fjalëkalimin tuaj për të konfirmuar që dëshironi të eleminoni përgjithmonë profilin tuaj.", - "Are you sure you want to detach the selected resources?": "Jeni i sigurt që dëshironi të shkëpusni burimet e zgjedhur?", - "Are you sure you want to detach this resource?": "Jeni i sigurt që dëshironi ta shkëpusni këtë burim?", - "Are you sure you want to force delete the selected resources?": "Jeni i sigurt që dëshironi të eleminoni burimet e zgjedhur?", - "Are you sure you want to force delete this resource?": "Jeni i sigurt që dëshironi të eleminoni këtë burim?", - "Are you sure you want to restore the selected resources?": "Jeni i sigurt që dëshironi të eleminoni burimet e zgjedhur?", - "Are you sure you want to restore this resource?": "Jeni i sigurt që dëshironi të eleminoni këtë burim?", - "Are you sure you want to run this action?": "Je i sigurt që dëshiron të ekzekutosh këtë veprim?", - "Are you sure you would like to delete this API token?": "Nga elemino?", - "Are you sure you would like to leave this team?": "Je i sigurt që dëshiron të largohesh nga kjo skuadër?", - "Are you sure you would like to remove this person from the team?": "Jeni i sigurt që dëshironi të hiqni këtë person nga skuadra?", - "Argentina": "Argjentinë", - "Armenia": "Armenia", - "Aruba": "Aruba", - "Attach": "Bashkëngjit", - "Attach & Attach Another": "Bashkangjit", - "Attach :resource": "Bashkangjit :resource", - "August": "Gusht", - "Australia": "Australi", - "Austria": "Austria", - "Azerbaijan": "Azerbajxhani", - "Bahamas": "Bahamas.", - "Bahrain": "Bahrain", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Para procedimit, ju lutem kontrolloni e-mailin tuaj për një lidhje verifikimi.", - "Belarus": "Bjellorusia", - "Belgium": "Belgjikë", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Butan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sin Eustatius dhe Sabado", - "Bosnia And Herzegovina": "Bosnje dhe Herzegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botsvana", - "Bouvet Island": "Ishulli Buvet.", - "Brazil": "Brazil", - "British Indian Ocean Territory": "Territori Britanik I Oqeanit Indian", - "Browser Sessions": "Shfletimi I Seancave", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bullgaria", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Kamboxhia", - "Cameroon": "Kamerun", - "Canada": "Kanada", - "Cancel": "Anullo", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Cape Verde", - "Card": "Card", - "Cayman Islands": "Ishujt Cayman", - "Central African Republic": "Republika Qendrore Afrikane", - "Chad": "Çad.", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Kryej", - "Chile": "Kili.", - "China": "Kinë", - "Choose": "Zgjidh", - "Choose :field": "Zgjidh :field", - "Choose :resource": "Zgjidh :resource", - "Choose an option": "Zgjidh një opsion", - "Choose date": "Zgjidh datën", - "Choose File": "Zgjidh File", - "Choose Type": "Lloji", - "Christmas Island": "Ishulli I Krishtlindjeve", - "City": "City", "click here to request another": "kliko këtu për të kërkuar një tjetër", - "Click to choose": "Kliko për të zgjedhur", - "Close": "Mbyll", - "Cocos (Keeling) Islands": "Ishujt Cocos (Keeling) ", - "Code": "Kodi", - "Colombia": "Kolumbi", - "Comoros": "Comoros", - "Confirm": "Konfermo", - "Confirm Password": "Konfirmo Fjalëkalimin", - "Confirm Payment": "Konfirmo Pagesën", - "Confirm your :amount payment": "Konfirmoni :amount pagesën tuaj", - "Congo": "Kongo", - "Congo, Democratic Republic": "Kongo, Republika Demokratike", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Konstante", - "Cook Islands": "Ishujt Cook", - "Costa Rica": "Kosta Rika", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "e pamundur gjetja.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Krijo", - "Create & Add Another": "Krijo & Shto Një Tjetër", - "Create :resource": "Krijo :resource", - "Create a new team to collaborate with others on projects.": "Krijo një ekip të ri për të bashkëpunuar me të tjerët në projekte.", - "Create Account": "Krijo Një Profil", - "Create API Token": "Krijo", - "Create New Team": "Krijo Një Ekip Të Ri", - "Create Team": "Krijo Ekip", - "Created.": "Krijuar.", - "Croatia": "Kroacia", - "Cuba": "Kuba", - "Curaçao": "Curacao", - "Current Password": "Fjalëkalimi Aktual", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Personalizo", - "Cyprus": "Qipro", - "Czech Republic": "Çekisht", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Tabelë", - "December": "Dhjetor", - "Decrease": "Zvogëlo", - "Delete": "Elemino", - "Delete Account": "Elemino Llogarinë", - "Delete API Token": "Elemino", - "Delete File": "Elemino File", - "Delete Resource": "Elemino", - "Delete Selected": "Elemino Të Zgjedhur", - "Delete Team": "Elemino", - "Denmark": "Danimarkë", - "Detach": "Shkëputu", - "Detach Resource": "Shkëput Burimi", - "Detach Selected": "Shkëput Të Zgjedhurin", - "Details": "Hollësi", - "Disable": "Jo aktiv", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Do vërtet të ikësh? Keni ndryshime të paruajtur.", - "Dominica": "E djelë", - "Dominican Republic": "Republika Domenikane", - "Done.": "U bë.", - "Download": "Shkarko", - "Download Receipt": "Download Receipt", "E-Mail Address": "Adresa E-Mail", - "Ecuador": "Ekuador", - "Edit": "Ndrysho", - "Edit :resource": "Ndrysho :resource", - "Edit Attached": "Ndrysho Të Bashkangjiturin", - "Editor": "Editori", - "Editor users have the ability to read, create, and update.": "Përdoruesit e editorit kanë aftësinë për të lexuar, krijuar dhe përditësuar.", - "Egypt": "Egjipti", - "El Salvador": "Salvador", - "Email": "Email", - "Email Address": "Adresa Email", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Fjalëkalimi Email Nga Fillimi Lidhja", - "Enable": "Aktivo", - "Ensure your account is using a long, random password to stay secure.": "Sigurohu që profili juaj të jetë duke përdorur një fjalëkalim të gjatë dhe të rastit për të qëndruar i sigurt.", - "Equatorial Guinea": "Equatorial Guine", - "Eritrea": "Eritrea", - "Estonia": "Estonia", - "Ethiopia": "Etiopia", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Konfirmimi shtesë është i nevojshëm për të përpunuar pagesën tuaj. Ju lutem konfirmoni pagesën tuaj duke plotësuar detajet e pagesës tuaj më poshtë.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Konfirmimi shtesë është i nevojshëm për të përpunuar pagesën tuaj. Ju lutem vazhdoni faqen e pagesës duke klikuar mbi butonin e mëposhtëm.", - "Falkland Islands (Malvinas)": "Ishujt E Falklandit (Malvinas))", - "Faroe Islands": "Ishujt Faroe", - "February": "Shkurt", - "Fiji": "Fiji", - "Finland": "Finlanda", - "For your security, please confirm your password to continue.": "Për sigurinë tuaj, ju lutem konfirmoni fjalëkalimin tuaj për të vazhduar.", "Forbidden": "Ndalohet", - "Force Delete": "Detyro Eleminimin", - "Force Delete Resource": "Detyro Eleminimin E Gjëndjeve", - "Force Delete Selected": "Detyro Fshirjen E Mesazheve Të Zgjedhur", - "Forgot Your Password?": "Harrove Fjalëkalimin?", - "Forgot your password?": "Harrove fjalëkalimin?", - "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.": "Harrove fjalëkalimin? S'ka problem. Na thuaj adresën tënde email dhe do të të dërgojmë një fjalëkalim me fjalëkalim të ri që do të të lejojë të zgjedhësh një të ri.", - "France": "Francë", - "French Guiana": "Frengjisht", - "French Polynesia": "Frengjisht", - "French Southern Territories": "Territoret Jugore Franceze", - "Full name": "Emri dhe mbiemri", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Xhorxhia", - "Germany": "Gjermani", - "Ghana": "Gana", - "Gibraltar": "Gibraltar", - "Go back": "Backup (kopje)", - "Go Home": "Shko Në Shtëpi.", "Go to page :page": "Shko tek faqja :page", - "Great! You have accepted the invitation to join the :team team.": "Mrekulli! Ju keni pranuar ftesën për t'u bashkuar me ekipin :team.", - "Greece": "Greqia", - "Greenland": "Greenland", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bisau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Dëgjova Ishullin Dhe Ishujt McDonald.", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Përshëndetje!", - "Hide Content": "Fshih Përmbajtjen", - "Hold Up!": "Prit!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Hungari", - "I agree to the :terms_of_service and :privacy_policy": "Pajtohem me :terms_of_service dhe :privacy_politika", - "Iceland": "Islanda", - "ID": "ID", - "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ëse është e nevojshme, mund të dilni nga të gjitha seancat e tjera të shfletuesit nëpër të gjitha pajisjet tuaja. Disa nga sesionet tuaja të fundit janë rreshtuar më poshtë; megjithatë, kjo listë mund të mos jetë rraskapitëse. Nëse ndjeni se profili juaj është kompromentuar, duhet të përditësoni gjithashtu fjalëkalimin tuaj.", "If necessary, you may logout 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ëse është e nevojshme, ju mund të dilni nga të gjitha seancat e tjera të shfletimit nëpër të gjitha pajisjet tuaja. Disa nga sesionet tuaja të fundit janë rreshtuar më poshtë; megjithatë, kjo listë mund të mos jetë rraskapitëse. Nëse ndjeni se profili juaj është kompromentuar, duhet të përditësoni gjithashtu fjalëkalimin tuaj.", - "If you already have an account, you may accept this invitation by clicking the button below:": "Nëse keni një profil, mund të pranoni këtë ftesë duke klikuar butonin e mëposhtëm:", "If you did not create an account, no further action is required.": "Nëse nuk krijoni një llogari, nuk nevoitet veprim i mëtejshëm.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Nëse nuk prisni të merrni një ftesë për këtë ekip, mund të braktisni këtë email.", "If you did not receive the email": "Nëse nuk e keni marrë e-mailin", - "If you did not request a password reset, no further action is required.": "Nëse nuk kërkoni një fjalëkalim nga fillimi, nuk kërkohet veprim i mëtejshëm.", - "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ëse nuk keni një llogari, mund të krijoni një duke klikuar butonin e mëposhtëm. Pas krijimit të një profili, mund të klikoni butonin e pranimit të ftesës në këtë email për të pranuar ftesën e ekipit:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Nëse keni probleme me klikimin e butonit \"104text\", kopjoni dhe ngjiteni URL-në e mëposhtme\nnë shfletuesin tënd të internetit:", - "Increase": "Rrit", - "India": "India", - "Indonesia": "Indonezia", "Invalid signature.": "Firmë e pavlefshme.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Irak", - "Ireland": "Irlanda", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Ishulli I Njeriut", - "Israel": "Izrael", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Itali", - "Jamaica": "Xhamajka", - "January": "Janar", - "Japan": "Japonia", - "Jersey": "Xhersi", - "Jordan": "Jordan", - "July": "Korrik", - "June": "Qershor", - "Kazakhstan": "Kazakistani", - "Kenya": "Kenia", - "Key": "Kyçi", - "Kiribati": "Kiribati", - "Korea": "Koreja E Jugut", - "Korea, Democratic People's Republic of": "Korea E Veriut", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosova", - "Kuwait": "Kuvajti", - "Kyrgyzstan": "Kirkizstan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Aktivi i fundit", - "Last used": "Përdorur së fundmi", - "Latvia": "Letonia", - "Leave": "Largohu.", - "Leave Team": "Lëre Ekipin", - "Lebanon": "Libanez", - "Lens": "Lente", - "Lesotho": "Lesoto", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libia", - "Liechtenstein": "Lihtenstein", - "Lithuania": "Lituania", - "Load :perPage More": "Ngarko :perPage Më Shumë", - "Log in": "Fillo seancën", "Log out": "Zvogëlo", - "Log Out": "Zvogëlo", - "Log Out Other Browser Sessions": "Zgjidh Seancat E Tjera Të Shfletimit", - "Login": "Futu", - "Logout": "Dalja", "Logout Other Browser Sessions": "Fut Seanca Të Tjera Shfletimi", - "Luxembourg": "Luksemburg", - "Macao": "Macao", - "Macedonia": "Maqedonia E Veriut", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagaskar", - "Malawi": "Malaui", - "Malaysia": "Malaysia", - "Maldives": "Maldives", - "Mali": "E vogël", - "Malta": "Malta", - "Manage Account": "Profili", - "Manage and log out your active sessions on other browsers and devices.": "Menaxho dhe regjistro seancat tuaja aktive në shfletues dhe pajisje të tjera.", "Manage and logout your active sessions on other browsers and devices.": "Menaxho dhe dil nga seancat tuaja aktive në shfletues dhe pajisje të tjera.", - "Manage API Tokens": "Menaxho Argumentet API", - "Manage Role": "Roli", - "Manage Team": "Ekipi", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Mars", - "Marshall Islands": "Ishujt Marshall", - "Martinique": "Martinique", - "Mauritania": "Mauritania", - "Mauritius": "Mauritius", - "May": "Maj", - "Mayotte": "Mayotte", - "Mexico": "Meksikë", - "Micronesia, Federated States Of": "Mikronezia", - "Moldova": "Moldavia", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monako", - "Mongolia": "Mongolia", - "Montenegro": "Mali i zi", - "Month To Date": "Muaji Për Datën", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Maroko", - "Mozambique": "Mozambik", - "Myanmar": "Myanmar", - "Name": "Emri", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Hollanda", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Lëre fare", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "E re", - "New :resource": "E re :resource", - "New Caledonia": "Maqedoni E Re", - "New Password": "Fjalëkalimi I Ri", - "New Zealand": "Zelanda E Re", - "Next": "Vazhdo", - "Nicaragua": "Nikaragua", - "Niger": "Niger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "Jo", - "No :resource matched the given criteria.": "Asnjë :resource nuk përputhet me kriteret e dhëna.", - "No additional information...": "Asnjë informacion shtesë...", - "No Current Data": "Asnjë E Dhënë Aktuale", - "No Data": "Asnjë E Dhënë", - "no file selected": "nuk është zgjedhur asnjë file", - "No Increase": "Pa Rritje", - "No Prior Data": "Jo Të Dhëna Paraardhëse", - "No Results Found.": "Nuk U Gjet Asnjë Rezultat.", - "Norfolk Island": "Ishulli Norfolk", - "Northern Mariana Islands": "Ishujt Mariana Veriore", - "Norway": "Norvegji", "Not Found": "Nuk U Gjet", - "Nova User": "Përdorues I Ri", - "November": "Nëntor", - "October": "Tetor", - "of": "nga", "Oh no": "Oh jo.", - "Oman": "Oman", - "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.": "Sapo një ekip të eleminohet, të gjitha burimet dhe të dhënat e tij do të fshihen përgjithmonë. Para se të eleminoni këtë ekip, ju lutem shkarkoni çdo të dhënë apo informacion në lidhje me këtë ekip që dëshironi të mbani.", - "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.": "Pasi të eleminohet llogaria juaj, të gjitha burimet dhe të dhënat e saj do të fshihen përgjithmonë. Para se të eleminoni llogarinë tuaj, shkarkoni çdo të dhënë apo informacion që dëshironi të mbani.", - "Only Trashed": "Është Shkatërruar.", - "Original": "Orgjinali", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Faqja Ka Skaduar", "Pagination Navigation": "Lundrimi I Faqes", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Territoret Palestineze", - "Panama": "Panama", - "Papua New Guinea": "Papuazi Guinea E Re", - "Paraguay": "Paraguaj", - "Password": "Fjalëkalimi", - "Pay :amount": "Paguaj :amount", - "Payment Cancelled": "Pagesa U Anullua", - "Payment Confirmation": "Konfirmimi I Pagesës", - "Payment Information": "Payment Information", - "Payment Successful": "Pagesa Me Sukses", - "Pending Team Invitations": "Në Pritje", - "Per Page": "Faqe", - "Permanently delete this team.": "Elemino përgjithmonë këtë ekip.", - "Permanently delete your account.": "Elemino përgjithmonë llogarinë tënde.", - "Permissions": "Të drejtat", - "Peru": "Peru", - "Philippines": "Filipinet", - "Photo": "Foto", - "Pitcairn": "Ishujt Pitcairn", "Please click the button below to verify your email address.": "Ju lutem kliko butonin e mëposhtëm për të verifikuar adresën tuaj email.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Ju lutem konfirmoni hyrjen në llogarinë tuaj duke hyrë në një nga kodet e shërimit të emergjencës.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Ju lutem konfirmoni hyrjen në llogarinë tuaj duke hyrë në kodin e autentifikimit dhënë nga programi juaj i autentifikimit.", "Please confirm your password before continuing.": "Ju lutem konfirmoni fjalëkalimin tuaj para se të vazhdoni.", - "Please copy your new API token. For your security, it won't be shown again.": "Kopjo token E re API. Për sigurinë tuaj, nuk do të shfaqet më.", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Ju lutem shkruani fjalëkalimin për të konfirmuar që dëshironi të dilni nga seancat e tjera të shfletimit nëpër të gjitha pajisjet tuaja.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Ju lutem shkruani fjalëkalimin për të konfirmuar që dëshironi të dilni nga seancat e tjera të shfletimit nëpër të gjitha pajisjet tuaja.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "Please provide the email address of the person you would like to add to this team.": "Ju lutem jepni adresën email të personit që dëshironi t'i shtoni këtij ekipi.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Ju lutem jepni adresën email të personit që dëshironi t'i shtoni këtij ekipi. Adresa email duhet të shoqërohet me një profil ekzistues.", - "Please provide your name.": "Të lutem, shkruaj emrin tënd.", - "Poland": "Polonia", - "Portugal": "Portugali", - "Press \/ to search": "Shtyp \/ për të kërkuar", - "Preview": "Pamja e parë", - "Previous": "Paraardhëse", - "Privacy Policy": "Politika E Privatësisë", - "Profile": "Profili", - "Profile Information": "Informacione Profili", - "Puerto Rico": "Puerto Riko", - "Qatar": "Qatar", - "Quarter To Date": "Çerek Deri Më", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Kodi I Rikuperimit", "Regards": "Të fala", - "Regenerate Recovery Codes": "Rigjenero Kodet E Rimëkëmbjes", - "Register": "I regjistruar", - "Reload": "Rilexo", - "Remember me": "Më kujto.", - "Remember Me": "Më Kujto.", - "Remove": "Hiq", - "Remove Photo": "Hiqni Foto", - "Remove Team Member": "Hiq", - "Resend Verification Email": "Dërgo E-Mail Verifikimi", - "Reset Filters": "Nga Fillimi Filtrat", - "Reset Password": "_nga Fillimi Fjalëkalimin", - "Reset Password Notification": "Rikthe Njoftimin E Fjalëkalimit", - "resource": "burimi", - "Resources": "Gjëndja", - "resources": "gjëndja", - "Restore": "Rikthe", - "Restore Resource": "Rikthe Gjëndjen", - "Restore Selected": "Rikthe Të Zgjedhurin", "results": "rezultatet", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Mbledhje", - "Role": "Roli", - "Romania": "Rumania", - "Run Action": "Ekzekuto", - "Russian Federation": "Federata Ruse", - "Rwanda": "Ruanda", - "Réunion": "Réunion", - "Saint Barthelemy": "St. Bartelemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Shën Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "St. Kitts dhe Nevis", - "Saint Lucia": "Shën Lusia", - "Saint Martin": "St. Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "Shën Pjer dhe Miquelon", - "Saint Vincent And Grenadines": "St. Vincent dhe Granadines", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "Sao Tome Dhe Principe", - "Saudi Arabia": "Arabia Saudite", - "Save": "Ruaj", - "Saved.": "Shpëtova.", - "Search": "Kërko", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Zgjidh Një Foto Të Re", - "Select Action": "Zgjidh Veprimin", - "Select All": "Zgjidh Gjithçka", - "Select All Matching": "Zgjidh Gjithçka", - "Send Password Reset Link": "Dërgo Fjalëkalimin Nga Fillimi Lidhja", - "Senegal": "Senegal", - "September": "Shtator", - "Serbia": "Serbia", "Server Error": "Gabim I Serverit", "Service Unavailable": "Ssl Jo Në Dispozicion", - "Seychelles": "Seychelle", - "Show All Fields": "Shfaq Të Gjitha Fushat", - "Show Content": "Shfaq Përmbajtjen", - "Show Recovery Codes": "Shfaq Kodet E Rimëkëmbjes", "Showing": "Shfaq", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapore", - "Sint Maarten (Dutch part)": "Sint Marten", - "Slovakia": "Sllovakia", - "Slovenia": "Sllovenia", - "Solomon Islands": "Ishujt Solomon", - "Somalia": "Somalia", - "Something went wrong.": "Diçka shkoi keq.", - "Sorry! You are not authorized to perform this action.": "Më fal! Nuk jeni i autorizuar të kryeni këtë veprim.", - "Sorry, your session has expired.": "Më vjen keq, seanca juaj ka skaduar.", - "South Africa": "Afrika E Jugut", - "South Georgia And Sandwich Isl.": "Gjeorgjia jugore dhe Ishujt E Sanduiceve", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Sudan Jugor", - "Spain": "Spanja", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Fillo Votimin", - "State \/ County": "State \/ County", - "Stop Polling": "Ndalo Votimin", - "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.": "Magazinoni këto kode të shërimit në një menaxhues fjalëkalimesh të sigurt. Mund të përdoren për të rikuperuar hyrjen në llogarinë tuaj nëse dy faktori juaj i autentifikimit ka humbur.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard dhe Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Suedisht", - "Switch Teams": "Kalo Ekipet", - "Switzerland": "Zvicër", - "Syrian Arab Republic": "Siri", - "Taiwan": "Taivan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Taxhikistan", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Detajet E Ekipit", - "Team Invitation": "Ftesa E Ekipit", - "Team Members": "Anëtarë Të Ekipit", - "Team Name": "Emri I Ekipit", - "Team Owner": "Pronari I Ekipit", - "Team Settings": "Rregullimet E Ekipit", - "Terms of Service": "Kushtet E Shërbimit", - "Thailand": "Tailandë", - "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.": "Faleminderit që u rregjistrove! Para se të fillonim, mund të verifikonit adresën tuaj email duke klikuar mbi lidhjen që sapo ju dërguam? Nëse nuk e keni marrë e-mailin, ne me kënaqësi do t'ju dërgojmë një tjetër.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "Nr. :attribute duhet të jetë një rol i vlefshëm.", - "The :attribute must be at least :length characters and contain at least one number.": ":attribute duhet të jenë së paku :length karaktere dhe përmbajnë të paktën një numër.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute duhet të jetë së paku :length shkronja dhe përmban të paktën një karakter të veçantë dhe një numër.", - "The :attribute must be at least :length characters and contain at least one special character.": ":attribute duhet të jenë të paktën :length karaktere dhe përmbajnë të paktën një karakter të veçantë.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute duhet të jetë së paku :length shkronja dhe të përmbajë të paktën një kërkesë dhe një numër.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute duhet të jetë të paktën :length shkronja dhe të përmbajë të paktën një karakter nga kaza dhe një karakter të veçantë.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute duhet të jenë të paktën :length karaktere dhe përmbajnë të paktën një krik, një numër dhe një karakter të veçantë.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute duhet të jenë të paktën :length shkronja dhe të përmbajnë të paktën një kërkesë nga baza.", - "The :attribute must be at least :length characters.": ":attribute duhet të jetë së paku :length karaktere.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource u krijua!", - "The :resource was deleted!": ":resource-shi u eleminua!", - "The :resource was restored!": ":resource u rivendos!", - "The :resource was updated!": ":resource u përditësua!", - "The action ran successfully!": "Veprimi u zhvillua me sukses!", - "The file was deleted!": "File u eleminua!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Qeveria nuk do të na lejojë të të tregojmë se çfarë ka pas këtyre dyerve.", - "The HasOne relationship has already been filled.": "Marrëdhënia E HasOne është mbushur tashmë.", - "The payment was successful.": "Pagesa ishte e suksesshme.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Fjalëkalimi i dhënë nuk përputhet me fjalëkalimin tuaj aktual.", - "The provided password was incorrect.": "Fjalëkalimi i dhënë ishte i gabuar.", - "The provided two factor authentication code was invalid.": "Kodi i autentifikimit i dhënë prej dy faktorëve ishte i pavlefshëm.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Burimi u përditësua!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Emri dhe informacioni i ekipit.", - "There are no available options for this resource.": "Asnjë mundësi në dispozicion për këtë burim.", - "There was a problem executing the action.": "Pati një problem ekzekutimin e veprimit.", - "There was a problem submitting the form.": "Kishte një problem për paraqitjen e formës.", - "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.": "Këta njerëz janë ftuar në skuadrën tuaj dhe janë dërguar një e-mail me ftesë. Ata mund të bashkohen me ekipin duke pranuar ftesën e postës elektronike.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Ky veprim është i paautorizuar.", - "This device": "Ky dispozitiv", - "This file field is read-only.": "Kjo fushë file është vetëm në lexim.", - "This image": "Kjo figurë", - "This is a secure area of the application. Please confirm your password before continuing.": "Kjo është zonë e sigurt e aplikimit. Ju lutem konfirmoni fjalëkalimin tuaj para se të vazhdoni.", - "This password does not match our records.": "Ky fjalëkalim nuk përputhet me të dhënat tona.", "This password reset link will expire in :count minutes.": "Ky fjalëkalim i rishkruar lidhja do të skadojë në :count minuta.", - "This payment was already successfully confirmed.": "Kjo pagesë u konfirmua me sukses.", - "This payment was cancelled.": "Kjo pagesë u anullua.", - "This resource no longer exists": "Ky burim nuk ekziston më", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Ky përdorues i përket skuadrës.", - "This user has already been invited to the team.": "Ky përdorues është ftuar në skuadër.", - "Timor-Leste": "Timor-Leste", "to": "për", - "Today": "Sot", "Toggle navigation": "Pulsant me dy gjëndje", - "Togo": "Së bashku", - "Tokelau": "Tokelau", - "Token Name": "Emri I Token", - "Tonga": "Eja", "Too Many Attempts.": "Shumë Përpjekje.", "Too Many Requests": "Tepër Kërkesa", - "total": "gjithsej", - "Total:": "Total:", - "Trashed": "Është shkatërruar.", - "Trinidad And Tobago": "Trinidad dhe Tobago", - "Tunisia": "Tunizi", - "Turkey": "Turqia", - "Turkmenistan": "Turkmenia", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Turqit dhe Ishujt Kaikos", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Identifikimi Dështoi", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Dy faktor autentifikimi është aktivizuar tani. Skano kodin në vazhdim QR duke përdorur programin e autentifikimit të telefonit tuaj.", - "Uganda": "Uganda", - "Ukraine": "Ukrainë", "Unauthorized": "I paautorizuar", - "United Arab Emirates": "Emiratet E Bashkuara Arabe", - "United Kingdom": "Mbretëria E Bashkuar", - "United States": "Shtetet E Bashkuara", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "SH. B. A.", - "Update": "Rifresko", - "Update & Continue Editing": "Rifresko & Vazhdo Shkrimin", - "Update :resource": "Rifresko :resource", - "Update :resource: :title": "Rifresko :resource: :title", - "Update attached :resource: :title": "Rifresko i bashkangjitur :resource: :title", - "Update Password": "Rifresko Fjalëkalimin", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Përditëso informacionet dhe adresën email të profilit tuaj.", - "Uruguay": "Uruguay", - "Use a recovery code": "Përdor një kod rekuperimi", - "Use an authentication code": "Përdor një kod autentikimi", - "Uzbekistan": "Uzbekistan", - "Value": "Vlera", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Verifiko Adresën Email", "Verify Your Email Address": "Verifiko Adresën Tuaj Email", - "Viet Nam": "Vietnam", - "View": "Shfaq", - "Virgin Islands, British": "Ishujt E Virgjër Britanike", - "Virgin Islands, U.S.": "Ishujt E Virgjër TË SHBA-Së", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Uollis dhe Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "E pamundur gjetja e përdoruesit të regjistruar me këtë adresë email.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Nuk do ta kërkojmë më fjalëkalimin tënd për disa orë.", - "We're lost in space. The page you were trying to view does not exist.": "Kemi humbur në hapësirë. Faqja që u përpoqët të shikonit nuk ekziston.", - "Welcome Back!": "Mirë Se U Ktheve!", - "Western Sahara": "Sahara Perëndimore", - "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.": "Kur dy faktor autentifikimi të jetë aktivizuar, do t'ju kërkohet një token e sigurt dhe të rastit gjatë autentifikimit. Mund të merrni këtë dhuratë nga programi Autentifikues I Google-it tuaj.", - "Whoops": "Ups", - "Whoops!": "Ups!", - "Whoops! Something went wrong.": "Ups! Diçka shkoi keq.", - "With Trashed": "Me Rrëmujë.", - "Write": "Shkruaj", - "Year To Date": "Data", - "Yearly": "Yearly", - "Yemen": "Jemeni", - "Yes": "Po.", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Jeni futur!", - "You are receiving this email because we received a password reset request for your account.": "Po e dëgjoni këtë email sepse kemi marrë një fjalëkalim për llogarinë tuaj.", - "You have been invited to join the :team team!": "Jeni ftuar të bashkoheni me ekipin :team!", - "You have enabled two factor authentication.": "Keni aktivizuar dy faktor autentifikimi.", - "You have not enabled two factor authentication.": "Nuk keni aktivuar dy faktor autentifikimi.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "Mund të fshish ndonjë nga argumentet e tua ekzistuese nëse nuk janë më të nevojshme.", - "You may not delete your personal team.": "Ju nuk mund të fshini ekipin tuaj personal.", - "You may not leave a team that you created.": "Ju nuk mund të lënë një ekip që ju krijoi.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Adresa juaj email nuk është verifikuar.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabve", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Adresa juaj email nuk është verifikuar." } diff --git a/locales/sr_Cyrl/packages/cashier.json b/locales/sr_Cyrl/packages/cashier.json new file mode 100644 index 00000000000..b5e4d449a2c --- /dev/null +++ b/locales/sr_Cyrl/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Сва права задржана.", + "Card": "Карта", + "Confirm Payment": "Потврдите Плаћање", + "Confirm your :amount payment": "Потврдите уплату :amount", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "За обраду плаћања потребна је додатна потврда. Молимо потврдите уплату попуњавањем детаља о плаћању испод.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "За обраду плаћања потребна је додатна потврда. Молимо идите на страницу за плаћање кликом на дугме испод.", + "Full name": "Пуно име", + "Go back": "Повратак", + "Jane Doe": "Jane Doe", + "Pay :amount": "Плаћање :amount", + "Payment Cancelled": "Плаћање Је Отказано", + "Payment Confirmation": "Потврда плаћања", + "Payment Successful": "Исплата Је Била Успешна", + "Please provide your name.": "Molim vas, dajte mi svoje ime.", + "The payment was successful.": "Плаћање је прошла успешно.", + "This payment was already successfully confirmed.": "Ова уплата је већ успешно потврђена.", + "This payment was cancelled.": "Та уплата је отказана." +} diff --git a/locales/sr_Cyrl/packages/fortify.json b/locales/sr_Cyrl/packages/fortify.json new file mode 100644 index 00000000000..5d1a431eda0 --- /dev/null +++ b/locales/sr_Cyrl/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 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 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.": ":attribute мора бити најмање :length карактера.", + "The provided password does not match your current password.": "Унели сте лозинку која се не поклапа са Вашом лозинком.", + "The provided password was incorrect.": "Унета лозинка није тачна.", + "The provided two factor authentication code was invalid.": "Код за двофакторску аутентификацију није валидан." +} diff --git a/locales/sr_Cyrl/packages/jetstream.json b/locales/sr_Cyrl/packages/jetstream.json new file mode 100644 index 00000000000..931f0c082eb --- /dev/null +++ b/locales/sr_Cyrl/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Нови верификациони линк је послат на Вашу е-маил адресу коју сте унели у току регистрације.", + "Accept Invitation": "Прихватите Позивницу", + "Add": "Додај", + "Add a new team member to your team, allowing them to collaborate with you.": "Додај новог члана тима у твој тим, дозвољавајући му да ради са тобом.", + "Add additional security to your account using two factor authentication.": "Додај додатну сигурност твој налогу тако сто ћес користити аутентификацију у два корака.", + "Add Team Member": "Додај новог члана тима.", + "Added.": "Додато.", + "Administrator": "Администратор", + "Administrator users can perform any action.": "Администраторски корисници могу обављати било коју радњу.", + "All of the people that are part of this team.": "Сви људи који су део овог тима.", + "Already registered?": "Већ сте регистровани?", + "API Token": "АПИ Токен", + "API Token Permissions": "Дозволе АПИ токена", + "API Tokens": "АПИ Токени", + "API tokens allow third-party services to authenticate with our application on your behalf.": "АПИ токен омогућава услугама независних произвођача да се аутентификују помоћу наше апликације у ваше име.", + "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 delete this API token?": "Да ли сте сигурни да желите да избришете овај АПИ токен?", + "Are you sure you would like to leave this team?": "Да ли сте сигурни да бисте желели да напустите овај тим?", + "Are you sure you would like to remove this person from the team?": "Да ли сте сигурни да желите да уклоните ову особу из тима?", + "Browser Sessions": "Сесије wеб прегледача", + "Cancel": "Откажи", + "Close": "Затвори", + "Code": "Код", + "Confirm": "Потврди", + "Confirm Password": "Потврдите лозинку", + "Create": "Креирај", + "Create a new team to collaborate with others on projects.": "Направите нови тим за сарадњу са другима на пројектима.", + "Create Account": "Креирајте налог", + "Create API Token": "Направите АПИ Токен", + "Create New Team": "Направите нови тим", + "Create Team": "Направи тим", + "Created.": "Креирано.", + "Current Password": "Тренутна лозинка", + "Dashboard": "Контролна табла", + "Delete": "Брисање", + "Delete Account": "Избриши налог", + "Delete API Token": "Обриши АПИ Токен", + "Delete Team": "Обриши тим", + "Disable": "Деактивирај", + "Done.": "Готово.", + "Editor": "Уредник", + "Editor users have the ability to read, create, and update.": "Корисници уређивача имају могућност читања, креирања и ажурирања.", + "Email": "Емаил", + "Email Password Reset Link": "Линк ка мејлу за ресет лозинке", + "Enable": "Активирај", + "Ensure your account is using a long, random password to stay secure.": "Уверите се да налог користи дугу насумичну лозинку да бисте били сигурни.", + "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.": "Заборавили сте лозинку? Нема проблема. Само нам реците Вашу емаил адресу и ми ћемо Вам послати линк за ресет лозинке на Ваш мејл који ће Вам омогућити да изаберете нову лозинку.", + "Great! You have accepted the invitation to join the :team team.": "Odlièno! Прихватили сте позив да се придружите тиму :team.", + "I agree to the :terms_of_service and :privacy_policy": "Слажем се са :terms_оф_сервице и :privacy_полици", + "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 you already have an account, you may accept this invitation by clicking the button below:": "Ако већ имате налог, можете прихватити овај позив кликом на дугме испод:", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "Ако немате налог, можете га креирати кликом на дугме испод. Након што отворите налог, можете да кликнете на дугме за прихватање позива у тој е-пошти да бисте прихватили позив тима:", + "Last active": "Последњи пут активан", + "Last used": "Последње коришћен", + "Leave": "Напусти", + "Leave Team": "Напусти тим", + "Log in": "Пријавите", + "Log Out": "одјавите се", + "Log Out Other Browser Sessions": "Одјавите Се Са Других Сесија Прегледача", + "Manage Account": "Управљај налогом", + "Manage and log out your active sessions on other browsers and devices.": "Управљајте активним сесијама и одјавите их у другим прегледачима и уређајима.", + "Manage API Tokens": "Управљање АПИ токенима", + "Manage Role": "Управљај ролом", + "Manage Team": "Управљај тимом", + "Name": "Име", + "New Password": "Нова лозинка", + "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 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.": "Једном када се ваш налог избрише, сви његови ресурси и подаци биће трајно избрисани. Пре брисања налога, преузмите све податке или информације које желите да задржите.", + "Password": "Лозинка", + "Pending Team Invitations": "Чекајући Позивнице Тима", + "Permanently delete this team.": "Трајно избриши овај тим.", + "Permanently delete your account.": "Трајно избришите свој налог.", + "Permissions": "Дозволе", + "Photo": "Слика", + "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 copy your new API token. For your security, it won't be shown again.": "Копирајте свој нови АПИ токен. Због ваше сигурности неће се поново приказивати.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Унесите лозинку да бисте потврдили да желите да се одјавите са других сесија прегледача на свим својим уређајима.", + "Please provide the email address of the person you would like to add to this team.": "Молимо наведите адресу е-поште особе коју желите да додате овој наредби.", + "Privacy Policy": "политика приватности", + "Profile": "Профил", + "Profile Information": "Информације о профилу", + "Recovery Code": "Код за повраћај налога", + "Regenerate Recovery Codes": "Обновите кодове за опоравак", + "Register": "Регистрација", + "Remember me": "Запамти ме", + "Remove": "Уклони", + "Remove Photo": "Обриши слику", + "Remove Team Member": "Уклоните члана тима", + "Resend Verification Email": "Поново пошаљи верификациони мејл", + "Reset Password": "Ресетуј лозинку", + "Role": "Рола", + "Save": "Сачувај", + "Saved.": "Сачувано.", + "Select A New Photo": "Изабери нову слику", + "Show Recovery Codes": "Прикажи кодове за опоравак", + "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.": "Чувајте ове кодове за опоравак у сигурном менаџеру лозинки. Могу се користити за опоравак приступа вашем налогу ако се изгуби двофакторски уређај за потврду идентитета.", + "Switch Teams": "Промени тим", + "Team Details": "Детаљи тима", + "Team Invitation": "Позив за тим", + "Team Members": "Чланови тима", + "Team Name": "Име тиме", + "Team Owner": "Власник тима", + "Team Settings": "Подешавање тима", + "Terms of Service": "услови услуге", + "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 a valid role.": ":attribute мора бити валидна рола.", + "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 and 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 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 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.": ":attribute мора бити најмање :length карактера.", + "The provided password does not match your current password.": "Унели сте лозинку која се не поклапа са Вашом лозинком.", + "The provided password was incorrect.": "Унета лозинка није тачна.", + "The provided two factor authentication code was invalid.": "Код за двофакторску аутентификацију није валидан.", + "The team's name and owner information.": "Информације о имену тима и власнику.", + "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.": "Ови људи су позвани у ваш тим и добили су позивницу путем е-поште. Они се могу придружити тиму прихватањем позива путем е-поште.", + "This device": "Овај уређај", + "This is a secure area of the application. Please confirm your password before continuing.": "Ово је сигурно подручје апликације. Молимо потврдите лозинку пре него што наставите.", + "This password does not match our records.": "Лозинка се не поклапа са нашом базом.", + "This user already belongs to the team.": "Овај корисник већ припада овом тиму.", + "This user has already been invited to the team.": "Овај корисник је већ позван у тим.", + "Token Name": "Име токена", + "Two Factor Authentication": "Двофакторска аутентификација", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Двофакторска аутентификација је сада омогућена. Скенирајте следећи QR код помоћу апликације за аутентификацију вашег телефона.", + "Update Password": "Ажурирај лозинку", + "Update your account's profile information and email address.": "Ажурирајте информације о профилу налога и адресу е-поште.", + "Use a recovery code": "Користи код за повратак налога", + "Use an authentication code": "Користи код за аутентификацију налога", + "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.": "Када је омогућена двостепена потврда идентитета, од вас ће се тражити сигуран, случајни токен током потврде идентитета. Овај токен можете да преузмете из апликације Гоогле Аутхентицатор на телефону.", + "Whoops! Something went wrong.": "Упс! Нешто није у реду.", + "You have been invited to join the :team team!": "Позвани сте да се придружите тиму :team!", + "You have enabled two factor authentication.": "Омогућили сте двофакторску потврду идентитета.", + "You have not enabled two factor authentication.": "Нисте омогућили двофакторску потврду идентитета.", + "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.": "Не можете напустити тим који сте Ви креирали." +} diff --git a/locales/sr_Cyrl/packages/nova.json b/locales/sr_Cyrl/packages/nova.json new file mode 100644 index 00000000000..0e1adf18832 --- /dev/null +++ b/locales/sr_Cyrl/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 дана", + "60 Days": "60 дана", + "90 Days": "90 дана", + ":amount Total": "Укупно :amount", + ":resource Details": ":resource делова", + ":resource Details: :title": ":resource детаљи: :title", + "Action": "Акција", + "Action Happened At": "Догодило Се У", + "Action Initiated By": "Иницирано", + "Action Name": "Име", + "Action Status": "Статус", + "Action Target": "Циљ", + "Actions": "Акције", + "Add row": "Додајте линију", + "Afghanistan": "Авганистан", + "Aland Islands": "Оландска Острва", + "Albania": "Албанија", + "Algeria": "Алжир", + "All resources loaded.": "Сви ресурси су учитани.", + "American Samoa": "Америчка Самоа", + "An error occured while uploading the file.": "Дошло је до грешке приликом преузимања датотеке.", + "Andorra": "Андора", + "Angola": "Ангола", + "Anguilla": "Ангвила", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Други корисник је ажурирао овај ресурс од учитавања ове странице. Молимо ажурирајте страницу и покушајте поново.", + "Antarctica": "Антарктика", + "Antigua And Barbuda": "Антигва и Барбуда", + "April": "Април", + "Are you sure you want to delete the selected resources?": "Јесте ли сигурни да желите уклонити одабране ресурсе?", + "Are you sure you want to delete this file?": "Јесте ли сигурни да желите да избришете ову датотеку?", + "Are you sure you want to delete this resource?": "Јесте ли сигурни да желите да избришете овај ресурс?", + "Are you sure you want to detach the selected resources?": "Јесте ли сигурни да желите одвојити одабране ресурсе?", + "Are you sure you want to detach this resource?": "Јесте ли сигурни да желите да одвојите овај ресурс?", + "Are you sure you want to force delete the selected resources?": "Јесте ли сигурни да желите присилно уклонити одабране ресурсе?", + "Are you sure you want to force delete this resource?": "Јесте ли сигурни да желите да присилно уклоните овај ресурс?", + "Are you sure you want to restore the selected resources?": "Да ли сте сигурни да желите да вратите одабране ресурсе?", + "Are you sure you want to restore this resource?": "Јесте ли сигурни да желите да вратите овај ресурс?", + "Are you sure you want to run this action?": "Јесте ли сигурни да желите да покренете ову акцију?", + "Argentina": "Аргентина", + "Armenia": "Јерменија", + "Aruba": "Аруба", + "Attach": "Приложити", + "Attach & Attach Another": "Причврстите и причврстите још један", + "Attach :resource": "Приложите :resource", + "August": "Август", + "Australia": "Аустралија", + "Austria": "Аустрија", + "Azerbaijan": "Азербејџан", + "Bahamas": "Бахами", + "Bahrain": "Бахреин", + "Bangladesh": "Бангладеш", + "Barbados": "Барбадос", + "Belarus": "Белорусија", + "Belgium": "Белгија", + "Belize": "Белизе", + "Benin": "Бенин", + "Bermuda": "Бермуда", + "Bhutan": "Бутан", + "Bolivia": "Боливија", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sabbath", + "Bosnia And Herzegovina": "Босна и Херцеговина", + "Botswana": "Боцвана", + "Bouvet Island": "Острво Буве", + "Brazil": "Бразил", + "British Indian Ocean Territory": "Британска територија Индијског океана", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Бугарска", + "Burkina Faso": "Буркина Фасо", + "Burundi": "Бурунди", + "Cambodia": "Камбоџа", + "Cameroon": "Камерун", + "Canada": "Канада", + "Cancel": "Откажи", + "Cape Verde": "Зеленортска Острва", + "Cayman Islands": "Кајманска острва", + "Central African Republic": "Централноафричка Република", + "Chad": "Чад", + "Changes": "Промене", + "Chile": "Чиле", + "China": "Кина", + "Choose": "Изабрати", + "Choose :field": "Изаберите :field", + "Choose :resource": "Изаберите :resource", + "Choose an option": "Изаберите опцију", + "Choose date": "Изаберите датум", + "Choose File": "Изаберите Датотеку", + "Choose Type": "Изаберите Тип", + "Christmas Island": "Божићно Острво", + "Click to choose": "Кликните да бисте изабрали", + "Cocos (Keeling) Islands": "Кокос (Килинг) Острва", + "Colombia": "Колумбија", + "Comoros": "Комори", + "Confirm Password": "Потврдите лозинку", + "Congo": "Конго", + "Congo, Democratic Republic": "Конго, Демократска Република", + "Constant": "Стални", + "Cook Islands": "Кукова Острва", + "Costa Rica": "Костарика", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "nije uspeo da ga naðe.", + "Create": "Креирај", + "Create & Add Another": "Креирајте и додајте још један", + "Create :resource": "Креирајте :resource", + "Croatia": "Хрватска", + "Cuba": "Куба", + "Curaçao": "Цурацао", + "Customize": "Прилагодите", + "Cyprus": "Кипар", + "Czech Republic": "Чешка", + "Dashboard": "Контролна табла", + "December": "Децембар", + "Decrease": "Смањите", + "Delete": "Брисање", + "Delete File": "Избришите датотеку", + "Delete Resource": "Уклоните ресурс", + "Delete Selected": "Уклонили", + "Denmark": "Данска", + "Detach": "Искључите", + "Detach Resource": "Искључите ресурс", + "Detach Selected": "Искључите Изабрани", + "Details": "Детаљи", + "Djibouti": "Џибути", + "Do you really want to leave? You have unsaved changes.": "Stvarno želiš da odeš? Имате неспремљене промене.", + "Dominica": "Недеља", + "Dominican Republic": "Доминиканска Република", + "Download": "Преузимање", + "Ecuador": "Еквадор", + "Edit": "Уреди", + "Edit :resource": "Измена :resource", + "Edit Attached": "Уређивање Је Приложено", + "Egypt": "Египат", + "El Salvador": "Спаситељ", + "Email Address": "адреса е-поште", + "Equatorial Guinea": "Екваторијална Гвинеја", + "Eritrea": "Еритреја", + "Estonia": "Естонија", + "Ethiopia": "Етиопија", + "Falkland Islands (Malvinas)": "Фокландска Острва (Ислас Малвинас) )", + "Faroe Islands": "Фарска Острва", + "February": "Фебруар", + "Fiji": "Фиџи", + "Finland": "Финска", + "Force Delete": "Присилно уклањање", + "Force Delete Resource": "Присилно уклањање ресурса", + "Force Delete Selected": "Присилно Уклањање Изабраног", + "Forgot Your Password?": "Заборавили сте лозинку?", + "Forgot your password?": "Заборавили сте лозинку?", + "France": "Француска", + "French Guiana": "Француска Гвајана", + "French Polynesia": "Француска Полинезија", + "French Southern Territories": "Tj", + "Gabon": "Габон", + "Gambia": "Гамбија", + "Georgia": "Грузија", + "Germany": "Немачка", + "Ghana": "Гана", + "Gibraltar": "Гибралтар", + "Go Home": "Иди на почетну", + "Greece": "Грчка", + "Greenland": "Гренланд", + "Grenada": "Гренада", + "Guadeloupe": "Гваделуп", + "Guam": "Гуам", + "Guatemala": "Гватемала", + "Guernsey": "Гернзи", + "Guinea": "Гвинеја", + "Guinea-Bissau": "Гвинеја Бисао", + "Guyana": "Гвајана", + "Haiti": "Хаити", + "Heard Island & Mcdonald Islands": "Острва Херд и Мекдоналд", + "Hide Content": "Сакриј садржај", + "Hold Up!": "- Погоди!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Хондурас", + "Hong Kong": "Hong Kong", + "Hungary": "Мађарска", + "Iceland": "Исланд", + "ID": "ИД", + "If you did not request a password reset, no further action is required.": "Уколико нисте захтевали промену лозинке, није потребно да предузимате даље кораке.", + "Increase": "Повећање", + "India": "Индија", + "Indonesia": "Индонезија", + "Iran, Islamic Republic Of": "Иран", + "Iraq": "Ирак", + "Ireland": "Ирска", + "Isle Of Man": "Острво Ман", + "Israel": "Израел", + "Italy": "Италија", + "Jamaica": "Јамајка", + "January": "Јануар", + "Japan": "Јапан", + "Jersey": "Џерси", + "Jordan": "Јордан", + "July": "Јул", + "June": "Јун", + "Kazakhstan": "Казахстан", + "Kenya": "Кенија", + "Key": "Кључ", + "Kiribati": "Кирибати", + "Korea": "Јужна Кореја", + "Korea, Democratic People's Republic of": "Северна Кореја", + "Kosovo": "Косово", + "Kuwait": "Кувајт", + "Kyrgyzstan": "Киргистан", + "Lao People's Democratic Republic": "Лаос", + "Latvia": "Летонија", + "Lebanon": "Либан", + "Lens": "Објектив", + "Lesotho": "Лесото", + "Liberia": "Либерија", + "Libyan Arab Jamahiriya": "Либија", + "Liechtenstein": "Лихтенштајн", + "Lithuania": "Литванија", + "Load :perPage More": "Преузмите још :per страница", + "Login": "Пријава", + "Logout": "Одјава", + "Luxembourg": "Luxembourg", + "Macao": "Макао", + "Macedonia": "Северна Македонија", + "Madagascar": "Мадагаскар", + "Malawi": "Малави", + "Malaysia": "Малезија", + "Maldives": "Малдиви", + "Mali": "Мали", + "Malta": "Малта", + "March": "Март", + "Marshall Islands": "Маршалска Острва", + "Martinique": "Мартиник", + "Mauritania": "Мауританија", + "Mauritius": "Маурицијус", + "May": "Мај", + "Mayotte": "Мајот", + "Mexico": "Мексико", + "Micronesia, Federated States Of": "Микронезија", + "Moldova": "Молдавија", + "Monaco": "Монако", + "Mongolia": "Монголија", + "Montenegro": "Црна Гора", + "Month To Date": "Месец До Данас", + "Montserrat": "Монтсеррат", + "Morocco": "Мароко", + "Mozambique": "Мозамбик", + "Myanmar": "Мијанмар", + "Namibia": "Намибија", + "Nauru": "Науру", + "Nepal": "Непал", + "Netherlands": "Холандија", + "New": "Ново", + "New :resource": "Нови :resource", + "New Caledonia": "Нова Каледонија", + "New Zealand": "Нови Зеланд", + "Next": "Следећи", + "Nicaragua": "Никарагва", + "Niger": "Нигер", + "Nigeria": "Нигерија", + "Niue": "Ниуе", + "No": "Нема", + "No :resource matched the given criteria.": "Број :resource испунио је Дате критеријуме.", + "No additional information...": "Нема додатних информација...", + "No Current Data": "Нема Тренутних Података", + "No Data": "Нема Података", + "no file selected": "датотека није изабрана", + "No Increase": "Нема Повећања", + "No Prior Data": "Нема Прелиминарних Података", + "No Results Found.": "Нису Пронађени Резултати.", + "Norfolk Island": "Острво Норфолк", + "Northern Mariana Islands": "Северна Маријанска острва", + "Norway": "Норвешка", + "Nova User": "Нова Корисник", + "November": "Новембар", + "October": "Октобар", + "of": "од", + "Oman": "Оман", + "Only Trashed": "Само Уништен", + "Original": "Оригинал", + "Pakistan": "Пакистан", + "Palau": "Палау", + "Palestinian Territory, Occupied": "Палестинске територије", + "Panama": "Панама", + "Papua New Guinea": "Папуа Нова Гвинеја", + "Paraguay": "Парагвај", + "Password": "Лозинка", + "Per Page": "На Страницу", + "Peru": "Перу", + "Philippines": "Филипини", + "Pitcairn": "Острва Питцаирн", + "Poland": "Пољска", + "Portugal": "Португал", + "Press \/ to search": "Кликните \/ за претрагу", + "Preview": "Преглед", + "Previous": "Претходни", + "Puerto Rico": "Порторико", + "Qatar": "Qatar", + "Quarter To Date": "Четвртина До Данас", + "Reload": "Поново", + "Remember Me": "Запамти ме", + "Reset Filters": "Ресетовање филтера", + "Reset Password": "Ресетуј лозинку", + "Reset Password Notification": "Обавештење о ресетовању лозинке", + "resource": "ресурс", + "Resources": "Ресурси", + "resources": "ресурси", + "Restore": "Обнови", + "Restore Resource": "Опоравак ресурса", + "Restore Selected": "Вратите Изабрано", + "Reunion": "Реинион", + "Romania": "Румунија", + "Run Action": "Извршите акцију", + "Russian Federation": "Руска Федерација", + "Rwanda": "Руанда", + "Saint Barthelemy": "Свети Бартоломеј", + "Saint Helena": "Света Хелена", + "Saint Kitts And Nevis": "Свети Китс и Невис", + "Saint Lucia": "Света Луција", + "Saint Martin": "Свети Мартин", + "Saint Pierre And Miquelon": "Сен Пјер и Микелон", + "Saint Vincent And Grenadines": "Сент Винсент и Гренадини", + "Samoa": "Самоа", + "San Marino": "Сан Марино", + "Sao Tome And Principe": "Сао Томе и Принципе", + "Saudi Arabia": "Саудијска Арабија", + "Search": "Претрага", + "Select Action": "Изаберите Акцију", + "Select All": "изаберите све", + "Select All Matching": "Изаберите Све Одговарајуће", + "Send Password Reset Link": "Пошаљи линк за ресетовање лозинке", + "Senegal": "Сенегал", + "September": "Септембар", + "Serbia": "Србија", + "Seychelles": "Сејшели", + "Show All Fields": "Прикажи Сва Поља", + "Show Content": "Прикажи садржај", + "Sierra Leone": "Сијера Леоне", + "Singapore": "Сингапур", + "Sint Maarten (Dutch part)": "Синт Мартин", + "Slovakia": "Словачка", + "Slovenia": "Словенија", + "Solomon Islands": "Соломонска Острва", + "Somalia": "Сомалија", + "Something went wrong.": "Нешто је пошло по злу.", + "Sorry! You are not authorized to perform this action.": "Izvini! Нисте овлашћени да извршите ову акцију.", + "Sorry, your session has expired.": "Извините, ваша сесија је истекла.", + "South Africa": "Јужна Африка", + "South Georgia And Sandwich Isl.": "Јужна Џорџија и Јужна Сендвичка Острва", + "South Sudan": "Јужни Судан", + "Spain": "Шпанија", + "Sri Lanka": "Шри Ланка", + "Start Polling": "Започните анкету", + "Stop Polling": "Зауставите анкету", + "Sudan": "Судан", + "Suriname": "Суринам", + "Svalbard And Jan Mayen": "Свалбард и Јан-Маиен", + "Swaziland": "Eswatini", + "Sweden": "Шведска", + "Switzerland": "Швајцарска", + "Syrian Arab Republic": "Сирија", + "Taiwan": "Тајван", + "Tajikistan": "Таџикистан", + "Tanzania": "Танзанија", + "Thailand": "Тајланд", + "The :resource was created!": ":resource је створен!", + "The :resource was deleted!": ":resource је уклоњен!", + "The :resource was restored!": ":resource. је обновљен!", + "The :resource was updated!": ":resource. је ажуриран!", + "The action ran successfully!": "Промоција је била успешна!", + "The file was deleted!": "Датотека је избрисана!", + "The government won't let us show you what's behind these doors": "Влада нам неће дозволити да вам покажемо шта је иза тих врата", + "The HasOne relationship has already been filled.": "Хасонеов однос је већ испуњен.", + "The resource was updated!": "Ресурс је ажуриран!", + "There are no available options for this resource.": "За овај ресурс нема доступних опција.", + "There was a problem executing the action.": "Постојао је проблем са извођењем акције.", + "There was a problem submitting the form.": "Постојао је проблем са подношењем обрасца.", + "This file field is read-only.": "Ово поље датотеке је само за читање.", + "This image": "Ова слика", + "This resource no longer exists": "Овај ресурс више не постоји", + "Timor-Leste": "Тимор-Лесте", + "Today": "Данас", + "Togo": "Тога", + "Tokelau": "Токелау", + "Tonga": "Дођите", + "total": "све", + "Trashed": "Сломљен", + "Trinidad And Tobago": "Тринидад и Тобаго", + "Tunisia": "Тунис", + "Turkey": "Ћуретина", + "Turkmenistan": "Туркменистан", + "Turks And Caicos Islands": "Острва Туркс и Каикос", + "Tuvalu": "Тувалу", + "Uganda": "Уганда", + "Ukraine": "Украјина", + "United Arab Emirates": "Уједињени Арапски Емирати", + "United Kingdom": "Велика Британија", + "United States": "Сједињене Државе", + "United States Outlying Islands": "Удаљена острва САД", + "Update": "Ажурирање", + "Update & Continue Editing": "Ажурирање и наставак уређивања", + "Update :resource": "Ажурирање :resource", + "Update :resource: :title": "Ажурирање :resource: :title", + "Update attached :resource: :title": "Ажурирање у прилогу :resource: :title", + "Uruguay": "Уругвај", + "Uzbekistan": "Узбекистан", + "Value": "Вредност", + "Vanuatu": "Вануату", + "Venezuela": "Венецуела", + "Viet Nam": "Vietnam", + "View": "Погледајте", + "Virgin Islands, British": "Британска Девичанска Острва", + "Virgin Islands, U.S.": "Америчка Девичанска Острва", + "Wallis And Futuna": "Валлис и Футуна", + "We're lost in space. The page you were trying to view does not exist.": "Изгубили смо се у свемиру. Страница коју сте покушали прегледати не постоји.", + "Welcome Back!": "Dobrodošao Nazad!", + "Western Sahara": "Западна Сахара", + "Whoops": "Упс", + "Whoops!": "Упс!", + "With Trashed": "Са Разбијеним", + "Write": "Писање", + "Year To Date": "Година До Данас", + "Yemen": "Јемен", + "Yes": "Да", + "You are receiving this email because we received a password reset request for your account.": "Добили сте овај емаил зато што само примили захтев за промену лозинке за Ваш налог.", + "Zambia": "Замбија", + "Zimbabwe": "Зимбабве" +} diff --git a/locales/sr_Cyrl/packages/spark-paddle.json b/locales/sr_Cyrl/packages/spark-paddle.json new file mode 100644 index 00000000000..7bfba8bcbc6 --- /dev/null +++ b/locales/sr_Cyrl/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "услови услуге", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Упс! Нешто није у реду.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/sr_Cyrl/packages/spark-stripe.json b/locales/sr_Cyrl/packages/spark-stripe.json new file mode 100644 index 00000000000..5a339887cc4 --- /dev/null +++ b/locales/sr_Cyrl/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Авганистан", + "Albania": "Албанија", + "Algeria": "Алжир", + "American Samoa": "Америчка Самоа", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Андора", + "Angola": "Ангола", + "Anguilla": "Ангвила", + "Antarctica": "Антарктика", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Аргентина", + "Armenia": "Јерменија", + "Aruba": "Аруба", + "Australia": "Аустралија", + "Austria": "Аустрија", + "Azerbaijan": "Азербејџан", + "Bahamas": "Бахами", + "Bahrain": "Бахреин", + "Bangladesh": "Бангладеш", + "Barbados": "Барбадос", + "Belarus": "Белорусија", + "Belgium": "Белгија", + "Belize": "Белизе", + "Benin": "Бенин", + "Bermuda": "Бермуда", + "Bhutan": "Бутан", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Боцвана", + "Bouvet Island": "Острво Буве", + "Brazil": "Бразил", + "British Indian Ocean Territory": "Британска територија Индијског океана", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Бугарска", + "Burkina Faso": "Буркина Фасо", + "Burundi": "Бурунди", + "Cambodia": "Камбоџа", + "Cameroon": "Камерун", + "Canada": "Канада", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Зеленортска Острва", + "Card": "Карта", + "Cayman Islands": "Кајманска острва", + "Central African Republic": "Централноафричка Република", + "Chad": "Чад", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Чиле", + "China": "Кина", + "Christmas Island": "Божићно Острво", + "City": "City", + "Cocos (Keeling) Islands": "Кокос (Килинг) Острва", + "Colombia": "Колумбија", + "Comoros": "Комори", + "Confirm Payment": "Потврдите Плаћање", + "Confirm your :amount payment": "Потврдите уплату :amount", + "Congo": "Конго", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Кукова Острва", + "Costa Rica": "Костарика", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Хрватска", + "Cuba": "Куба", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Кипар", + "Czech Republic": "Чешка", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Данска", + "Djibouti": "Џибути", + "Dominica": "Недеља", + "Dominican Republic": "Доминиканска Република", + "Download Receipt": "Download Receipt", + "Ecuador": "Еквадор", + "Egypt": "Египат", + "El Salvador": "Спаситељ", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Екваторијална Гвинеја", + "Eritrea": "Еритреја", + "Estonia": "Естонија", + "Ethiopia": "Етиопија", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "За обраду плаћања потребна је додатна потврда. Молимо идите на страницу за плаћање кликом на дугме испод.", + "Falkland Islands (Malvinas)": "Фокландска Острва (Ислас Малвинас) )", + "Faroe Islands": "Фарска Острва", + "Fiji": "Фиџи", + "Finland": "Финска", + "France": "Француска", + "French Guiana": "Француска Гвајана", + "French Polynesia": "Француска Полинезија", + "French Southern Territories": "Tj", + "Gabon": "Габон", + "Gambia": "Гамбија", + "Georgia": "Грузија", + "Germany": "Немачка", + "Ghana": "Гана", + "Gibraltar": "Гибралтар", + "Greece": "Грчка", + "Greenland": "Гренланд", + "Grenada": "Гренада", + "Guadeloupe": "Гваделуп", + "Guam": "Гуам", + "Guatemala": "Гватемала", + "Guernsey": "Гернзи", + "Guinea": "Гвинеја", + "Guinea-Bissau": "Гвинеја Бисао", + "Guyana": "Гвајана", + "Haiti": "Хаити", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Хондурас", + "Hong Kong": "Hong Kong", + "Hungary": "Мађарска", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Исланд", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Индија", + "Indonesia": "Индонезија", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Ирак", + "Ireland": "Ирска", + "Isle of Man": "Isle of Man", + "Israel": "Израел", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Италија", + "Jamaica": "Јамајка", + "Japan": "Јапан", + "Jersey": "Џерси", + "Jordan": "Јордан", + "Kazakhstan": "Казахстан", + "Kenya": "Кенија", + "Kiribati": "Кирибати", + "Korea, Democratic People's Republic of": "Северна Кореја", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Кувајт", + "Kyrgyzstan": "Киргистан", + "Lao People's Democratic Republic": "Лаос", + "Latvia": "Летонија", + "Lebanon": "Либан", + "Lesotho": "Лесото", + "Liberia": "Либерија", + "Libyan Arab Jamahiriya": "Либија", + "Liechtenstein": "Лихтенштајн", + "Lithuania": "Литванија", + "Luxembourg": "Luxembourg", + "Macao": "Макао", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Мадагаскар", + "Malawi": "Малави", + "Malaysia": "Малезија", + "Maldives": "Малдиви", + "Mali": "Мали", + "Malta": "Малта", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Маршалска Острва", + "Martinique": "Мартиник", + "Mauritania": "Мауританија", + "Mauritius": "Маурицијус", + "Mayotte": "Мајот", + "Mexico": "Мексико", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Монако", + "Mongolia": "Монголија", + "Montenegro": "Црна Гора", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Монтсеррат", + "Morocco": "Мароко", + "Mozambique": "Мозамбик", + "Myanmar": "Мијанмар", + "Namibia": "Намибија", + "Nauru": "Науру", + "Nepal": "Непал", + "Netherlands": "Холандија", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Нова Каледонија", + "New Zealand": "Нови Зеланд", + "Nicaragua": "Никарагва", + "Niger": "Нигер", + "Nigeria": "Нигерија", + "Niue": "Ниуе", + "Norfolk Island": "Острво Норфолк", + "Northern Mariana Islands": "Северна Маријанска острва", + "Norway": "Норвешка", + "Oman": "Оман", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Пакистан", + "Palau": "Палау", + "Palestinian Territory, Occupied": "Палестинске територије", + "Panama": "Панама", + "Papua New Guinea": "Папуа Нова Гвинеја", + "Paraguay": "Парагвај", + "Payment Information": "Payment Information", + "Peru": "Перу", + "Philippines": "Филипини", + "Pitcairn": "Острва Питцаирн", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Пољска", + "Portugal": "Португал", + "Puerto Rico": "Порторико", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Румунија", + "Russian Federation": "Руска Федерација", + "Rwanda": "Руанда", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Света Хелена", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Света Луција", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Самоа", + "San Marino": "Сан Марино", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Саудијска Арабија", + "Save": "Сачувај", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Сенегал", + "Serbia": "Србија", + "Seychelles": "Сејшели", + "Sierra Leone": "Сијера Леоне", + "Signed in as": "Signed in as", + "Singapore": "Сингапур", + "Slovakia": "Словачка", + "Slovenia": "Словенија", + "Solomon Islands": "Соломонска Острва", + "Somalia": "Сомалија", + "South Africa": "Јужна Африка", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Шпанија", + "Sri Lanka": "Шри Ланка", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Судан", + "Suriname": "Суринам", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Шведска", + "Switzerland": "Швајцарска", + "Syrian Arab Republic": "Сирија", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Таџикистан", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "услови услуге", + "Thailand": "Тајланд", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Тимор-Лесте", + "Togo": "Тога", + "Tokelau": "Токелау", + "Tonga": "Дођите", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Тунис", + "Turkey": "Ћуретина", + "Turkmenistan": "Туркменистан", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Тувалу", + "Uganda": "Уганда", + "Ukraine": "Украјина", + "United Arab Emirates": "Уједињени Арапски Емирати", + "United Kingdom": "Велика Британија", + "United States": "Сједињене Државе", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Ажурирање", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Уругвај", + "Uzbekistan": "Узбекистан", + "Vanuatu": "Вануату", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Британска Девичанска Острва", + "Virgin Islands, U.S.": "Америчка Девичанска Острва", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Западна Сахара", + "Whoops! Something went wrong.": "Упс! Нешто није у реду.", + "Yearly": "Yearly", + "Yemen": "Јемен", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Замбија", + "Zimbabwe": "Зимбабве", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/sr_Cyrl/sr_Cyrl.json b/locales/sr_Cyrl/sr_Cyrl.json index fb9733dfb14..888db5f77e6 100644 --- a/locales/sr_Cyrl/sr_Cyrl.json +++ b/locales/sr_Cyrl/sr_Cyrl.json @@ -1,710 +1,48 @@ { - "30 Days": "30 дана", - "60 Days": "60 дана", - "90 Days": "90 дана", - ":amount Total": "Укупно :amount", - ":days day trial": ":days day trial", - ":resource Details": ":resource делова", - ":resource Details: :title": ":resource детаљи: :title", "A fresh verification link has been sent to your email address.": "Нови верификациони линк је послат на Вашу е-маил адресу.", - "A new verification link has been sent to the email address you provided during registration.": "Нови верификациони линк је послат на Вашу е-маил адресу коју сте унели у току регистрације.", - "Accept Invitation": "Прихватите Позивницу", - "Action": "Акција", - "Action Happened At": "Догодило Се У", - "Action Initiated By": "Иницирано", - "Action Name": "Име", - "Action Status": "Статус", - "Action Target": "Циљ", - "Actions": "Акције", - "Add": "Додај", - "Add a new team member to your team, allowing them to collaborate with you.": "Додај новог члана тима у твој тим, дозвољавајући му да ради са тобом.", - "Add additional security to your account using two factor authentication.": "Додај додатну сигурност твој налогу тако сто ћес користити аутентификацију у два корака.", - "Add row": "Додајте линију", - "Add Team Member": "Додај новог члана тима.", - "Add VAT Number": "Add VAT Number", - "Added.": "Додато.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Администратор", - "Administrator users can perform any action.": "Администраторски корисници могу обављати било коју радњу.", - "Afghanistan": "Авганистан", - "Aland Islands": "Оландска Острва", - "Albania": "Албанија", - "Algeria": "Алжир", - "All of the people that are part of this team.": "Сви људи који су део овог тима.", - "All resources loaded.": "Сви ресурси су учитани.", - "All rights reserved.": "Сва права задржана.", - "Already registered?": "Већ сте регистровани?", - "American Samoa": "Америчка Самоа", - "An error occured while uploading the file.": "Дошло је до грешке приликом преузимања датотеке.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Андора", - "Angola": "Ангола", - "Anguilla": "Ангвила", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Други корисник је ажурирао овај ресурс од учитавања ове странице. Молимо ажурирајте страницу и покушајте поново.", - "Antarctica": "Антарктика", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Антигва и Барбуда", - "API Token": "АПИ Токен", - "API Token Permissions": "Дозволе АПИ токена", - "API Tokens": "АПИ Токени", - "API tokens allow third-party services to authenticate with our application on your behalf.": "АПИ токен омогућава услугама независних произвођача да се аутентификују помоћу наше апликације у ваше име.", - "April": "Април", - "Are you sure you want to delete the selected resources?": "Јесте ли сигурни да желите уклонити одабране ресурсе?", - "Are you sure you want to delete this file?": "Јесте ли сигурни да желите да избришете ову датотеку?", - "Are you sure you want to delete this resource?": "Јесте ли сигурни да желите да избришете овај ресурс?", - "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 detach the selected resources?": "Јесте ли сигурни да желите одвојити одабране ресурсе?", - "Are you sure you want to detach this resource?": "Јесте ли сигурни да желите да одвојите овај ресурс?", - "Are you sure you want to force delete the selected resources?": "Јесте ли сигурни да желите присилно уклонити одабране ресурсе?", - "Are you sure you want to force delete this resource?": "Јесте ли сигурни да желите да присилно уклоните овај ресурс?", - "Are you sure you want to restore the selected resources?": "Да ли сте сигурни да желите да вратите одабране ресурсе?", - "Are you sure you want to restore this resource?": "Јесте ли сигурни да желите да вратите овај ресурс?", - "Are you sure you want to run this action?": "Јесте ли сигурни да желите да покренете ову акцију?", - "Are you sure you would like to delete this API token?": "Да ли сте сигурни да желите да избришете овај АПИ токен?", - "Are you sure you would like to leave this team?": "Да ли сте сигурни да бисте желели да напустите овај тим?", - "Are you sure you would like to remove this person from the team?": "Да ли сте сигурни да желите да уклоните ову особу из тима?", - "Argentina": "Аргентина", - "Armenia": "Јерменија", - "Aruba": "Аруба", - "Attach": "Приложити", - "Attach & Attach Another": "Причврстите и причврстите још један", - "Attach :resource": "Приложите :resource", - "August": "Август", - "Australia": "Аустралија", - "Austria": "Аустрија", - "Azerbaijan": "Азербејџан", - "Bahamas": "Бахами", - "Bahrain": "Бахреин", - "Bangladesh": "Бангладеш", - "Barbados": "Барбадос", "Before proceeding, please check your email for a verification link.": "Пре него сто наставите, молимо Ваш проверите е-маил за верификациони линк.", - "Belarus": "Белорусија", - "Belgium": "Белгија", - "Belize": "Белизе", - "Benin": "Бенин", - "Bermuda": "Бермуда", - "Bhutan": "Бутан", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Боливија", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sabbath", - "Bosnia And Herzegovina": "Босна и Херцеговина", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Боцвана", - "Bouvet Island": "Острво Буве", - "Brazil": "Бразил", - "British Indian Ocean Territory": "Британска територија Индијског океана", - "Browser Sessions": "Сесије wеб прегледача", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Бугарска", - "Burkina Faso": "Буркина Фасо", - "Burundi": "Бурунди", - "Cambodia": "Камбоџа", - "Cameroon": "Камерун", - "Canada": "Канада", - "Cancel": "Откажи", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Зеленортска Острва", - "Card": "Карта", - "Cayman Islands": "Кајманска острва", - "Central African Republic": "Централноафричка Република", - "Chad": "Чад", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Промене", - "Chile": "Чиле", - "China": "Кина", - "Choose": "Изабрати", - "Choose :field": "Изаберите :field", - "Choose :resource": "Изаберите :resource", - "Choose an option": "Изаберите опцију", - "Choose date": "Изаберите датум", - "Choose File": "Изаберите Датотеку", - "Choose Type": "Изаберите Тип", - "Christmas Island": "Божићно Острво", - "City": "City", "click here to request another": "Кликните овде да пошаљете још један", - "Click to choose": "Кликните да бисте изабрали", - "Close": "Затвори", - "Cocos (Keeling) Islands": "Кокос (Килинг) Острва", - "Code": "Код", - "Colombia": "Колумбија", - "Comoros": "Комори", - "Confirm": "Потврди", - "Confirm Password": "Потврдите лозинку", - "Confirm Payment": "Потврдите Плаћање", - "Confirm your :amount payment": "Потврдите уплату :amount", - "Congo": "Конго", - "Congo, Democratic Republic": "Конго, Демократска Република", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Стални", - "Cook Islands": "Кукова Острва", - "Costa Rica": "Костарика", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "nije uspeo da ga naðe.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Креирај", - "Create & Add Another": "Креирајте и додајте још један", - "Create :resource": "Креирајте :resource", - "Create a new team to collaborate with others on projects.": "Направите нови тим за сарадњу са другима на пројектима.", - "Create Account": "Креирајте налог", - "Create API Token": "Направите АПИ Токен", - "Create New Team": "Направите нови тим", - "Create Team": "Направи тим", - "Created.": "Креирано.", - "Croatia": "Хрватска", - "Cuba": "Куба", - "Curaçao": "Цурацао", - "Current Password": "Тренутна лозинка", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Прилагодите", - "Cyprus": "Кипар", - "Czech Republic": "Чешка", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Контролна табла", - "December": "Децембар", - "Decrease": "Смањите", - "Delete": "Брисање", - "Delete Account": "Избриши налог", - "Delete API Token": "Обриши АПИ Токен", - "Delete File": "Избришите датотеку", - "Delete Resource": "Уклоните ресурс", - "Delete Selected": "Уклонили", - "Delete Team": "Обриши тим", - "Denmark": "Данска", - "Detach": "Искључите", - "Detach Resource": "Искључите ресурс", - "Detach Selected": "Искључите Изабрани", - "Details": "Детаљи", - "Disable": "Деактивирај", - "Djibouti": "Џибути", - "Do you really want to leave? You have unsaved changes.": "Stvarno želiš da odeš? Имате неспремљене промене.", - "Dominica": "Недеља", - "Dominican Republic": "Доминиканска Република", - "Done.": "Готово.", - "Download": "Преузимање", - "Download Receipt": "Download Receipt", "E-Mail Address": "Адреса електронске поште", - "Ecuador": "Еквадор", - "Edit": "Уреди", - "Edit :resource": "Измена :resource", - "Edit Attached": "Уређивање Је Приложено", - "Editor": "Уредник", - "Editor users have the ability to read, create, and update.": "Корисници уређивача имају могућност читања, креирања и ажурирања.", - "Egypt": "Египат", - "El Salvador": "Спаситељ", - "Email": "Емаил", - "Email Address": "адреса е-поште", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Линк ка мејлу за ресет лозинке", - "Enable": "Активирај", - "Ensure your account is using a long, random password to stay secure.": "Уверите се да налог користи дугу насумичну лозинку да бисте били сигурни.", - "Equatorial Guinea": "Екваторијална Гвинеја", - "Eritrea": "Еритреја", - "Estonia": "Естонија", - "Ethiopia": "Етиопија", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "За обраду плаћања потребна је додатна потврда. Молимо потврдите уплату попуњавањем детаља о плаћању испод.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "За обраду плаћања потребна је додатна потврда. Молимо идите на страницу за плаћање кликом на дугме испод.", - "Falkland Islands (Malvinas)": "Фокландска Острва (Ислас Малвинас) )", - "Faroe Islands": "Фарска Острва", - "February": "Фебруар", - "Fiji": "Фиџи", - "Finland": "Финска", - "For your security, please confirm your password to continue.": "Ради ваше сигурности, потврдите лозинку да бисте наставили.", "Forbidden": "Забрањено", - "Force Delete": "Присилно уклањање", - "Force Delete Resource": "Присилно уклањање ресурса", - "Force Delete Selected": "Присилно Уклањање Изабраног", - "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.": "Заборавили сте лозинку? Нема проблема. Само нам реците Вашу емаил адресу и ми ћемо Вам послати линк за ресет лозинке на Ваш мејл који ће Вам омогућити да изаберете нову лозинку.", - "France": "Француска", - "French Guiana": "Француска Гвајана", - "French Polynesia": "Француска Полинезија", - "French Southern Territories": "Tj", - "Full name": "Пуно име", - "Gabon": "Габон", - "Gambia": "Гамбија", - "Georgia": "Грузија", - "Germany": "Немачка", - "Ghana": "Гана", - "Gibraltar": "Гибралтар", - "Go back": "Повратак", - "Go Home": "Иди на почетну", "Go to page :page": "Идите на страницу :page", - "Great! You have accepted the invitation to join the :team team.": "Odlièno! Прихватили сте позив да се придружите тиму :team.", - "Greece": "Грчка", - "Greenland": "Гренланд", - "Grenada": "Гренада", - "Guadeloupe": "Гваделуп", - "Guam": "Гуам", - "Guatemala": "Гватемала", - "Guernsey": "Гернзи", - "Guinea": "Гвинеја", - "Guinea-Bissau": "Гвинеја Бисао", - "Guyana": "Гвајана", - "Haiti": "Хаити", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Острва Херд и Мекдоналд", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Здраво!", - "Hide Content": "Сакриј садржај", - "Hold Up!": "- Погоди!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Хондурас", - "Hong Kong": "Hong Kong", - "Hungary": "Мађарска", - "I agree to the :terms_of_service and :privacy_policy": "Слажем се са :terms_оф_сервице и :privacy_полици", - "Iceland": "Исланд", - "ID": "ИД", - "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 logout 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 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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Ако имате проблема при клику на \":actionText\" дугме, копирајте и налепите УРЛ испод\n или у ваш веб претраживач:", - "Increase": "Повећање", - "India": "Индија", - "Indonesia": "Индонезија", "Invalid signature.": "Неважећи потпис.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Иран", - "Iraq": "Ирак", - "Ireland": "Ирска", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Острво Ман", - "Israel": "Израел", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Италија", - "Jamaica": "Јамајка", - "January": "Јануар", - "Japan": "Јапан", - "Jersey": "Џерси", - "Jordan": "Јордан", - "July": "Јул", - "June": "Јун", - "Kazakhstan": "Казахстан", - "Kenya": "Кенија", - "Key": "Кључ", - "Kiribati": "Кирибати", - "Korea": "Јужна Кореја", - "Korea, Democratic People's Republic of": "Северна Кореја", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Косово", - "Kuwait": "Кувајт", - "Kyrgyzstan": "Киргистан", - "Lao People's Democratic Republic": "Лаос", - "Last active": "Последњи пут активан", - "Last used": "Последње коришћен", - "Latvia": "Летонија", - "Leave": "Напусти", - "Leave Team": "Напусти тим", - "Lebanon": "Либан", - "Lens": "Објектив", - "Lesotho": "Лесото", - "Liberia": "Либерија", - "Libyan Arab Jamahiriya": "Либија", - "Liechtenstein": "Лихтенштајн", - "Lithuania": "Литванија", - "Load :perPage More": "Преузмите још :per страница", - "Log in": "Пријавите", "Log out": "Одјавите се", - "Log Out": "одјавите се", - "Log Out Other Browser Sessions": "Одјавите Се Са Других Сесија Прегледача", - "Login": "Пријава", - "Logout": "Одјава", "Logout Other Browser Sessions": "Одјави се са осталих сесија из прегледача", - "Luxembourg": "Luxembourg", - "Macao": "Макао", - "Macedonia": "Северна Македонија", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Мадагаскар", - "Malawi": "Малави", - "Malaysia": "Малезија", - "Maldives": "Малдиви", - "Mali": "Мали", - "Malta": "Малта", - "Manage Account": "Управљај налогом", - "Manage and log out your active sessions on other browsers and devices.": "Управљајте активним сесијама и одјавите их у другим прегледачима и уређајима.", "Manage and logout your active sessions on other browsers and devices.": "Управљајте активним сесијама и одјављујте их из других прегледача и уређаја.", - "Manage API Tokens": "Управљање АПИ токенима", - "Manage Role": "Управљај ролом", - "Manage Team": "Управљај тимом", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Март", - "Marshall Islands": "Маршалска Острва", - "Martinique": "Мартиник", - "Mauritania": "Мауританија", - "Mauritius": "Маурицијус", - "May": "Мај", - "Mayotte": "Мајот", - "Mexico": "Мексико", - "Micronesia, Federated States Of": "Микронезија", - "Moldova": "Молдавија", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Монако", - "Mongolia": "Монголија", - "Montenegro": "Црна Гора", - "Month To Date": "Месец До Данас", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Монтсеррат", - "Morocco": "Мароко", - "Mozambique": "Мозамбик", - "Myanmar": "Мијанмар", - "Name": "Име", - "Namibia": "Намибија", - "Nauru": "Науру", - "Nepal": "Непал", - "Netherlands": "Холандија", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Није битно", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Ново", - "New :resource": "Нови :resource", - "New Caledonia": "Нова Каледонија", - "New Password": "Нова лозинка", - "New Zealand": "Нови Зеланд", - "Next": "Следећи", - "Nicaragua": "Никарагва", - "Niger": "Нигер", - "Nigeria": "Нигерија", - "Niue": "Ниуе", - "No": "Нема", - "No :resource matched the given criteria.": "Број :resource испунио је Дате критеријуме.", - "No additional information...": "Нема додатних информација...", - "No Current Data": "Нема Тренутних Података", - "No Data": "Нема Података", - "no file selected": "датотека није изабрана", - "No Increase": "Нема Повећања", - "No Prior Data": "Нема Прелиминарних Података", - "No Results Found.": "Нису Пронађени Резултати.", - "Norfolk Island": "Острво Норфолк", - "Northern Mariana Islands": "Северна Маријанска острва", - "Norway": "Норвешка", "Not Found": "Није пронађено.", - "Nova User": "Нова Корисник", - "November": "Новембар", - "October": "Октобар", - "of": "од", "Oh no": "Ох не", - "Oman": "Оман", - "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 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 Trashed": "Само Уништен", - "Original": "Оригинал", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Страница је истекла", "Pagination Navigation": "Навигација по страницама", - "Pakistan": "Пакистан", - "Palau": "Палау", - "Palestinian Territory, Occupied": "Палестинске територије", - "Panama": "Панама", - "Papua New Guinea": "Папуа Нова Гвинеја", - "Paraguay": "Парагвај", - "Password": "Лозинка", - "Pay :amount": "Плаћање :amount", - "Payment Cancelled": "Плаћање Је Отказано", - "Payment Confirmation": "Потврда плаћања", - "Payment Information": "Payment Information", - "Payment Successful": "Исплата Је Била Успешна", - "Pending Team Invitations": "Чекајући Позивнице Тима", - "Per Page": "На Страницу", - "Permanently delete this team.": "Трајно избриши овај тим.", - "Permanently delete your account.": "Трајно избришите свој налог.", - "Permissions": "Дозволе", - "Peru": "Перу", - "Philippines": "Филипини", - "Photo": "Слика", - "Pitcairn": "Острва Питцаирн", "Please click the button below to verify your email address.": "Молимо кликните на дугме испод да верификујете Вашу е-маил адресу.", - "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 your password before continuing.": "Молимо потврдите Вашу лозинку да бисте наставили.", - "Please copy your new API token. For your security, it won't be shown again.": "Копирајте свој нови АПИ токен. Због ваше сигурности неће се поново приказивати.", - "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 logout of your other browser sessions across all of your devices.": "Унесите лозинку да бисте потврдили да желите да се одјавите из осталих сесија прегледача на свим својим уређајима.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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. The email address must be associated with an existing account.": "Наведите е-адресу особе коју бисте желели да додате у овај тим. Адреса е-поште мора бити повезана са постојећим налогом.", - "Please provide your name.": "Molim vas, dajte mi svoje ime.", - "Poland": "Пољска", - "Portugal": "Португал", - "Press \/ to search": "Кликните \/ за претрагу", - "Preview": "Преглед", - "Previous": "Претходни", - "Privacy Policy": "политика приватности", - "Profile": "Профил", - "Profile Information": "Информације о профилу", - "Puerto Rico": "Порторико", - "Qatar": "Qatar", - "Quarter To Date": "Четвртина До Данас", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Код за повраћај налога", "Regards": "Поздрав", - "Regenerate Recovery Codes": "Обновите кодове за опоравак", - "Register": "Регистрација", - "Reload": "Поново", - "Remember me": "Запамти ме", - "Remember Me": "Запамти ме", - "Remove": "Уклони", - "Remove Photo": "Обриши слику", - "Remove Team Member": "Уклоните члана тима", - "Resend Verification Email": "Поново пошаљи верификациони мејл", - "Reset Filters": "Ресетовање филтера", - "Reset Password": "Ресетуј лозинку", - "Reset Password Notification": "Обавештење о ресетовању лозинке", - "resource": "ресурс", - "Resources": "Ресурси", - "resources": "ресурси", - "Restore": "Обнови", - "Restore Resource": "Опоравак ресурса", - "Restore Selected": "Вратите Изабрано", "results": "резултати", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Реинион", - "Role": "Рола", - "Romania": "Румунија", - "Run Action": "Извршите акцију", - "Russian Federation": "Руска Федерација", - "Rwanda": "Руанда", - "Réunion": "Réunion", - "Saint Barthelemy": "Свети Бартоломеј", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Света Хелена", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "Свети Китс и Невис", - "Saint Lucia": "Света Луција", - "Saint Martin": "Свети Мартин", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "Сен Пјер и Микелон", - "Saint Vincent And Grenadines": "Сент Винсент и Гренадини", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Самоа", - "San Marino": "Сан Марино", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "Сао Томе и Принципе", - "Saudi Arabia": "Саудијска Арабија", - "Save": "Сачувај", - "Saved.": "Сачувано.", - "Search": "Претрага", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Изабери нову слику", - "Select Action": "Изаберите Акцију", - "Select All": "изаберите све", - "Select All Matching": "Изаберите Све Одговарајуће", - "Send Password Reset Link": "Пошаљи линк за ресетовање лозинке", - "Senegal": "Сенегал", - "September": "Септембар", - "Serbia": "Србија", "Server Error": "Серверска грешка", "Service Unavailable": "Сервис недоступан", - "Seychelles": "Сејшели", - "Show All Fields": "Прикажи Сва Поља", - "Show Content": "Прикажи садржај", - "Show Recovery Codes": "Прикажи кодове за опоравак", "Showing": "Приказ", - "Sierra Leone": "Сијера Леоне", - "Signed in as": "Signed in as", - "Singapore": "Сингапур", - "Sint Maarten (Dutch part)": "Синт Мартин", - "Slovakia": "Словачка", - "Slovenia": "Словенија", - "Solomon Islands": "Соломонска Острва", - "Somalia": "Сомалија", - "Something went wrong.": "Нешто је пошло по злу.", - "Sorry! You are not authorized to perform this action.": "Izvini! Нисте овлашћени да извршите ову акцију.", - "Sorry, your session has expired.": "Извините, ваша сесија је истекла.", - "South Africa": "Јужна Африка", - "South Georgia And Sandwich Isl.": "Јужна Џорџија и Јужна Сендвичка Острва", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Јужни Судан", - "Spain": "Шпанија", - "Sri Lanka": "Шри Ланка", - "Start Polling": "Започните анкету", - "State \/ County": "State \/ County", - "Stop Polling": "Зауставите анкету", - "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.": "Чувајте ове кодове за опоравак у сигурном менаџеру лозинки. Могу се користити за опоравак приступа вашем налогу ако се изгуби двофакторски уређај за потврду идентитета.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Судан", - "Suriname": "Суринам", - "Svalbard And Jan Mayen": "Свалбард и Јан-Маиен", - "Swaziland": "Eswatini", - "Sweden": "Шведска", - "Switch Teams": "Промени тим", - "Switzerland": "Швајцарска", - "Syrian Arab Republic": "Сирија", - "Taiwan": "Тајван", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Таџикистан", - "Tanzania": "Танзанија", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Детаљи тима", - "Team Invitation": "Позив за тим", - "Team Members": "Чланови тима", - "Team Name": "Име тиме", - "Team Owner": "Власник тима", - "Team Settings": "Подешавање тима", - "Terms of Service": "услови услуге", - "Thailand": "Тајланд", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute мора бити валидна рола.", - "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 and 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 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 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.": ":attribute мора бити најмање :length карактера.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource је створен!", - "The :resource was deleted!": ":resource је уклоњен!", - "The :resource was restored!": ":resource. је обновљен!", - "The :resource was updated!": ":resource. је ажуриран!", - "The action ran successfully!": "Промоција је била успешна!", - "The file was deleted!": "Датотека је избрисана!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Влада нам неће дозволити да вам покажемо шта је иза тих врата", - "The HasOne relationship has already been filled.": "Хасонеов однос је већ испуњен.", - "The payment was successful.": "Плаћање је прошла успешно.", - "The provided coupon code is invalid.": "The provided coupon code is 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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Ресурс је ажуриран!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Информације о имену тима и власнику.", - "There are no available options for this resource.": "За овај ресурс нема доступних опција.", - "There was a problem executing the action.": "Постојао је проблем са извођењем акције.", - "There was a problem submitting the form.": "Постојао је проблем са подношењем обрасца.", - "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.": "Ови људи су позвани у ваш тим и добили су позивницу путем е-поште. Они се могу придружити тиму прихватањем позива путем е-поште.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Ова акција није овлашћена.", - "This device": "Овај уређај", - "This file field is read-only.": "Ово поље датотеке је само за читање.", - "This image": "Ова слика", - "This is a secure area of the application. Please confirm your password before continuing.": "Ово је сигурно подручје апликације. Молимо потврдите лозинку пре него што наставите.", - "This password does not match our records.": "Лозинка се не поклапа са нашом базом.", "This password reset link will expire in :count minutes.": "Линк за промену лозинке истице за :count минута.", - "This payment was already successfully confirmed.": "Ова уплата је већ успешно потврђена.", - "This payment was cancelled.": "Та уплата је отказана.", - "This resource no longer exists": "Овај ресурс више не постоји", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Овај корисник већ припада овом тиму.", - "This user has already been invited to the team.": "Овај корисник је већ позван у тим.", - "Timor-Leste": "Тимор-Лесте", "to": "к", - "Today": "Данас", "Toggle navigation": "Прикажи навигацију", - "Togo": "Тога", - "Tokelau": "Токелау", - "Token Name": "Име токена", - "Tonga": "Дођите", "Too Many Attempts.": "Превише покушаја.", "Too Many Requests": "Превише захтева", - "total": "све", - "Total:": "Total:", - "Trashed": "Сломљен", - "Trinidad And Tobago": "Тринидад и Тобаго", - "Tunisia": "Тунис", - "Turkey": "Ћуретина", - "Turkmenistan": "Туркменистан", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Острва Туркс и Каикос", - "Tuvalu": "Тувалу", - "Two Factor Authentication": "Двофакторска аутентификација", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Двофакторска аутентификација је сада омогућена. Скенирајте следећи QR код помоћу апликације за аутентификацију вашег телефона.", - "Uganda": "Уганда", - "Ukraine": "Украјина", "Unauthorized": "Неовлашћен приступ", - "United Arab Emirates": "Уједињени Арапски Емирати", - "United Kingdom": "Велика Британија", - "United States": "Сједињене Државе", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "Удаљена острва САД", - "Update": "Ажурирање", - "Update & Continue Editing": "Ажурирање и наставак уређивања", - "Update :resource": "Ажурирање :resource", - "Update :resource: :title": "Ажурирање :resource: :title", - "Update attached :resource: :title": "Ажурирање у прилогу :resource: :title", - "Update Password": "Ажурирај лозинку", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Ажурирајте информације о профилу налога и адресу е-поште.", - "Uruguay": "Уругвај", - "Use a recovery code": "Користи код за повратак налога", - "Use an authentication code": "Користи код за аутентификацију налога", - "Uzbekistan": "Узбекистан", - "Value": "Вредност", - "Vanuatu": "Вануату", - "VAT Number": "VAT Number", - "Venezuela": "Венецуела", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Верификуј Емаил Адресу", "Verify Your Email Address": "Верификујте Вашу Емаил Адресу", - "Viet Nam": "Vietnam", - "View": "Погледајте", - "Virgin Islands, British": "Британска Девичанска Острва", - "Virgin Islands, U.S.": "Америчка Девичанска Острва", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Валлис и Футуна", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Нисмо успели да нађемо регистрованог корисника са овом емаил адресом.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Нећемо Вас поново питати за Вашу лозинку у неколико следећих сати.", - "We're lost in space. The page you were trying to view does not exist.": "Изгубили смо се у свемиру. Страница коју сте покушали прегледати не постоји.", - "Welcome Back!": "Dobrodošao Nazad!", - "Western Sahara": "Западна Сахара", - "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.": "Када је омогућена двостепена потврда идентитета, од вас ће се тражити сигуран, случајни токен током потврде идентитета. Овај токен можете да преузмете из апликације Гоогле Аутхентицатор на телефону.", - "Whoops": "Упс", - "Whoops!": "Упс!", - "Whoops! Something went wrong.": "Упс! Нешто није у реду.", - "With Trashed": "Са Разбијеним", - "Write": "Писање", - "Year To Date": "Година До Данас", - "Yearly": "Yearly", - "Yemen": "Јемен", - "Yes": "Да", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Улоговани сте!", - "You are receiving this email because we received a password reset request for your account.": "Добили сте овај емаил зато што само примили захтев за промену лозинке за Ваш налог.", - "You have been invited to join the :team team!": "Позвани сте да се придружите тиму :team!", - "You have enabled two factor authentication.": "Омогућили сте двофакторску потврду идентитета.", - "You have not enabled two factor authentication.": "Нисте омогућили двофакторску потврду идентитета.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.": "Не можете напустити тим који сте Ви креирали.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Ваша емаил адреса није верификована.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Замбија", - "Zimbabwe": "Зимбабве", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Ваша емаил адреса није верификована." } diff --git a/locales/sr_Latn/packages/cashier.json b/locales/sr_Latn/packages/cashier.json new file mode 100644 index 00000000000..6ab4d23b8cb --- /dev/null +++ b/locales/sr_Latn/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Sva prava zadržana.", + "Card": "Карта", + "Confirm Payment": "Потврдите Плаћање", + "Confirm your :amount payment": "Потврдите уплату :amount", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "За обраду плаћања потребна је додатна потврда. Молимо потврдите уплату попуњавањем детаља о плаћању испод.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "За обраду плаћања потребна је додатна потврда. Молимо идите на страницу за плаћање кликом на дугме испод.", + "Full name": "Пуно име", + "Go back": "Повратак", + "Jane Doe": "Jane Doe", + "Pay :amount": "Плаћање :amount", + "Payment Cancelled": "Плаћање Је Отказано", + "Payment Confirmation": "Потврда плаћања", + "Payment Successful": "Исплата Је Била Успешна", + "Please provide your name.": "Molim vas, dajte mi svoje ime.", + "The payment was successful.": "Плаћање је прошла успешно.", + "This payment was already successfully confirmed.": "Ова уплата је већ успешно потврђена.", + "This payment was cancelled.": "Та уплата је отказана." +} diff --git a/locales/sr_Latn/packages/fortify.json b/locales/sr_Latn/packages/fortify.json new file mode 100644 index 00000000000..814c321f4c9 --- /dev/null +++ b/locales/sr_Latn/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": ":attribute mora biti najmanje :length karaktera i mora sadržati barem jedan broj.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute мора бити најмање 1.535 знакова и садржи најмање један посебан знак и један број.", + "The :attribute must be at least :length characters and contain at least one special character.": ":attribute mora biti najmanje :length karaktera i mora sadržati barem jedan specijalni karakter.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute mora biti najmanje :length karaktera i mora sadržati jedno veliko slovo i jedan broj.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute mora biti najmanje :length karaktera i mora sadržati jedno veliko slovo i jedan specijalni karakter.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute mora biti najmanje :length karaktera i mora sadržati jedno veliko slovo, jedan broj i jedan specijalni karakter.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute mora biti najmanje :length karaktera i mora sadržati jedno veliko slovo.", + "The :attribute must be at least :length characters.": ":attribute mora biti najmanje :length karaktera.", + "The provided password does not match your current password.": "Uneli ste lozinku koja se ne poklapa sa Vašom lozinkom.", + "The provided password was incorrect.": "Uneta lozinka nije tačna.", + "The provided two factor authentication code was invalid.": "Kod za dvofaktorsku autentifikaciju nije validan." +} diff --git a/locales/sr_Latn/packages/jetstream.json b/locales/sr_Latn/packages/jetstream.json new file mode 100644 index 00000000000..153eeab7772 --- /dev/null +++ b/locales/sr_Latn/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Novi verifikacioni link je poslat na Vašu e-mail adresu koju ste uneli u toku registracije.", + "Accept Invitation": "Прихватите Позивницу", + "Add": "Dodaj", + "Add a new team member to your team, allowing them to collaborate with you.": "Dodaj novog člana tima u tvoj tim, dozvoljavajući mu da radi sa tobom.", + "Add additional security to your account using two factor authentication.": "Dodaj dodatnu sigurnost tvoj nalogu tako sto ćes koristiti autentifikaciju u dva koraka.", + "Add Team Member": "Dodaj novog člana tima.", + "Added.": "Dodato.", + "Administrator": "Администратор", + "Administrator users can perform any action.": "Администраторски корисници могу обављати било коју радњу.", + "All of the people that are part of this team.": "Svi ljudi koji su deo ovog tima.", + "Already registered?": "Već ste registrovani?", + "API Token": "API Token", + "API Token Permissions": "Dozvole API tokena", + "API Tokens": "API Tokeni", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API token omogućava uslugama nezavisnih proizvođača da se autentifikuju pomoću naše aplikacije u vaše ime.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Da li ste sigurni da želite da izbrišete ovaj tim? Jednom kada se tim izbriše, svi njegovi resursi i podaci biće trajno izbrisani.", + "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.": "Da li ste sigurni da želite da izbrišete svoj nalog? Jednom kada se vaš nalog izbriše, svi njegovi resursi i podaci biće trajno izbrisani. Unesite lozinku da biste potvrdili da želite trajno izbrisati nalog.", + "Are you sure you would like to delete this API token?": "Da li ste sigurni da želite da izbrišete ovaj API token?", + "Are you sure you would like to leave this team?": "Da li ste sigurni da biste želeli da napustite ovaj tim?", + "Are you sure you would like to remove this person from the team?": "Da li ste sigurni da želite da uklonite ovu osobu iz tima?", + "Browser Sessions": "Sesije web pregledača", + "Cancel": "Откажи", + "Close": "Zatvori", + "Code": "Kod", + "Confirm": "Potvrdi", + "Confirm Password": "Potvrdite lozinku", + "Create": "Kreiraj", + "Create a new team to collaborate with others on projects.": "Napravite novi tim za saradnju sa drugima na projektima.", + "Create Account": "Креирајте налог", + "Create API Token": "Napravite API Token", + "Create New Team": "Napravite novi tim", + "Create Team": "Napravi tim", + "Created.": "Kreirano.", + "Current Password": "Trenutna lozinka", + "Dashboard": "Kontrolna tabla", + "Delete": "Brisanje", + "Delete Account": "Izbriši nalog", + "Delete API Token": "Obriši API Token", + "Delete Team": "Obriši tim", + "Disable": "Deaktiviraj", + "Done.": "Gotovo.", + "Editor": "Уредник", + "Editor users have the ability to read, create, and update.": "Корисници уређивача имају могућност читања, креирања и ажурирања.", + "Email": "E-mail", + "Email Password Reset Link": "Link ka mejlu za reset lozinke", + "Enable": "Aktiviraj", + "Ensure your account is using a long, random password to stay secure.": "Uverite se da nalog koristi dugu nasumičnu lozinku da biste bili sigurni.", + "For your security, please confirm your password to continue.": "Radi vaše sigurnosti, potvrdite lozinku da biste nastavili.", + "Forgot your password?": "Zaboravili ste lozinku?", + "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.": "Zaboravili ste lozinku? Nema problema. Samo nam recite Vašu email adresu i mi ćemo Vam poslati link za reset lozinke na Vaš mejl koji će Vam omogućiti da izaberete novu lozinku.", + "Great! You have accepted the invitation to join the :team team.": "Odlièno! Прихватили сте позив да се придружите тиму :team.", + "I agree to the :terms_of_service and :privacy_policy": "Слажем се са :terms_оф_сервице и :privacy_полици", + "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 you already have an account, you may accept this invitation by clicking the button below:": "Ако већ имате налог, можете прихватити овај позив кликом на дугме испод:", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "Ако немате налог, можете га креирати кликом на дугме испод. Након што отворите налог, можете да кликнете на дугме за прихватање позива у тој е-пошти да бисте прихватили позив тима:", + "Last active": "Poslednji put aktivan", + "Last used": "Poslednje korišćen", + "Leave": "Napusti", + "Leave Team": "Napusti tim", + "Log in": "Пријавите", + "Log Out": "одјавите се", + "Log Out Other Browser Sessions": "Одјавите Се Са Других Сесија Прегледача", + "Manage Account": "Upravljaj nalogom", + "Manage and log out your active sessions on other browsers and devices.": "Управљајте активним сесијама и одјавите их у другим прегледачима и уређајима.", + "Manage API Tokens": "Upravljanje API tokenima", + "Manage Role": "Upravljaj rolom", + "Manage Team": "Upravljaj timom", + "Name": "Ime", + "New Password": "Nova lozinka", + "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.": "Jednom kada se tim izbriše, svi njegovi resursi i podaci biće trajno izbrisani. Pre brisanja ovog tima, preuzmite sve podatke ili informacije u vezi sa timom koje želite da zadržite.", + "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.": "Jednom kada se vaš nalog izbriše, svi njegovi resursi i podaci biće trajno izbrisani. Pre brisanja naloga, preuzmite sve podatke ili informacije koje želite da zadržite.", + "Password": "Lozinka", + "Pending Team Invitations": "Чекајући Позивнице Тима", + "Permanently delete this team.": "Trajno izbriši ovaj tim.", + "Permanently delete your account.": "Trajno izbrišite svoj nalog.", + "Permissions": "Dozvole", + "Photo": "Slika", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Molimo potvrdite pristup Vašem nalogu tako što ćete uneti jedan od kodova za obnovu.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Molimo potvrdite pristup Vašem nalogu tako što ćete uneti kod za autentifikaciju koju ste dobili od vaše aplikacije za autentifikaciju.", + "Please copy your new API token. For your security, it won't be shown again.": "Kopirajte svoj novi API token. Zbog vaše sigurnosti neće se ponovo prikazivati.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Унесите лозинку да бисте потврдили да желите да се одјавите са других сесија прегледача на свим својим уређајима.", + "Please provide the email address of the person you would like to add to this team.": "Молимо наведите адресу е-поште особе коју желите да додате овој наредби.", + "Privacy Policy": "политика приватности", + "Profile": "Profil", + "Profile Information": "Informacije o profilu", + "Recovery Code": "Kod za povraćaj naloga", + "Regenerate Recovery Codes": "Obnovite kodove za oporavak", + "Register": "Registracija", + "Remember me": "Zapamti me", + "Remove": "Ukloni", + "Remove Photo": "Obriši sliku", + "Remove Team Member": "Uklonite člana tima", + "Resend Verification Email": "Ponovo pošalji verifikacioni mejl", + "Reset Password": "Resetuj lozinku", + "Role": "Rola", + "Save": "Sačuvaj", + "Saved.": "Sačuvano.", + "Select A New Photo": "Izaberi novu sliku", + "Show Recovery Codes": "Prikaži kodove za oporavak", + "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.": "Čuvajte ove kodove za oporavak u sigurnom menadžeru lozinki. Mogu se koristiti za oporavak pristupa vašem nalogu ako se izgubi dvofaktorski uređaj za potvrdu identiteta.", + "Switch Teams": "Promeni tim", + "Team Details": "Detalji tima", + "Team Invitation": "Позив за тим", + "Team Members": "Članovi tima", + "Team Name": "Ime time", + "Team Owner": "Vlasnik tima", + "Team Settings": "Podešavanje tima", + "Terms of Service": "услови услуге", + "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 a valid role.": ":attribute mora biti validna rola.", + "The :attribute must be at least :length characters and contain at least one number.": ":attribute mora biti najmanje :length karaktera i mora sadržati barem jedan broj.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute мора бити најмање 1.535 знакова и садржи најмање један посебан знак и један број.", + "The :attribute must be at least :length characters and contain at least one special character.": ":attribute mora biti najmanje :length karaktera i mora sadržati barem jedan specijalni karakter.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute mora biti najmanje :length karaktera i mora sadržati jedno veliko slovo i jedan broj.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute mora biti najmanje :length karaktera i mora sadržati jedno veliko slovo i jedan specijalni karakter.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute mora biti najmanje :length karaktera i mora sadržati jedno veliko slovo, jedan broj i jedan specijalni karakter.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute mora biti najmanje :length karaktera i mora sadržati jedno veliko slovo.", + "The :attribute must be at least :length characters.": ":attribute mora biti najmanje :length karaktera.", + "The provided password does not match your current password.": "Uneli ste lozinku koja se ne poklapa sa Vašom lozinkom.", + "The provided password was incorrect.": "Uneta lozinka nije tačna.", + "The provided two factor authentication code was invalid.": "Kod za dvofaktorsku autentifikaciju nije validan.", + "The team's name and owner information.": "Informacije o imenu tima i vlasniku.", + "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.": "Ови људи су позвани у ваш тим и добили су позивницу путем е-поште. Они се могу придружити тиму прихватањем позива путем е-поште.", + "This device": "Ovaj uređaj", + "This is a secure area of the application. Please confirm your password before continuing.": "Ово је сигурно подручје апликације. Молимо потврдите лозинку пре него што наставите.", + "This password does not match our records.": "Lozinka se ne poklapa sa našom bazom.", + "This user already belongs to the team.": "Ovaj korisnik već pripada ovom timu.", + "This user has already been invited to the team.": "Овај корисник је већ позван у тим.", + "Token Name": "Ime tokena", + "Two Factor Authentication": "Dvofaktorska autentifikacija", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Dvofaktorska autentifikacija je sada omogućena. Skenirajte sledeći QR kod pomoću aplikacije za autentifikaciju vašeg telefona.", + "Update Password": "Ažuriraj lozinku", + "Update your account's profile information and email address.": "Ažurirajte informacije o profilu naloga i adresu e-pošte.", + "Use a recovery code": "Koristi kod za povratak naloga", + "Use an authentication code": "Koristi kod za autentifikaciju naloga", + "We were unable to find a registered user with this email address.": "Nismo uspeli da nađemo registrovanog korisnika sa ovom email adresom.", + "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.": "Kada je omogućena dvostepena potvrda identiteta, od vas će se tražiti siguran, slučajni token tokom potvrde identiteta. Ovaj token možete da preuzmete iz aplikacije Google Authenticator na telefonu.", + "Whoops! Something went wrong.": "Ups! Nešto nije u redu.", + "You have been invited to join the :team team!": "Позвани сте да се придружите тиму :team!", + "You have enabled two factor authentication.": "Omogućili ste dvofaktorsku potvrdu identiteta.", + "You have not enabled two factor authentication.": "Niste omogućili dvofaktorsku potvrdu identiteta.", + "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.": "Možete izbrisati bilo koji od postojećih tokena ako više nisu potrebni.", + "You may not delete your personal team.": "Ne možete izbrisati svoj lični tim.", + "You may not leave a team that you created.": "Ne možete napustiti tim koji ste Vi kreirali." +} diff --git a/locales/sr_Latn/packages/nova.json b/locales/sr_Latn/packages/nova.json new file mode 100644 index 00000000000..402eb9f066b --- /dev/null +++ b/locales/sr_Latn/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 дана", + "60 Days": "60 дана", + "90 Days": "90 дана", + ":amount Total": "Само :amount", + ":resource Details": ":resource детаљи", + ":resource Details: :title": ":resource детаљи: :title", + "Action": "Акција", + "Action Happened At": "Догодило Се У", + "Action Initiated By": "Иницирано", + "Action Name": "Име", + "Action Status": "Статус", + "Action Target": "Циљ", + "Actions": "Акције", + "Add row": "Додајте линију", + "Afghanistan": "Авганистан", + "Aland Islands": "Оландска Острва", + "Albania": "Албанија", + "Algeria": "Алжир", + "All resources loaded.": "Сви ресурси су учитани.", + "American Samoa": "Америчка Самоа", + "An error occured while uploading the file.": "Дошло је до грешке приликом преузимања датотеке.", + "Andorra": "Андора", + "Angola": "Ангола", + "Anguilla": "Ангвила", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Други корисник је ажурирао овај ресурс од учитавања ове странице. Молимо ажурирајте страницу и покушајте поново.", + "Antarctica": "Антарктика", + "Antigua And Barbuda": "Антигва и Барбуда", + "April": "Април", + "Are you sure you want to delete the selected resources?": "Јесте ли сигурни да желите уклонити одабране ресурсе?", + "Are you sure you want to delete this file?": "Јесте ли сигурни да желите да избришете ову датотеку?", + "Are you sure you want to delete this resource?": "Јесте ли сигурни да желите да избришете овај ресурс?", + "Are you sure you want to detach the selected resources?": "Јесте ли сигурни да желите одвојити одабране ресурсе?", + "Are you sure you want to detach this resource?": "Јесте ли сигурни да желите да одвојите овај ресурс?", + "Are you sure you want to force delete the selected resources?": "Јесте ли сигурни да желите присилно уклонити одабране ресурсе?", + "Are you sure you want to force delete this resource?": "Јесте ли сигурни да желите да присилно уклоните овај ресурс?", + "Are you sure you want to restore the selected resources?": "Да ли сте сигурни да желите да вратите одабране ресурсе?", + "Are you sure you want to restore this resource?": "Јесте ли сигурни да желите да вратите овај ресурс?", + "Are you sure you want to run this action?": "Јесте ли сигурни да желите да покренете ову акцију?", + "Argentina": "Аргентина", + "Armenia": "Јерменија", + "Aruba": "Аруба", + "Attach": "Приложити", + "Attach & Attach Another": "Причврстите и причврстите још један", + "Attach :resource": "Приложите :resource", + "August": "Август", + "Australia": "Аустралија", + "Austria": "Аустрија", + "Azerbaijan": "Азербејџан", + "Bahamas": "Бахами", + "Bahrain": "Бахреин", + "Bangladesh": "Бангладеш", + "Barbados": "Барбадос", + "Belarus": "Белорусија", + "Belgium": "Белгија", + "Belize": "Белизе", + "Benin": "Бенин", + "Bermuda": "Бермуда", + "Bhutan": "Бутан", + "Bolivia": "Боливија", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sabbath", + "Bosnia And Herzegovina": "Босна и Херцеговина", + "Botswana": "Боцвана", + "Bouvet Island": "Острво Буве", + "Brazil": "Бразил", + "British Indian Ocean Territory": "Британска територија Индијског океана", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Бугарска", + "Burkina Faso": "Буркина Фасо", + "Burundi": "Бурунди", + "Cambodia": "Камбоџа", + "Cameroon": "Камерун", + "Canada": "Канада", + "Cancel": "Откажи", + "Cape Verde": "Зеленортска Острва", + "Cayman Islands": "Кајманска острва", + "Central African Republic": "Централноафричка Република", + "Chad": "Чад", + "Changes": "Промене", + "Chile": "Чиле", + "China": "Кина", + "Choose": "Изабрати", + "Choose :field": "Изаберите :field", + "Choose :resource": "Изаберите :resource", + "Choose an option": "Изаберите опцију", + "Choose date": "Изаберите датум", + "Choose File": "Изаберите Датотеку", + "Choose Type": "Изаберите Тип", + "Christmas Island": "Божићно Острво", + "Click to choose": "Кликните да бисте изабрали", + "Cocos (Keeling) Islands": "Кокос (Килинг) Острва", + "Colombia": "Колумбија", + "Comoros": "Комори", + "Confirm Password": "Potvrdite lozinku", + "Congo": "Конго", + "Congo, Democratic Republic": "Конго, Демократска Република", + "Constant": "Стални", + "Cook Islands": "Кукова Острва", + "Costa Rica": "Костарика", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "nije uspeo da ga naðe.", + "Create": "Kreiraj", + "Create & Add Another": "Креирајте и додајте још један", + "Create :resource": "Направите :resource", + "Croatia": "Хрватска", + "Cuba": "Куба", + "Curaçao": "Цурацао", + "Customize": "Прилагодите", + "Cyprus": "Кипар", + "Czech Republic": "Чешка", + "Dashboard": "Kontrolna tabla", + "December": "Децембар", + "Decrease": "Смањите", + "Delete": "Brisanje", + "Delete File": "Избришите датотеку", + "Delete Resource": "Уклоните ресурс", + "Delete Selected": "Уклонили", + "Denmark": "Данска", + "Detach": "Искључите", + "Detach Resource": "Искључите ресурс", + "Detach Selected": "Искључите Изабрани", + "Details": "Детаљи", + "Djibouti": "Џибути", + "Do you really want to leave? You have unsaved changes.": "Stvarno želiš da odeš? Имате неспремљене промене.", + "Dominica": "Недеља", + "Dominican Republic": "Доминиканска Република", + "Download": "Преузимање", + "Ecuador": "Еквадор", + "Edit": "Уреди", + "Edit :resource": "Измена :resource", + "Edit Attached": "Уређивање Је Приложено", + "Egypt": "Египат", + "El Salvador": "Спаситељ", + "Email Address": "адреса е-поште", + "Equatorial Guinea": "Екваторијална Гвинеја", + "Eritrea": "Еритреја", + "Estonia": "Естонија", + "Ethiopia": "Етиопија", + "Falkland Islands (Malvinas)": "Фокландска Острва (Ислас Малвинас) )", + "Faroe Islands": "Фарска Острва", + "February": "Фебруар", + "Fiji": "Фиџи", + "Finland": "Финска", + "Force Delete": "Присилно уклањање", + "Force Delete Resource": "Присилно уклањање ресурса", + "Force Delete Selected": "Присилно Уклањање Изабраног", + "Forgot Your Password?": "Zaboravili ste lozinku?", + "Forgot your password?": "Zaboravili ste lozinku?", + "France": "Француска", + "French Guiana": "Француска Гвајана", + "French Polynesia": "Француска Полинезија", + "French Southern Territories": "Tj", + "Gabon": "Габон", + "Gambia": "Гамбија", + "Georgia": "Грузија", + "Germany": "Немачка", + "Ghana": "Гана", + "Gibraltar": "Гибралтар", + "Go Home": "Idi na pocetnu", + "Greece": "Грчка", + "Greenland": "Гренланд", + "Grenada": "Гренада", + "Guadeloupe": "Гваделуп", + "Guam": "Гуам", + "Guatemala": "Гватемала", + "Guernsey": "Гернзи", + "Guinea": "Гвинеја", + "Guinea-Bissau": "Гвинеја Бисао", + "Guyana": "Гвајана", + "Haiti": "Хаити", + "Heard Island & Mcdonald Islands": "Острва Херд и Мекдоналд", + "Hide Content": "Сакриј садржај", + "Hold Up!": "- Погоди!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Хондурас", + "Hong Kong": "Hong Kong", + "Hungary": "Мађарска", + "Iceland": "Исланд", + "ID": "ИД", + "If you did not request a password reset, no further action is required.": "Ukoliko niste zahtevali promenu lozinke, nije potrebno da preduzimate dalje korake.", + "Increase": "Повећање", + "India": "Индија", + "Indonesia": "Индонезија", + "Iran, Islamic Republic Of": "Иран", + "Iraq": "Ирак", + "Ireland": "Ирска", + "Isle Of Man": "Острво Ман", + "Israel": "Израел", + "Italy": "Италија", + "Jamaica": "Јамајка", + "January": "Јануар", + "Japan": "Јапан", + "Jersey": "Џерси", + "Jordan": "Јордан", + "July": "Јул", + "June": "Јун", + "Kazakhstan": "Казахстан", + "Kenya": "Кенија", + "Key": "Кључ", + "Kiribati": "Кирибати", + "Korea": "Јужна Кореја", + "Korea, Democratic People's Republic of": "Северна Кореја", + "Kosovo": "Косово", + "Kuwait": "Кувајт", + "Kyrgyzstan": "Киргистан", + "Lao People's Democratic Republic": "Лаос", + "Latvia": "Летонија", + "Lebanon": "Либан", + "Lens": "Објектив", + "Lesotho": "Лесото", + "Liberia": "Либерија", + "Libyan Arab Jamahiriya": "Либија", + "Liechtenstein": "Лихтенштајн", + "Lithuania": "Литванија", + "Load :perPage More": "Преузмите још 3.936 страница", + "Login": "Prijava", + "Logout": "Odjava", + "Luxembourg": "Luxembourg", + "Macao": "Макао", + "Macedonia": "Северна Македонија", + "Madagascar": "Мадагаскар", + "Malawi": "Малави", + "Malaysia": "Малезија", + "Maldives": "Малдиви", + "Mali": "Мали", + "Malta": "Малта", + "March": "Март", + "Marshall Islands": "Маршалска Острва", + "Martinique": "Мартиник", + "Mauritania": "Мауританија", + "Mauritius": "Маурицијус", + "May": "Мај", + "Mayotte": "Мајот", + "Mexico": "Мексико", + "Micronesia, Federated States Of": "Микронезија", + "Moldova": "Молдавија", + "Monaco": "Монако", + "Mongolia": "Монголија", + "Montenegro": "Црна Гора", + "Month To Date": "Месец До Данас", + "Montserrat": "Монтсеррат", + "Morocco": "Мароко", + "Mozambique": "Мозамбик", + "Myanmar": "Мијанмар", + "Namibia": "Намибија", + "Nauru": "Науру", + "Nepal": "Непал", + "Netherlands": "Холандија", + "New": "Ново", + "New :resource": "Нови :resource", + "New Caledonia": "Нова Каледонија", + "New Zealand": "Нови Зеланд", + "Next": "Следећи", + "Nicaragua": "Никарагва", + "Niger": "Нигер", + "Nigeria": "Нигерија", + "Niue": "Ниуе", + "No": "Нема", + "No :resource matched the given criteria.": "# :resource је испунио Дате критеријуме.", + "No additional information...": "Нема додатних информација...", + "No Current Data": "Нема Тренутних Података", + "No Data": "Нема Података", + "no file selected": "датотека није изабрана", + "No Increase": "Нема Повећања", + "No Prior Data": "Нема Прелиминарних Података", + "No Results Found.": "Нису Пронађени Резултати.", + "Norfolk Island": "Острво Норфолк", + "Northern Mariana Islands": "Северна Маријанска острва", + "Norway": "Норвешка", + "Nova User": "Нова Корисник", + "November": "Новембар", + "October": "Октобар", + "of": "од", + "Oman": "Оман", + "Only Trashed": "Само Уништен", + "Original": "Оригинал", + "Pakistan": "Пакистан", + "Palau": "Палау", + "Palestinian Territory, Occupied": "Палестинске територије", + "Panama": "Панама", + "Papua New Guinea": "Папуа Нова Гвинеја", + "Paraguay": "Парагвај", + "Password": "Lozinka", + "Per Page": "На Страницу", + "Peru": "Перу", + "Philippines": "Филипини", + "Pitcairn": "Острва Питцаирн", + "Poland": "Пољска", + "Portugal": "Португал", + "Press \/ to search": "Кликните \/ за претрагу", + "Preview": "Преглед", + "Previous": "Претходни", + "Puerto Rico": "Порторико", + "Qatar": "Qatar", + "Quarter To Date": "Четвртина До Данас", + "Reload": "Поново", + "Remember Me": "Zapamti me", + "Reset Filters": "Ресетовање филтера", + "Reset Password": "Resetuj lozinku", + "Reset Password Notification": "Obaveštenje o resetovanju lozinke", + "resource": "ресурс", + "Resources": "Ресурси", + "resources": "ресурси", + "Restore": "Обнови", + "Restore Resource": "Опоравак ресурса", + "Restore Selected": "Вратите Изабрано", + "Reunion": "Реинион", + "Romania": "Румунија", + "Run Action": "Извршите акцију", + "Russian Federation": "Руска Федерација", + "Rwanda": "Руанда", + "Saint Barthelemy": "Свети Бартоломеј", + "Saint Helena": "Света Хелена", + "Saint Kitts And Nevis": "Свети Китс и Невис", + "Saint Lucia": "Света Луција", + "Saint Martin": "Свети Мартин", + "Saint Pierre And Miquelon": "Сен Пјер и Микелон", + "Saint Vincent And Grenadines": "Сент Винсент и Гренадини", + "Samoa": "Самоа", + "San Marino": "Сан Марино", + "Sao Tome And Principe": "Сао Томе и Принципе", + "Saudi Arabia": "Саудијска Арабија", + "Search": "Претрага", + "Select Action": "Изаберите Акцију", + "Select All": "изаберите све", + "Select All Matching": "Изаберите Све Одговарајуће", + "Send Password Reset Link": "Pošalji link za resetovanje lozinke", + "Senegal": "Сенегал", + "September": "Септембар", + "Serbia": "Србија", + "Seychelles": "Сејшели", + "Show All Fields": "Прикажи Сва Поља", + "Show Content": "Прикажи садржај", + "Sierra Leone": "Сијера Леоне", + "Singapore": "Сингапур", + "Sint Maarten (Dutch part)": "Синт Мартин", + "Slovakia": "Словачка", + "Slovenia": "Словенија", + "Solomon Islands": "Соломонска Острва", + "Somalia": "Сомалија", + "Something went wrong.": "Нешто је пошло по злу.", + "Sorry! You are not authorized to perform this action.": "Izvini! Нисте овлашћени да извршите ову акцију.", + "Sorry, your session has expired.": "Извините, ваша сесија је истекла.", + "South Africa": "Јужна Африка", + "South Georgia And Sandwich Isl.": "Јужна Џорџија и Јужна Сендвичка Острва", + "South Sudan": "Јужни Судан", + "Spain": "Шпанија", + "Sri Lanka": "Шри Ланка", + "Start Polling": "Започните анкету", + "Stop Polling": "Зауставите анкету", + "Sudan": "Судан", + "Suriname": "Суринам", + "Svalbard And Jan Mayen": "Свалбард и Јан-Маиен", + "Swaziland": "Eswatini", + "Sweden": "Шведска", + "Switzerland": "Швајцарска", + "Syrian Arab Republic": "Сирија", + "Taiwan": "Тајван", + "Tajikistan": "Таџикистан", + "Tanzania": "Танзанија", + "Thailand": "Тајланд", + "The :resource was created!": ":resource је створен!", + "The :resource was deleted!": ":resource је уклоњен!", + "The :resource was restored!": ":resource је обновљен!", + "The :resource was updated!": ":resource је ажуриран!", + "The action ran successfully!": "Промоција је била успешна!", + "The file was deleted!": "Датотека је избрисана!", + "The government won't let us show you what's behind these doors": "Влада нам неће дозволити да вам покажемо шта је иза тих врата", + "The HasOne relationship has already been filled.": "Хасонеов однос је већ испуњен.", + "The resource was updated!": "Ресурс је ажуриран!", + "There are no available options for this resource.": "За овај ресурс нема доступних опција.", + "There was a problem executing the action.": "Постојао је проблем са извођењем акције.", + "There was a problem submitting the form.": "Постојао је проблем са подношењем обрасца.", + "This file field is read-only.": "Ово поље датотеке је само за читање.", + "This image": "Ова слика", + "This resource no longer exists": "Овај ресурс више не постоји", + "Timor-Leste": "Тимор-Лесте", + "Today": "Данас", + "Togo": "Тога", + "Tokelau": "Токелау", + "Tonga": "Дођите", + "total": "све", + "Trashed": "Сломљен", + "Trinidad And Tobago": "Тринидад и Тобаго", + "Tunisia": "Тунис", + "Turkey": "Ћуретина", + "Turkmenistan": "Туркменистан", + "Turks And Caicos Islands": "Острва Туркс и Каикос", + "Tuvalu": "Тувалу", + "Uganda": "Уганда", + "Ukraine": "Украјина", + "United Arab Emirates": "Уједињени Арапски Емирати", + "United Kingdom": "Велика Британија", + "United States": "Сједињене Државе", + "United States Outlying Islands": "Удаљена острва САД", + "Update": "Ажурирање", + "Update & Continue Editing": "Ажурирање и наставак уређивања", + "Update :resource": "Ажурирање :resource", + "Update :resource: :title": "Ажурирање :resource: :title", + "Update attached :resource: :title": "Ажурирање долази у прилогу :resource: :title", + "Uruguay": "Уругвај", + "Uzbekistan": "Узбекистан", + "Value": "Вредност", + "Vanuatu": "Вануату", + "Venezuela": "Венецуела", + "Viet Nam": "Vietnam", + "View": "Погледајте", + "Virgin Islands, British": "Британска Девичанска Острва", + "Virgin Islands, U.S.": "Америчка Девичанска Острва", + "Wallis And Futuna": "Валлис и Футуна", + "We're lost in space. The page you were trying to view does not exist.": "Изгубили смо се у свемиру. Страница коју сте покушали прегледати не постоји.", + "Welcome Back!": "Dobrodošao Nazad!", + "Western Sahara": "Западна Сахара", + "Whoops": "Упс", + "Whoops!": "Ups!", + "With Trashed": "Са Разбијеним", + "Write": "Писање", + "Year To Date": "Година До Данас", + "Yemen": "Јемен", + "Yes": "Да", + "You are receiving this email because we received a password reset request for your account.": "Dobili ste ovaj email zato što samo primili zahtev za promenu lozinke za Vaš nalog.", + "Zambia": "Замбија", + "Zimbabwe": "Зимбабве" +} diff --git a/locales/sr_Latn/packages/spark-paddle.json b/locales/sr_Latn/packages/spark-paddle.json new file mode 100644 index 00000000000..d0c0ffa12b2 --- /dev/null +++ b/locales/sr_Latn/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "услови услуге", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Ups! Nešto nije u redu.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/sr_Latn/packages/spark-stripe.json b/locales/sr_Latn/packages/spark-stripe.json new file mode 100644 index 00000000000..e1998c3b884 --- /dev/null +++ b/locales/sr_Latn/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Авганистан", + "Albania": "Албанија", + "Algeria": "Алжир", + "American Samoa": "Америчка Самоа", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Андора", + "Angola": "Ангола", + "Anguilla": "Ангвила", + "Antarctica": "Антарктика", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Аргентина", + "Armenia": "Јерменија", + "Aruba": "Аруба", + "Australia": "Аустралија", + "Austria": "Аустрија", + "Azerbaijan": "Азербејџан", + "Bahamas": "Бахами", + "Bahrain": "Бахреин", + "Bangladesh": "Бангладеш", + "Barbados": "Барбадос", + "Belarus": "Белорусија", + "Belgium": "Белгија", + "Belize": "Белизе", + "Benin": "Бенин", + "Bermuda": "Бермуда", + "Bhutan": "Бутан", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Боцвана", + "Bouvet Island": "Острво Буве", + "Brazil": "Бразил", + "British Indian Ocean Territory": "Британска територија Индијског океана", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Бугарска", + "Burkina Faso": "Буркина Фасо", + "Burundi": "Бурунди", + "Cambodia": "Камбоџа", + "Cameroon": "Камерун", + "Canada": "Канада", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Зеленортска Острва", + "Card": "Карта", + "Cayman Islands": "Кајманска острва", + "Central African Republic": "Централноафричка Република", + "Chad": "Чад", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Чиле", + "China": "Кина", + "Christmas Island": "Божићно Острво", + "City": "City", + "Cocos (Keeling) Islands": "Кокос (Килинг) Острва", + "Colombia": "Колумбија", + "Comoros": "Комори", + "Confirm Payment": "Потврдите Плаћање", + "Confirm your :amount payment": "Потврдите уплату :amount", + "Congo": "Конго", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Кукова Острва", + "Costa Rica": "Костарика", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Хрватска", + "Cuba": "Куба", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Кипар", + "Czech Republic": "Чешка", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Данска", + "Djibouti": "Џибути", + "Dominica": "Недеља", + "Dominican Republic": "Доминиканска Република", + "Download Receipt": "Download Receipt", + "Ecuador": "Еквадор", + "Egypt": "Египат", + "El Salvador": "Спаситељ", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Екваторијална Гвинеја", + "Eritrea": "Еритреја", + "Estonia": "Естонија", + "Ethiopia": "Етиопија", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "За обраду плаћања потребна је додатна потврда. Молимо идите на страницу за плаћање кликом на дугме испод.", + "Falkland Islands (Malvinas)": "Фокландска Острва (Ислас Малвинас) )", + "Faroe Islands": "Фарска Острва", + "Fiji": "Фиџи", + "Finland": "Финска", + "France": "Француска", + "French Guiana": "Француска Гвајана", + "French Polynesia": "Француска Полинезија", + "French Southern Territories": "Tj", + "Gabon": "Габон", + "Gambia": "Гамбија", + "Georgia": "Грузија", + "Germany": "Немачка", + "Ghana": "Гана", + "Gibraltar": "Гибралтар", + "Greece": "Грчка", + "Greenland": "Гренланд", + "Grenada": "Гренада", + "Guadeloupe": "Гваделуп", + "Guam": "Гуам", + "Guatemala": "Гватемала", + "Guernsey": "Гернзи", + "Guinea": "Гвинеја", + "Guinea-Bissau": "Гвинеја Бисао", + "Guyana": "Гвајана", + "Haiti": "Хаити", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Хондурас", + "Hong Kong": "Hong Kong", + "Hungary": "Мађарска", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Исланд", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Индија", + "Indonesia": "Индонезија", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Ирак", + "Ireland": "Ирска", + "Isle of Man": "Isle of Man", + "Israel": "Израел", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Италија", + "Jamaica": "Јамајка", + "Japan": "Јапан", + "Jersey": "Џерси", + "Jordan": "Јордан", + "Kazakhstan": "Казахстан", + "Kenya": "Кенија", + "Kiribati": "Кирибати", + "Korea, Democratic People's Republic of": "Северна Кореја", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Кувајт", + "Kyrgyzstan": "Киргистан", + "Lao People's Democratic Republic": "Лаос", + "Latvia": "Летонија", + "Lebanon": "Либан", + "Lesotho": "Лесото", + "Liberia": "Либерија", + "Libyan Arab Jamahiriya": "Либија", + "Liechtenstein": "Лихтенштајн", + "Lithuania": "Литванија", + "Luxembourg": "Luxembourg", + "Macao": "Макао", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Мадагаскар", + "Malawi": "Малави", + "Malaysia": "Малезија", + "Maldives": "Малдиви", + "Mali": "Мали", + "Malta": "Малта", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Маршалска Острва", + "Martinique": "Мартиник", + "Mauritania": "Мауританија", + "Mauritius": "Маурицијус", + "Mayotte": "Мајот", + "Mexico": "Мексико", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Монако", + "Mongolia": "Монголија", + "Montenegro": "Црна Гора", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Монтсеррат", + "Morocco": "Мароко", + "Mozambique": "Мозамбик", + "Myanmar": "Мијанмар", + "Namibia": "Намибија", + "Nauru": "Науру", + "Nepal": "Непал", + "Netherlands": "Холандија", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Нова Каледонија", + "New Zealand": "Нови Зеланд", + "Nicaragua": "Никарагва", + "Niger": "Нигер", + "Nigeria": "Нигерија", + "Niue": "Ниуе", + "Norfolk Island": "Острво Норфолк", + "Northern Mariana Islands": "Северна Маријанска острва", + "Norway": "Норвешка", + "Oman": "Оман", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Пакистан", + "Palau": "Палау", + "Palestinian Territory, Occupied": "Палестинске територије", + "Panama": "Панама", + "Papua New Guinea": "Папуа Нова Гвинеја", + "Paraguay": "Парагвај", + "Payment Information": "Payment Information", + "Peru": "Перу", + "Philippines": "Филипини", + "Pitcairn": "Острва Питцаирн", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Пољска", + "Portugal": "Португал", + "Puerto Rico": "Порторико", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Румунија", + "Russian Federation": "Руска Федерација", + "Rwanda": "Руанда", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Света Хелена", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Света Луција", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Самоа", + "San Marino": "Сан Марино", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Саудијска Арабија", + "Save": "Sačuvaj", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Сенегал", + "Serbia": "Србија", + "Seychelles": "Сејшели", + "Sierra Leone": "Сијера Леоне", + "Signed in as": "Signed in as", + "Singapore": "Сингапур", + "Slovakia": "Словачка", + "Slovenia": "Словенија", + "Solomon Islands": "Соломонска Острва", + "Somalia": "Сомалија", + "South Africa": "Јужна Африка", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Шпанија", + "Sri Lanka": "Шри Ланка", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Судан", + "Suriname": "Суринам", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Шведска", + "Switzerland": "Швајцарска", + "Syrian Arab Republic": "Сирија", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Таџикистан", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "услови услуге", + "Thailand": "Тајланд", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Тимор-Лесте", + "Togo": "Тога", + "Tokelau": "Токелау", + "Tonga": "Дођите", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Тунис", + "Turkey": "Ћуретина", + "Turkmenistan": "Туркменистан", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Тувалу", + "Uganda": "Уганда", + "Ukraine": "Украјина", + "United Arab Emirates": "Уједињени Арапски Емирати", + "United Kingdom": "Велика Британија", + "United States": "Сједињене Државе", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Ажурирање", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Уругвај", + "Uzbekistan": "Узбекистан", + "Vanuatu": "Вануату", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Британска Девичанска Острва", + "Virgin Islands, U.S.": "Америчка Девичанска Острва", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Западна Сахара", + "Whoops! Something went wrong.": "Ups! Nešto nije u redu.", + "Yearly": "Yearly", + "Yemen": "Јемен", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Замбија", + "Zimbabwe": "Зимбабве", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/sr_Latn/sr_Latn.json b/locales/sr_Latn/sr_Latn.json index 1ec828ba494..fc380b39b84 100644 --- a/locales/sr_Latn/sr_Latn.json +++ b/locales/sr_Latn/sr_Latn.json @@ -1,710 +1,48 @@ { - "30 Days": "30 дана", - "60 Days": "60 дана", - "90 Days": "90 дана", - ":amount Total": "Само :amount", - ":days day trial": ":days day trial", - ":resource Details": ":resource детаљи", - ":resource Details: :title": ":resource детаљи: :title", "A fresh verification link has been sent to your email address.": "Novi verifikacioni link je poslat na Vašu e-mail adresu.", - "A new verification link has been sent to the email address you provided during registration.": "Novi verifikacioni link je poslat na Vašu e-mail adresu koju ste uneli u toku registracije.", - "Accept Invitation": "Прихватите Позивницу", - "Action": "Акција", - "Action Happened At": "Догодило Се У", - "Action Initiated By": "Иницирано", - "Action Name": "Име", - "Action Status": "Статус", - "Action Target": "Циљ", - "Actions": "Акције", - "Add": "Dodaj", - "Add a new team member to your team, allowing them to collaborate with you.": "Dodaj novog člana tima u tvoj tim, dozvoljavajući mu da radi sa tobom.", - "Add additional security to your account using two factor authentication.": "Dodaj dodatnu sigurnost tvoj nalogu tako sto ćes koristiti autentifikaciju u dva koraka.", - "Add row": "Додајте линију", - "Add Team Member": "Dodaj novog člana tima.", - "Add VAT Number": "Add VAT Number", - "Added.": "Dodato.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Администратор", - "Administrator users can perform any action.": "Администраторски корисници могу обављати било коју радњу.", - "Afghanistan": "Авганистан", - "Aland Islands": "Оландска Острва", - "Albania": "Албанија", - "Algeria": "Алжир", - "All of the people that are part of this team.": "Svi ljudi koji su deo ovog tima.", - "All resources loaded.": "Сви ресурси су учитани.", - "All rights reserved.": "Sva prava zadržana.", - "Already registered?": "Već ste registrovani?", - "American Samoa": "Америчка Самоа", - "An error occured while uploading the file.": "Дошло је до грешке приликом преузимања датотеке.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Андора", - "Angola": "Ангола", - "Anguilla": "Ангвила", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Други корисник је ажурирао овај ресурс од учитавања ове странице. Молимо ажурирајте страницу и покушајте поново.", - "Antarctica": "Антарктика", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Антигва и Барбуда", - "API Token": "API Token", - "API Token Permissions": "Dozvole API tokena", - "API Tokens": "API Tokeni", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API token omogućava uslugama nezavisnih proizvođača da se autentifikuju pomoću naše aplikacije u vaše ime.", - "April": "Април", - "Are you sure you want to delete the selected resources?": "Јесте ли сигурни да желите уклонити одабране ресурсе?", - "Are you sure you want to delete this file?": "Јесте ли сигурни да желите да избришете ову датотеку?", - "Are you sure you want to delete this resource?": "Јесте ли сигурни да желите да избришете овај ресурс?", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Da li ste sigurni da želite da izbrišete ovaj tim? Jednom kada se tim izbriše, svi njegovi resursi i podaci biće trajno izbrisani.", - "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.": "Da li ste sigurni da želite da izbrišete svoj nalog? Jednom kada se vaš nalog izbriše, svi njegovi resursi i podaci biće trajno izbrisani. Unesite lozinku da biste potvrdili da želite trajno izbrisati nalog.", - "Are you sure you want to detach the selected resources?": "Јесте ли сигурни да желите одвојити одабране ресурсе?", - "Are you sure you want to detach this resource?": "Јесте ли сигурни да желите да одвојите овај ресурс?", - "Are you sure you want to force delete the selected resources?": "Јесте ли сигурни да желите присилно уклонити одабране ресурсе?", - "Are you sure you want to force delete this resource?": "Јесте ли сигурни да желите да присилно уклоните овај ресурс?", - "Are you sure you want to restore the selected resources?": "Да ли сте сигурни да желите да вратите одабране ресурсе?", - "Are you sure you want to restore this resource?": "Јесте ли сигурни да желите да вратите овај ресурс?", - "Are you sure you want to run this action?": "Јесте ли сигурни да желите да покренете ову акцију?", - "Are you sure you would like to delete this API token?": "Da li ste sigurni da želite da izbrišete ovaj API token?", - "Are you sure you would like to leave this team?": "Da li ste sigurni da biste želeli da napustite ovaj tim?", - "Are you sure you would like to remove this person from the team?": "Da li ste sigurni da želite da uklonite ovu osobu iz tima?", - "Argentina": "Аргентина", - "Armenia": "Јерменија", - "Aruba": "Аруба", - "Attach": "Приложити", - "Attach & Attach Another": "Причврстите и причврстите још један", - "Attach :resource": "Приложите :resource", - "August": "Август", - "Australia": "Аустралија", - "Austria": "Аустрија", - "Azerbaijan": "Азербејџан", - "Bahamas": "Бахами", - "Bahrain": "Бахреин", - "Bangladesh": "Бангладеш", - "Barbados": "Барбадос", "Before proceeding, please check your email for a verification link.": "Pre nego sto nastavite, molimo Vaš proverite e-mail za verifikacioni link.", - "Belarus": "Белорусија", - "Belgium": "Белгија", - "Belize": "Белизе", - "Benin": "Бенин", - "Bermuda": "Бермуда", - "Bhutan": "Бутан", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Боливија", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sabbath", - "Bosnia And Herzegovina": "Босна и Херцеговина", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Боцвана", - "Bouvet Island": "Острво Буве", - "Brazil": "Бразил", - "British Indian Ocean Territory": "Британска територија Индијског океана", - "Browser Sessions": "Sesije web pregledača", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Бугарска", - "Burkina Faso": "Буркина Фасо", - "Burundi": "Бурунди", - "Cambodia": "Камбоџа", - "Cameroon": "Камерун", - "Canada": "Канада", - "Cancel": "Откажи", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Зеленортска Острва", - "Card": "Карта", - "Cayman Islands": "Кајманска острва", - "Central African Republic": "Централноафричка Република", - "Chad": "Чад", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Промене", - "Chile": "Чиле", - "China": "Кина", - "Choose": "Изабрати", - "Choose :field": "Изаберите :field", - "Choose :resource": "Изаберите :resource", - "Choose an option": "Изаберите опцију", - "Choose date": "Изаберите датум", - "Choose File": "Изаберите Датотеку", - "Choose Type": "Изаберите Тип", - "Christmas Island": "Божићно Острво", - "City": "City", "click here to request another": "Kliknite ovde da pošaljete još jedan", - "Click to choose": "Кликните да бисте изабрали", - "Close": "Zatvori", - "Cocos (Keeling) Islands": "Кокос (Килинг) Острва", - "Code": "Kod", - "Colombia": "Колумбија", - "Comoros": "Комори", - "Confirm": "Potvrdi", - "Confirm Password": "Potvrdite lozinku", - "Confirm Payment": "Потврдите Плаћање", - "Confirm your :amount payment": "Потврдите уплату :amount", - "Congo": "Конго", - "Congo, Democratic Republic": "Конго, Демократска Република", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Стални", - "Cook Islands": "Кукова Острва", - "Costa Rica": "Костарика", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "nije uspeo da ga naðe.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Kreiraj", - "Create & Add Another": "Креирајте и додајте још један", - "Create :resource": "Направите :resource", - "Create a new team to collaborate with others on projects.": "Napravite novi tim za saradnju sa drugima na projektima.", - "Create Account": "Креирајте налог", - "Create API Token": "Napravite API Token", - "Create New Team": "Napravite novi tim", - "Create Team": "Napravi tim", - "Created.": "Kreirano.", - "Croatia": "Хрватска", - "Cuba": "Куба", - "Curaçao": "Цурацао", - "Current Password": "Trenutna lozinka", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Прилагодите", - "Cyprus": "Кипар", - "Czech Republic": "Чешка", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Kontrolna tabla", - "December": "Децембар", - "Decrease": "Смањите", - "Delete": "Brisanje", - "Delete Account": "Izbriši nalog", - "Delete API Token": "Obriši API Token", - "Delete File": "Избришите датотеку", - "Delete Resource": "Уклоните ресурс", - "Delete Selected": "Уклонили", - "Delete Team": "Obriši tim", - "Denmark": "Данска", - "Detach": "Искључите", - "Detach Resource": "Искључите ресурс", - "Detach Selected": "Искључите Изабрани", - "Details": "Детаљи", - "Disable": "Deaktiviraj", - "Djibouti": "Џибути", - "Do you really want to leave? You have unsaved changes.": "Stvarno želiš da odeš? Имате неспремљене промене.", - "Dominica": "Недеља", - "Dominican Republic": "Доминиканска Република", - "Done.": "Gotovo.", - "Download": "Преузимање", - "Download Receipt": "Download Receipt", "E-Mail Address": "Adresa elektronske pošte", - "Ecuador": "Еквадор", - "Edit": "Уреди", - "Edit :resource": "Измена :resource", - "Edit Attached": "Уређивање Је Приложено", - "Editor": "Уредник", - "Editor users have the ability to read, create, and update.": "Корисници уређивача имају могућност читања, креирања и ажурирања.", - "Egypt": "Египат", - "El Salvador": "Спаситељ", - "Email": "E-mail", - "Email Address": "адреса е-поште", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Link ka mejlu za reset lozinke", - "Enable": "Aktiviraj", - "Ensure your account is using a long, random password to stay secure.": "Uverite se da nalog koristi dugu nasumičnu lozinku da biste bili sigurni.", - "Equatorial Guinea": "Екваторијална Гвинеја", - "Eritrea": "Еритреја", - "Estonia": "Естонија", - "Ethiopia": "Етиопија", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "За обраду плаћања потребна је додатна потврда. Молимо потврдите уплату попуњавањем детаља о плаћању испод.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "За обраду плаћања потребна је додатна потврда. Молимо идите на страницу за плаћање кликом на дугме испод.", - "Falkland Islands (Malvinas)": "Фокландска Острва (Ислас Малвинас) )", - "Faroe Islands": "Фарска Острва", - "February": "Фебруар", - "Fiji": "Фиџи", - "Finland": "Финска", - "For your security, please confirm your password to continue.": "Radi vaše sigurnosti, potvrdite lozinku da biste nastavili.", "Forbidden": "Zabranjeno", - "Force Delete": "Присилно уклањање", - "Force Delete Resource": "Присилно уклањање ресурса", - "Force Delete Selected": "Присилно Уклањање Изабраног", - "Forgot Your Password?": "Zaboravili ste lozinku?", - "Forgot your password?": "Zaboravili ste lozinku?", - "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.": "Zaboravili ste lozinku? Nema problema. Samo nam recite Vašu email adresu i mi ćemo Vam poslati link za reset lozinke na Vaš mejl koji će Vam omogućiti da izaberete novu lozinku.", - "France": "Француска", - "French Guiana": "Француска Гвајана", - "French Polynesia": "Француска Полинезија", - "French Southern Territories": "Tj", - "Full name": "Пуно име", - "Gabon": "Габон", - "Gambia": "Гамбија", - "Georgia": "Грузија", - "Germany": "Немачка", - "Ghana": "Гана", - "Gibraltar": "Гибралтар", - "Go back": "Повратак", - "Go Home": "Idi na pocetnu", "Go to page :page": "Идите на страницу :page", - "Great! You have accepted the invitation to join the :team team.": "Odlièno! Прихватили сте позив да се придружите тиму :team.", - "Greece": "Грчка", - "Greenland": "Гренланд", - "Grenada": "Гренада", - "Guadeloupe": "Гваделуп", - "Guam": "Гуам", - "Guatemala": "Гватемала", - "Guernsey": "Гернзи", - "Guinea": "Гвинеја", - "Guinea-Bissau": "Гвинеја Бисао", - "Guyana": "Гвајана", - "Haiti": "Хаити", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Острва Херд и Мекдоналд", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Zdravo!", - "Hide Content": "Сакриј садржај", - "Hold Up!": "- Погоди!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Хондурас", - "Hong Kong": "Hong Kong", - "Hungary": "Мађарска", - "I agree to the :terms_of_service and :privacy_policy": "Слажем се са :terms_оф_сервице и :privacy_полици", - "Iceland": "Исланд", - "ID": "ИД", - "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 logout 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.": "Ako je potrebno, možete da se odjavite iz svih ostalih sesija pregledača na svim svojim uređajima. Ako smatrate da je nalog narušen, trebalo bi da ažurirate i lozinku.", - "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.": "Ukoliko niste kreirali nalog, nije potrebno da preduzimate dalje korake.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Ако се не очекује да добије позив у ову команду можете одустати од овог писма.", "If you did not receive the email": "Ako niste primili e-mail", - "If you did not request a password reset, no further action is required.": "Ukoliko niste zahtevali promenu lozinke, nije potrebno da preduzimate dalje korake.", - "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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Ako imate problema pri kliku na \":actionText\" dugme, kopirajte i nalepite URL ispod\n ili u vaš veb pretraživač:", - "Increase": "Повећање", - "India": "Индија", - "Indonesia": "Индонезија", "Invalid signature.": "Nevažeći potpis.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Иран", - "Iraq": "Ирак", - "Ireland": "Ирска", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Острво Ман", - "Israel": "Израел", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Италија", - "Jamaica": "Јамајка", - "January": "Јануар", - "Japan": "Јапан", - "Jersey": "Џерси", - "Jordan": "Јордан", - "July": "Јул", - "June": "Јун", - "Kazakhstan": "Казахстан", - "Kenya": "Кенија", - "Key": "Кључ", - "Kiribati": "Кирибати", - "Korea": "Јужна Кореја", - "Korea, Democratic People's Republic of": "Северна Кореја", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Косово", - "Kuwait": "Кувајт", - "Kyrgyzstan": "Киргистан", - "Lao People's Democratic Republic": "Лаос", - "Last active": "Poslednji put aktivan", - "Last used": "Poslednje korišćen", - "Latvia": "Летонија", - "Leave": "Napusti", - "Leave Team": "Napusti tim", - "Lebanon": "Либан", - "Lens": "Објектив", - "Lesotho": "Лесото", - "Liberia": "Либерија", - "Libyan Arab Jamahiriya": "Либија", - "Liechtenstein": "Лихтенштајн", - "Lithuania": "Литванија", - "Load :perPage More": "Преузмите још 3.936 страница", - "Log in": "Пријавите", "Log out": "Одјавите се", - "Log Out": "одјавите се", - "Log Out Other Browser Sessions": "Одјавите Се Са Других Сесија Прегледача", - "Login": "Prijava", - "Logout": "Odjava", "Logout Other Browser Sessions": "Odjavi se sa ostalih sesija iz pregledača", - "Luxembourg": "Luxembourg", - "Macao": "Макао", - "Macedonia": "Северна Македонија", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Мадагаскар", - "Malawi": "Малави", - "Malaysia": "Малезија", - "Maldives": "Малдиви", - "Mali": "Мали", - "Malta": "Малта", - "Manage Account": "Upravljaj nalogom", - "Manage and log out your active sessions on other browsers and devices.": "Управљајте активним сесијама и одјавите их у другим прегледачима и уређајима.", "Manage and logout your active sessions on other browsers and devices.": "Upravljajte aktivnim sesijama i odjavljujte ih iz drugih pregledača i uređaja.", - "Manage API Tokens": "Upravljanje API tokenima", - "Manage Role": "Upravljaj rolom", - "Manage Team": "Upravljaj timom", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Март", - "Marshall Islands": "Маршалска Острва", - "Martinique": "Мартиник", - "Mauritania": "Мауританија", - "Mauritius": "Маурицијус", - "May": "Мај", - "Mayotte": "Мајот", - "Mexico": "Мексико", - "Micronesia, Federated States Of": "Микронезија", - "Moldova": "Молдавија", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Монако", - "Mongolia": "Монголија", - "Montenegro": "Црна Гора", - "Month To Date": "Месец До Данас", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Монтсеррат", - "Morocco": "Мароко", - "Mozambique": "Мозамбик", - "Myanmar": "Мијанмар", - "Name": "Ime", - "Namibia": "Намибија", - "Nauru": "Науру", - "Nepal": "Непал", - "Netherlands": "Холандија", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Nije bitno", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Ново", - "New :resource": "Нови :resource", - "New Caledonia": "Нова Каледонија", - "New Password": "Nova lozinka", - "New Zealand": "Нови Зеланд", - "Next": "Следећи", - "Nicaragua": "Никарагва", - "Niger": "Нигер", - "Nigeria": "Нигерија", - "Niue": "Ниуе", - "No": "Нема", - "No :resource matched the given criteria.": "# :resource је испунио Дате критеријуме.", - "No additional information...": "Нема додатних информација...", - "No Current Data": "Нема Тренутних Података", - "No Data": "Нема Података", - "no file selected": "датотека није изабрана", - "No Increase": "Нема Повећања", - "No Prior Data": "Нема Прелиминарних Података", - "No Results Found.": "Нису Пронађени Резултати.", - "Norfolk Island": "Острво Норфолк", - "Northern Mariana Islands": "Северна Маријанска острва", - "Norway": "Норвешка", "Not Found": "Nije pronađeno.", - "Nova User": "Нова Корисник", - "November": "Новембар", - "October": "Октобар", - "of": "од", "Oh no": "Oh ne", - "Oman": "Оман", - "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.": "Jednom kada se tim izbriše, svi njegovi resursi i podaci biće trajno izbrisani. Pre brisanja ovog tima, preuzmite sve podatke ili informacije u vezi sa timom koje želite da zadržite.", - "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.": "Jednom kada se vaš nalog izbriše, svi njegovi resursi i podaci biće trajno izbrisani. Pre brisanja naloga, preuzmite sve podatke ili informacije koje želite da zadržite.", - "Only Trashed": "Само Уништен", - "Original": "Оригинал", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Stranica je istekla", "Pagination Navigation": "Навигација по страницама", - "Pakistan": "Пакистан", - "Palau": "Палау", - "Palestinian Territory, Occupied": "Палестинске територије", - "Panama": "Панама", - "Papua New Guinea": "Папуа Нова Гвинеја", - "Paraguay": "Парагвај", - "Password": "Lozinka", - "Pay :amount": "Плаћање :amount", - "Payment Cancelled": "Плаћање Је Отказано", - "Payment Confirmation": "Потврда плаћања", - "Payment Information": "Payment Information", - "Payment Successful": "Исплата Је Била Успешна", - "Pending Team Invitations": "Чекајући Позивнице Тима", - "Per Page": "На Страницу", - "Permanently delete this team.": "Trajno izbriši ovaj tim.", - "Permanently delete your account.": "Trajno izbrišite svoj nalog.", - "Permissions": "Dozvole", - "Peru": "Перу", - "Philippines": "Филипини", - "Photo": "Slika", - "Pitcairn": "Острва Питцаирн", "Please click the button below to verify your email address.": "Molimo kliknite na dugme ispod da verifikujete Vašu e-mail adresu.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Molimo potvrdite pristup Vašem nalogu tako što ćete uneti jedan od kodova za obnovu.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Molimo potvrdite pristup Vašem nalogu tako što ćete uneti kod za autentifikaciju koju ste dobili od vaše aplikacije za autentifikaciju.", "Please confirm your password before continuing.": "Molimo potvrdite Vašu lozinku da biste nastavili.", - "Please copy your new API token. For your security, it won't be shown again.": "Kopirajte svoj novi API token. Zbog vaše sigurnosti neće se ponovo prikazivati.", - "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 logout of your other browser sessions across all of your devices.": "Unesite lozinku da biste potvrdili da želite da se odjavite iz ostalih sesija pregledača na svim svojim uređajima.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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. The email address must be associated with an existing account.": "Navedite e-adresu osobe koju biste želeli da dodate u ovaj tim. Adresa e-pošte mora biti povezana sa postojećim nalogom.", - "Please provide your name.": "Molim vas, dajte mi svoje ime.", - "Poland": "Пољска", - "Portugal": "Португал", - "Press \/ to search": "Кликните \/ за претрагу", - "Preview": "Преглед", - "Previous": "Претходни", - "Privacy Policy": "политика приватности", - "Profile": "Profil", - "Profile Information": "Informacije o profilu", - "Puerto Rico": "Порторико", - "Qatar": "Qatar", - "Quarter To Date": "Четвртина До Данас", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Kod za povraćaj naloga", "Regards": "Pozdrav", - "Regenerate Recovery Codes": "Obnovite kodove za oporavak", - "Register": "Registracija", - "Reload": "Поново", - "Remember me": "Zapamti me", - "Remember Me": "Zapamti me", - "Remove": "Ukloni", - "Remove Photo": "Obriši sliku", - "Remove Team Member": "Uklonite člana tima", - "Resend Verification Email": "Ponovo pošalji verifikacioni mejl", - "Reset Filters": "Ресетовање филтера", - "Reset Password": "Resetuj lozinku", - "Reset Password Notification": "Obaveštenje o resetovanju lozinke", - "resource": "ресурс", - "Resources": "Ресурси", - "resources": "ресурси", - "Restore": "Обнови", - "Restore Resource": "Опоравак ресурса", - "Restore Selected": "Вратите Изабрано", "results": "резултати", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Реинион", - "Role": "Rola", - "Romania": "Румунија", - "Run Action": "Извршите акцију", - "Russian Federation": "Руска Федерација", - "Rwanda": "Руанда", - "Réunion": "Réunion", - "Saint Barthelemy": "Свети Бартоломеј", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Света Хелена", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "Свети Китс и Невис", - "Saint Lucia": "Света Луција", - "Saint Martin": "Свети Мартин", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "Сен Пјер и Микелон", - "Saint Vincent And Grenadines": "Сент Винсент и Гренадини", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Самоа", - "San Marino": "Сан Марино", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "Сао Томе и Принципе", - "Saudi Arabia": "Саудијска Арабија", - "Save": "Sačuvaj", - "Saved.": "Sačuvano.", - "Search": "Претрага", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Izaberi novu sliku", - "Select Action": "Изаберите Акцију", - "Select All": "изаберите све", - "Select All Matching": "Изаберите Све Одговарајуће", - "Send Password Reset Link": "Pošalji link za resetovanje lozinke", - "Senegal": "Сенегал", - "September": "Септембар", - "Serbia": "Србија", "Server Error": "Serverska greška", "Service Unavailable": "Servis nedostupan", - "Seychelles": "Сејшели", - "Show All Fields": "Прикажи Сва Поља", - "Show Content": "Прикажи садржај", - "Show Recovery Codes": "Prikaži kodove za oporavak", "Showing": "Приказ", - "Sierra Leone": "Сијера Леоне", - "Signed in as": "Signed in as", - "Singapore": "Сингапур", - "Sint Maarten (Dutch part)": "Синт Мартин", - "Slovakia": "Словачка", - "Slovenia": "Словенија", - "Solomon Islands": "Соломонска Острва", - "Somalia": "Сомалија", - "Something went wrong.": "Нешто је пошло по злу.", - "Sorry! You are not authorized to perform this action.": "Izvini! Нисте овлашћени да извршите ову акцију.", - "Sorry, your session has expired.": "Извините, ваша сесија је истекла.", - "South Africa": "Јужна Африка", - "South Georgia And Sandwich Isl.": "Јужна Џорџија и Јужна Сендвичка Острва", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Јужни Судан", - "Spain": "Шпанија", - "Sri Lanka": "Шри Ланка", - "Start Polling": "Започните анкету", - "State \/ County": "State \/ County", - "Stop Polling": "Зауставите анкету", - "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.": "Čuvajte ove kodove za oporavak u sigurnom menadžeru lozinki. Mogu se koristiti za oporavak pristupa vašem nalogu ako se izgubi dvofaktorski uređaj za potvrdu identiteta.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Судан", - "Suriname": "Суринам", - "Svalbard And Jan Mayen": "Свалбард и Јан-Маиен", - "Swaziland": "Eswatini", - "Sweden": "Шведска", - "Switch Teams": "Promeni tim", - "Switzerland": "Швајцарска", - "Syrian Arab Republic": "Сирија", - "Taiwan": "Тајван", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Таџикистан", - "Tanzania": "Танзанија", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Detalji tima", - "Team Invitation": "Позив за тим", - "Team Members": "Članovi tima", - "Team Name": "Ime time", - "Team Owner": "Vlasnik tima", - "Team Settings": "Podešavanje tima", - "Terms of Service": "услови услуге", - "Thailand": "Тајланд", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute mora biti validna rola.", - "The :attribute must be at least :length characters and contain at least one number.": ":attribute mora biti najmanje :length karaktera i mora sadržati barem jedan broj.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute мора бити најмање 1.535 знакова и садржи најмање један посебан знак и један број.", - "The :attribute must be at least :length characters and contain at least one special character.": ":attribute mora biti najmanje :length karaktera i mora sadržati barem jedan specijalni karakter.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute mora biti najmanje :length karaktera i mora sadržati jedno veliko slovo i jedan broj.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute mora biti najmanje :length karaktera i mora sadržati jedno veliko slovo i jedan specijalni karakter.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute mora biti najmanje :length karaktera i mora sadržati jedno veliko slovo, jedan broj i jedan specijalni karakter.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute mora biti najmanje :length karaktera i mora sadržati jedno veliko slovo.", - "The :attribute must be at least :length characters.": ":attribute mora biti najmanje :length karaktera.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource је створен!", - "The :resource was deleted!": ":resource је уклоњен!", - "The :resource was restored!": ":resource је обновљен!", - "The :resource was updated!": ":resource је ажуриран!", - "The action ran successfully!": "Промоција је била успешна!", - "The file was deleted!": "Датотека је избрисана!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Влада нам неће дозволити да вам покажемо шта је иза тих врата", - "The HasOne relationship has already been filled.": "Хасонеов однос је већ испуњен.", - "The payment was successful.": "Плаћање је прошла успешно.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Uneli ste lozinku koja se ne poklapa sa Vašom lozinkom.", - "The provided password was incorrect.": "Uneta lozinka nije tačna.", - "The provided two factor authentication code was invalid.": "Kod za dvofaktorsku autentifikaciju nije validan.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Ресурс је ажуриран!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Informacije o imenu tima i vlasniku.", - "There are no available options for this resource.": "За овај ресурс нема доступних опција.", - "There was a problem executing the action.": "Постојао је проблем са извођењем акције.", - "There was a problem submitting the form.": "Постојао је проблем са подношењем обрасца.", - "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.": "Ови људи су позвани у ваш тим и добили су позивницу путем е-поште. Они се могу придружити тиму прихватањем позива путем е-поште.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Ova akcija nije ovlašćena.", - "This device": "Ovaj uređaj", - "This file field is read-only.": "Ово поље датотеке је само за читање.", - "This image": "Ова слика", - "This is a secure area of the application. Please confirm your password before continuing.": "Ово је сигурно подручје апликације. Молимо потврдите лозинку пре него што наставите.", - "This password does not match our records.": "Lozinka se ne poklapa sa našom bazom.", "This password reset link will expire in :count minutes.": "Link za promenu lozinke istice za :count minuta.", - "This payment was already successfully confirmed.": "Ова уплата је већ успешно потврђена.", - "This payment was cancelled.": "Та уплата је отказана.", - "This resource no longer exists": "Овај ресурс више не постоји", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Ovaj korisnik već pripada ovom timu.", - "This user has already been invited to the team.": "Овај корисник је већ позван у тим.", - "Timor-Leste": "Тимор-Лесте", "to": "к", - "Today": "Данас", "Toggle navigation": "Prikaži navigaciju", - "Togo": "Тога", - "Tokelau": "Токелау", - "Token Name": "Ime tokena", - "Tonga": "Дођите", "Too Many Attempts.": "Previše pokušaja.", "Too Many Requests": "Previše zahteva", - "total": "све", - "Total:": "Total:", - "Trashed": "Сломљен", - "Trinidad And Tobago": "Тринидад и Тобаго", - "Tunisia": "Тунис", - "Turkey": "Ћуретина", - "Turkmenistan": "Туркменистан", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Острва Туркс и Каикос", - "Tuvalu": "Тувалу", - "Two Factor Authentication": "Dvofaktorska autentifikacija", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Dvofaktorska autentifikacija je sada omogućena. Skenirajte sledeći QR kod pomoću aplikacije za autentifikaciju vašeg telefona.", - "Uganda": "Уганда", - "Ukraine": "Украјина", "Unauthorized": "Neovlašćen pristup", - "United Arab Emirates": "Уједињени Арапски Емирати", - "United Kingdom": "Велика Британија", - "United States": "Сједињене Државе", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "Удаљена острва САД", - "Update": "Ажурирање", - "Update & Continue Editing": "Ажурирање и наставак уређивања", - "Update :resource": "Ажурирање :resource", - "Update :resource: :title": "Ажурирање :resource: :title", - "Update attached :resource: :title": "Ажурирање долази у прилогу :resource: :title", - "Update Password": "Ažuriraj lozinku", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Ažurirajte informacije o profilu naloga i adresu e-pošte.", - "Uruguay": "Уругвај", - "Use a recovery code": "Koristi kod za povratak naloga", - "Use an authentication code": "Koristi kod za autentifikaciju naloga", - "Uzbekistan": "Узбекистан", - "Value": "Вредност", - "Vanuatu": "Вануату", - "VAT Number": "VAT Number", - "Venezuela": "Венецуела", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Verifikuj Email Adresu", "Verify Your Email Address": "Verifikujte Vašu Email Adresu", - "Viet Nam": "Vietnam", - "View": "Погледајте", - "Virgin Islands, British": "Британска Девичанска Острва", - "Virgin Islands, U.S.": "Америчка Девичанска Острва", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Валлис и Футуна", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Nismo uspeli da nađemo registrovanog korisnika sa ovom email adresom.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Nećemo Vas ponovo pitati za Vašu lozinku u nekoliko sledećih sati.", - "We're lost in space. The page you were trying to view does not exist.": "Изгубили смо се у свемиру. Страница коју сте покушали прегледати не постоји.", - "Welcome Back!": "Dobrodošao Nazad!", - "Western Sahara": "Западна Сахара", - "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.": "Kada je omogućena dvostepena potvrda identiteta, od vas će se tražiti siguran, slučajni token tokom potvrde identiteta. Ovaj token možete da preuzmete iz aplikacije Google Authenticator na telefonu.", - "Whoops": "Упс", - "Whoops!": "Ups!", - "Whoops! Something went wrong.": "Ups! Nešto nije u redu.", - "With Trashed": "Са Разбијеним", - "Write": "Писање", - "Year To Date": "Година До Данас", - "Yearly": "Yearly", - "Yemen": "Јемен", - "Yes": "Да", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Ulogovani ste!", - "You are receiving this email because we received a password reset request for your account.": "Dobili ste ovaj email zato što samo primili zahtev za promenu lozinke za Vaš nalog.", - "You have been invited to join the :team team!": "Позвани сте да се придружите тиму :team!", - "You have enabled two factor authentication.": "Omogućili ste dvofaktorsku potvrdu identiteta.", - "You have not enabled two factor authentication.": "Niste omogućili dvofaktorsku potvrdu identiteta.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "Možete izbrisati bilo koji od postojećih tokena ako više nisu potrebni.", - "You may not delete your personal team.": "Ne možete izbrisati svoj lični tim.", - "You may not leave a team that you created.": "Ne možete napustiti tim koji ste Vi kreirali.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Vaša email adresa nije verifikovana.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Замбија", - "Zimbabwe": "Зимбабве", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Vaša email adresa nije verifikovana." } diff --git a/locales/sr_Latn_ME/packages/cashier.json b/locales/sr_Latn_ME/packages/cashier.json new file mode 100644 index 00000000000..b5804e63c14 --- /dev/null +++ b/locales/sr_Latn_ME/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Сва права задржана.", + "Card": "Карта", + "Confirm Payment": "Потврдите Плаћање", + "Confirm your :amount payment": "Потврдите своју уплату :amount", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "За обраду плаћања потребна је додатна потврда. Молимо потврдите уплату попуњавањем детаља о плаћању испод.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "За обраду плаћања потребна је додатна потврда. Молимо идите на страницу за плаћање кликом на дугме испод.", + "Full name": "Пуно име", + "Go back": "Повратак", + "Jane Doe": "Jane Doe", + "Pay :amount": "Плаћање :amount", + "Payment Cancelled": "Плаћање Је Отказано", + "Payment Confirmation": "Потврда плаћања", + "Payment Successful": "Исплата Је Била Успешна", + "Please provide your name.": "Molim vas, dajte mi svoje ime.", + "The payment was successful.": "Плаћање је прошла успешно.", + "This payment was already successfully confirmed.": "Ова уплата је већ успешно потврђена.", + "This payment was cancelled.": "Та уплата је отказана." +} diff --git a/locales/sr_Latn_ME/packages/fortify.json b/locales/sr_Latn_ME/packages/fortify.json new file mode 100644 index 00000000000..a5629ab20ea --- /dev/null +++ b/locales/sr_Latn_ME/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": ":attribute треба да садржи најмање 3.400 знакова и садржи најмање један број.", + "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 special 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 at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute треба да садржи најмање 4.036 знакова и садржи најмање један главни знак, један број и један посебан знак.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute треба да садржи најмање 6.852 карактера и садржи најмање један главни знак.", + "The :attribute must be at least :length characters.": ":attribute мора бити најмање :length знакова.", + "The provided password does not match your current password.": "Приложена лозинка не одговара вашој тренутној лозинци.", + "The provided password was incorrect.": "Наведена лозинка је била погрешна.", + "The provided two factor authentication code was invalid.": "Достављени двофакторски код за аутентификацију није валидан." +} diff --git a/locales/sr_Latn_ME/packages/jetstream.json b/locales/sr_Latn_ME/packages/jetstream.json new file mode 100644 index 00000000000..416e8bd245d --- /dev/null +++ b/locales/sr_Latn_ME/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Нова верификациона веза послата је на адресу е-поште коју сте навели приликом регистрације.", + "Accept Invitation": "Прихватите Позивницу", + "Add": "Додај", + "Add a new team member to your team, allowing them to collaborate with you.": "Додајте новог члана тима у свој тим како би могао да сарађује са вама.", + "Add additional security to your account using two factor authentication.": "Додајте додатну сигурност свом налогу помоћу двофакторне аутентификације.", + "Add Team Member": "Додајте Члана Тима", + "Added.": "Додато.", + "Administrator": "Администратор", + "Administrator users can perform any action.": "Администраторски корисници могу обављати било коју радњу.", + "All of the people that are part of this team.": "Сви људи који су део овог тима.", + "Already registered?": "Jesi li se prijavio?", + "API Token": "АПИ Токен", + "API Token Permissions": "Дозволе за АПИ маркер", + "API Tokens": "АПИ токени", + "API tokens allow third-party services to authenticate with our application on your behalf.": "АПИ токени омогућавају да се услуге трећих страна аутентификују у нашој апликацији у ваше име.", + "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 delete this API token?": "Јесте ли сигурни да желите уклонити овај АПИ токен?", + "Are you sure you would like to leave this team?": "Да ли сте сигурни да желите да напустите овај тим?", + "Are you sure you would like to remove this person from the team?": "Јесте ли сигурни да желите да уклоните ту особу из тима?", + "Browser Sessions": "Сесије прегледача", + "Cancel": "Откажи", + "Close": "Затвори", + "Code": "Код", + "Confirm": "Потврдите", + "Confirm Password": "Потврдите Лозинку", + "Create": "Створити", + "Create a new team to collaborate with others on projects.": "Направите нови тим за сарадњу на пројектима.", + "Create Account": "Креирајте налог", + "Create API Token": "Креирање АПИ токена", + "Create New Team": "Креирајте Нови Тим", + "Create Team": "Креирајте тим", + "Created.": "Створен.", + "Current Password": "тренутна лозинка", + "Dashboard": "Контролна табла", + "Delete": "Уклони", + "Delete Account": "Избришите налог", + "Delete API Token": "Уклоните АПИ маркер", + "Delete Team": "Избришите команду", + "Disable": "Онемогући", + "Done.": "Gotovo.", + "Editor": "Уредник", + "Editor users have the ability to read, create, and update.": "Корисници уређивача имају могућност читања, креирања и ажурирања.", + "Email": "Е-пошта", + "Email Password Reset Link": "Веза за ресетовање лозинке за е-пошту", + "Enable": "Омогући", + "Ensure your account is using a long, random password to stay secure.": "Уверите се да ваш налог користи дугу случајну лозинку да би остао безбедан.", + "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.": "Заборавили сте лозинку? Nema problema. Само нам реците своју адресу е-поште и ми ћемо вам послати везу за ресетовање лозинке која ће вам омогућити да одаберете нову.", + "Great! You have accepted the invitation to join the :team team.": "Odlièno! Прихватили сте позив да се придружите тиму :team.", + "I agree to the :terms_of_service and :privacy_policy": "Слажем се са :terms_оф_сервице и :privacy_полици", + "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 you already have an account, you may accept this invitation by clicking the button below:": "Ако већ имате налог, можете прихватити овај позив кликом на дугме испод:", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "Ако немате налог, можете га креирати кликом на дугме испод. Након што отворите налог, можете да кликнете на дугме за прихватање позива у тој е-пошти да бисте прихватили позив тима:", + "Last active": "Последњи Активан", + "Last used": "Последњи пут коришћен", + "Leave": "Напуштање", + "Leave Team": "Напустите тим", + "Log in": "Пријавите", + "Log Out": "одјавите се", + "Log Out Other Browser Sessions": "Одјавите Се Са Других Сесија Прегледача", + "Manage Account": "Управљање налогом", + "Manage and log out your active sessions on other browsers and devices.": "Управљајте активним сесијама и одјавите их у другим прегледачима и уређајима.", + "Manage API Tokens": "Управљање АПИ токенима", + "Manage Role": "Управљање улогом", + "Manage Team": "Управљање тимом", + "Name": "Име", + "New Password": "Нова лозинка", + "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 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.": "Једном када се ваш налог уклони, сви његови ресурси и подаци биће неповратно избрисани. Пре него што избришете свој налог, преузмите све податке или информације које желите да сачувате.", + "Password": "Лозинка", + "Pending Team Invitations": "Чекајући Позивнице Тима", + "Permanently delete this team.": "Трајно избришите ову наредбу.", + "Permanently delete your account.": "Трајно избришите свој налог.", + "Permissions": "Дозволе", + "Photo": "Фотографија", + "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 copy your new API token. For your security, it won't be shown again.": "Копирајте свој нови АПИ токен. Због ваше сигурности више се неће приказивати.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Унесите лозинку да бисте потврдили да желите да се одјавите са других сесија прегледача на свим својим уређајима.", + "Please provide the email address of the person you would like to add to this team.": "Молимо наведите адресу е-поште особе коју желите да додате овој наредби.", + "Privacy Policy": "политика приватности", + "Profile": "Профил", + "Profile Information": "Информације о профилу", + "Recovery Code": "Код за опоравак", + "Regenerate Recovery Codes": "Регенерација кодова за опоравак", + "Register": "Региструјте се", + "Remember me": "Запамти ме", + "Remove": "Брисање", + "Remove Photo": "Избришите Фотографију", + "Remove Team Member": "Уклоните Члана Тима", + "Resend Verification Email": "Поновно Слање Верификационог Писма", + "Reset Password": "ресетовање лозинке", + "Role": "Улога", + "Save": "Сачувај", + "Saved.": "Сачувано.", + "Select A New Photo": "Изаберите Нову Фотографију", + "Show Recovery Codes": "Прикажи Кодове За Опоравак", + "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.": "Чувајте ове кодове за опоравак у сигурном управитељу лозинки. Они се могу користити за враћање приступа вашем налогу ако се изгуби уређај за двофакторну аутентификацију.", + "Switch Teams": "Пребацивање команди", + "Team Details": "Детаљи тима", + "Team Invitation": "Позив за тим", + "Team Members": "Чланови тима", + "Team Name": "Назив тима", + "Team Owner": "Власник тима", + "Team Settings": "Подешавања команде", + "Terms of Service": "услови услуге", + "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 a valid role.": ":attribute мора бити валидна улога.", + "The :attribute must be at least :length characters and contain at least one number.": ":attribute треба да садржи најмање 3.400 знакова и садржи најмање један број.", + "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 special 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 at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute треба да садржи најмање 4.036 знакова и садржи најмање један главни знак, један број и један посебан знак.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute треба да садржи најмање 6.852 карактера и садржи најмање један главни знак.", + "The :attribute must be at least :length characters.": ":attribute мора бити најмање :length знакова.", + "The provided password does not match your current password.": "Приложена лозинка не одговара вашој тренутној лозинци.", + "The provided password was incorrect.": "Наведена лозинка је била погрешна.", + "The provided two factor authentication code was invalid.": "Достављени двофакторски код за аутентификацију није валидан.", + "The team's name and owner information.": "Име тима и информације о власнику.", + "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.": "Ови људи су позвани у ваш тим и добили су позивницу путем е-поште. Они се могу придружити тиму прихватањем позива путем е-поште.", + "This device": "То је уређај", + "This is a secure area of the application. Please confirm your password before continuing.": "Ово је сигурно подручје апликације. Молимо потврдите лозинку пре него што наставите.", + "This password does not match our records.": "Ова лозинка се не поклапа са нашим записима.", + "This user already belongs to the team.": "Овај корисник већ припада тиму.", + "This user has already been invited to the team.": "Овај корисник је већ позван у тим.", + "Token Name": "Име токена", + "Two Factor Authentication": "Двофакторна Аутентификација", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Сада је омогућена двофакторска Аутентификација. Скенирајте следећи КР код помоћу апликације Аутхентицатор вашег телефона.", + "Update Password": "Ажурирајте лозинку", + "Update your account's profile information and email address.": "Ажурирајте информације о профилу вашег налога и адресу е-поште.", + "Use a recovery code": "Користите код за опоравак", + "Use an authentication code": "Користите код за аутентификацију", + "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.": "Ако је омогућена двофакторска Аутентификација, од вас ће се тражити да унесете сигуран случајни токен током аутентификације. Овај токен можете добити из апликације Гоогле Аутхентицатор вашег телефона.", + "Whoops! Something went wrong.": "Ups! Нешто је пошло по злу.", + "You have been invited to join the :team team!": "Позвани сте да се придружите тиму :team!", + "You have enabled two factor authentication.": "Омогућили сте двофакторну аутентификацију.", + "You have not enabled two factor authentication.": "Нисте омогућили двофакторну аутентификацију.", + "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.": "Не можете напустити тим који сте створили." +} diff --git a/locales/sr_Latn_ME/packages/nova.json b/locales/sr_Latn_ME/packages/nova.json new file mode 100644 index 00000000000..6e021c7d6da --- /dev/null +++ b/locales/sr_Latn_ME/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 дана", + "60 Days": "60 дана", + "90 Days": "90 дана", + ":amount Total": "Укупно :amount", + ":resource Details": ":resource детаљи", + ":resource Details: :title": ":resource детаљи: :title", + "Action": "Акција", + "Action Happened At": "Догодило Се У", + "Action Initiated By": "Иницирано", + "Action Name": "Име", + "Action Status": "Статус", + "Action Target": "Циљ", + "Actions": "Акције", + "Add row": "Додајте линију", + "Afghanistan": "Авганистан", + "Aland Islands": "Оландска Острва", + "Albania": "Албанија", + "Algeria": "Алжир", + "All resources loaded.": "Сви ресурси су учитани.", + "American Samoa": "Америчка Самоа", + "An error occured while uploading the file.": "Дошло је до грешке приликом преузимања датотеке.", + "Andorra": "Андора", + "Angola": "Ангола", + "Anguilla": "Ангвила", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Други корисник је ажурирао овај ресурс од учитавања ове странице. Молимо ажурирајте страницу и покушајте поново.", + "Antarctica": "Антарктика", + "Antigua And Barbuda": "Антигва и Барбуда", + "April": "Април", + "Are you sure you want to delete the selected resources?": "Јесте ли сигурни да желите уклонити одабране ресурсе?", + "Are you sure you want to delete this file?": "Јесте ли сигурни да желите да избришете ову датотеку?", + "Are you sure you want to delete this resource?": "Јесте ли сигурни да желите да избришете овај ресурс?", + "Are you sure you want to detach the selected resources?": "Јесте ли сигурни да желите одвојити одабране ресурсе?", + "Are you sure you want to detach this resource?": "Јесте ли сигурни да желите да одвојите овај ресурс?", + "Are you sure you want to force delete the selected resources?": "Јесте ли сигурни да желите присилно уклонити одабране ресурсе?", + "Are you sure you want to force delete this resource?": "Јесте ли сигурни да желите да присилно уклоните овај ресурс?", + "Are you sure you want to restore the selected resources?": "Да ли сте сигурни да желите да вратите одабране ресурсе?", + "Are you sure you want to restore this resource?": "Јесте ли сигурни да желите да вратите овај ресурс?", + "Are you sure you want to run this action?": "Јесте ли сигурни да желите да покренете ову акцију?", + "Argentina": "Аргентина", + "Armenia": "Јерменија", + "Aruba": "Аруба", + "Attach": "Приложити", + "Attach & Attach Another": "Причврстите и причврстите још један", + "Attach :resource": "Приложите :resource", + "August": "Август", + "Australia": "Аустралија", + "Austria": "Аустрија", + "Azerbaijan": "Азербејџан", + "Bahamas": "Бахами", + "Bahrain": "Бахреин", + "Bangladesh": "Бангладеш", + "Barbados": "Барбадос", + "Belarus": "Белорусија", + "Belgium": "Белгија", + "Belize": "Белизе", + "Benin": "Бенин", + "Bermuda": "Бермуда", + "Bhutan": "Бутан", + "Bolivia": "Боливија", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sabbath", + "Bosnia And Herzegovina": "Босна и Херцеговина", + "Botswana": "Боцвана", + "Bouvet Island": "Острво Буве", + "Brazil": "Бразил", + "British Indian Ocean Territory": "Британска територија Индијског океана", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Бугарска", + "Burkina Faso": "Буркина Фасо", + "Burundi": "Бурунди", + "Cambodia": "Камбоџа", + "Cameroon": "Камерун", + "Canada": "Канада", + "Cancel": "Откажи", + "Cape Verde": "Зеленортска Острва", + "Cayman Islands": "Кајманска острва", + "Central African Republic": "Централноафричка Република", + "Chad": "Чад", + "Changes": "Промене", + "Chile": "Чиле", + "China": "Кина", + "Choose": "Изабрати", + "Choose :field": "Изаберите :field", + "Choose :resource": "Изаберите :resource", + "Choose an option": "Изаберите опцију", + "Choose date": "Изаберите датум", + "Choose File": "Изаберите Датотеку", + "Choose Type": "Изаберите Тип", + "Christmas Island": "Божићно Острво", + "Click to choose": "Кликните да бисте изабрали", + "Cocos (Keeling) Islands": "Кокос (Килинг) Острва", + "Colombia": "Колумбија", + "Comoros": "Комори", + "Confirm Password": "Потврдите Лозинку", + "Congo": "Конго", + "Congo, Democratic Republic": "Конго, Демократска Република", + "Constant": "Стални", + "Cook Islands": "Кукова Острва", + "Costa Rica": "Костарика", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "nije uspeo da ga naðe.", + "Create": "Створити", + "Create & Add Another": "Креирајте и додајте још један", + "Create :resource": "Направите :resource", + "Croatia": "Хрватска", + "Cuba": "Куба", + "Curaçao": "Цурацао", + "Customize": "Прилагодите", + "Cyprus": "Кипар", + "Czech Republic": "Чешка", + "Dashboard": "Контролна табла", + "December": "Децембар", + "Decrease": "Смањите", + "Delete": "Уклони", + "Delete File": "Избришите датотеку", + "Delete Resource": "Уклоните ресурс", + "Delete Selected": "Уклонили", + "Denmark": "Данска", + "Detach": "Искључите", + "Detach Resource": "Искључите ресурс", + "Detach Selected": "Искључите Изабрани", + "Details": "Детаљи", + "Djibouti": "Џибути", + "Do you really want to leave? You have unsaved changes.": "Stvarno želiš da odeš? Имате неспремљене промене.", + "Dominica": "Недеља", + "Dominican Republic": "Доминиканска Република", + "Download": "Преузимање", + "Ecuador": "Еквадор", + "Edit": "Уреди", + "Edit :resource": "Уређивање :resource", + "Edit Attached": "Уређивање Је Приложено", + "Egypt": "Египат", + "El Salvador": "Спаситељ", + "Email Address": "адреса е-поште", + "Equatorial Guinea": "Екваторијална Гвинеја", + "Eritrea": "Еритреја", + "Estonia": "Естонија", + "Ethiopia": "Етиопија", + "Falkland Islands (Malvinas)": "Фокландска Острва (Ислас Малвинас) )", + "Faroe Islands": "Фарска Острва", + "February": "Фебруар", + "Fiji": "Фиџи", + "Finland": "Финска", + "Force Delete": "Присилно уклањање", + "Force Delete Resource": "Присилно уклањање ресурса", + "Force Delete Selected": "Присилно Уклањање Изабраног", + "Forgot Your Password?": "Заборавили Сте Лозинку?", + "Forgot your password?": "Заборавили сте лозинку?", + "France": "Француска", + "French Guiana": "Француска Гвајана", + "French Polynesia": "Француска Полинезија", + "French Southern Territories": "Tj", + "Gabon": "Габон", + "Gambia": "Гамбија", + "Georgia": "Грузија", + "Germany": "Немачка", + "Ghana": "Гана", + "Gibraltar": "Гибралтар", + "Go Home": "иди кући", + "Greece": "Грчка", + "Greenland": "Гренланд", + "Grenada": "Гренада", + "Guadeloupe": "Гваделуп", + "Guam": "Гуам", + "Guatemala": "Гватемала", + "Guernsey": "Гернзи", + "Guinea": "Гвинеја", + "Guinea-Bissau": "Гвинеја Бисао", + "Guyana": "Гвајана", + "Haiti": "Хаити", + "Heard Island & Mcdonald Islands": "Острва Херд и Мекдоналд", + "Hide Content": "Сакриј садржај", + "Hold Up!": "- Погоди!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Хондурас", + "Hong Kong": "Hong Kong", + "Hungary": "Мађарска", + "Iceland": "Исланд", + "ID": "ИД", + "If you did not request a password reset, no further action is required.": "Ако нисте затражили ресетовање лозинке, није потребно даље деловање.", + "Increase": "Повећање", + "India": "Индија", + "Indonesia": "Индонезија", + "Iran, Islamic Republic Of": "Иран", + "Iraq": "Ирак", + "Ireland": "Ирска", + "Isle Of Man": "Острво Ман", + "Israel": "Израел", + "Italy": "Италија", + "Jamaica": "Јамајка", + "January": "Јануар", + "Japan": "Јапан", + "Jersey": "Џерси", + "Jordan": "Јордан", + "July": "Јул", + "June": "Јун", + "Kazakhstan": "Казахстан", + "Kenya": "Кенија", + "Key": "Кључ", + "Kiribati": "Кирибати", + "Korea": "Јужна Кореја", + "Korea, Democratic People's Republic of": "Северна Кореја", + "Kosovo": "Косово", + "Kuwait": "Кувајт", + "Kyrgyzstan": "Киргистан", + "Lao People's Democratic Republic": "Лаос", + "Latvia": "Летонија", + "Lebanon": "Либан", + "Lens": "Објектив", + "Lesotho": "Лесото", + "Liberia": "Либерија", + "Libyan Arab Jamahiriya": "Либија", + "Liechtenstein": "Лихтенштајн", + "Lithuania": "Литванија", + "Load :perPage More": "Преузмите Још :per Страница", + "Login": "Пријавите", + "Logout": "Одјава", + "Luxembourg": "Luxembourg", + "Macao": "Макао", + "Macedonia": "Северна Македонија", + "Madagascar": "Мадагаскар", + "Malawi": "Малави", + "Malaysia": "Малезија", + "Maldives": "Малдиви", + "Mali": "Мали", + "Malta": "Малта", + "March": "Март", + "Marshall Islands": "Маршалска Острва", + "Martinique": "Мартиник", + "Mauritania": "Мауританија", + "Mauritius": "Маурицијус", + "May": "Мај", + "Mayotte": "Мајот", + "Mexico": "Мексико", + "Micronesia, Federated States Of": "Микронезија", + "Moldova": "Молдавија", + "Monaco": "Монако", + "Mongolia": "Монголија", + "Montenegro": "Црна Гора", + "Month To Date": "Месец До Данас", + "Montserrat": "Монтсеррат", + "Morocco": "Мароко", + "Mozambique": "Мозамбик", + "Myanmar": "Мијанмар", + "Namibia": "Намибија", + "Nauru": "Науру", + "Nepal": "Непал", + "Netherlands": "Холандија", + "New": "Ново", + "New :resource": "Нови :resource", + "New Caledonia": "Нова Каледонија", + "New Zealand": "Нови Зеланд", + "Next": "Следећи", + "Nicaragua": "Никарагва", + "Niger": "Нигер", + "Nigeria": "Нигерија", + "Niue": "Ниуе", + "No": "Нема", + "No :resource matched the given criteria.": "# :resource је испунио Дате критеријуме.", + "No additional information...": "Нема додатних информација...", + "No Current Data": "Нема Тренутних Података", + "No Data": "Нема Података", + "no file selected": "датотека није изабрана", + "No Increase": "Нема Повећања", + "No Prior Data": "Нема Прелиминарних Података", + "No Results Found.": "Нису Пронађени Резултати.", + "Norfolk Island": "Острво Норфолк", + "Northern Mariana Islands": "Северна Маријанска острва", + "Norway": "Норвешка", + "Nova User": "Нова Корисник", + "November": "Новембар", + "October": "Октобар", + "of": "од", + "Oman": "Оман", + "Only Trashed": "Само Уништен", + "Original": "Оригинал", + "Pakistan": "Пакистан", + "Palau": "Палау", + "Palestinian Territory, Occupied": "Палестинске територије", + "Panama": "Панама", + "Papua New Guinea": "Папуа Нова Гвинеја", + "Paraguay": "Парагвај", + "Password": "Лозинка", + "Per Page": "На Страницу", + "Peru": "Перу", + "Philippines": "Филипини", + "Pitcairn": "Острва Питцаирн", + "Poland": "Пољска", + "Portugal": "Португал", + "Press \/ to search": "Кликните \/ за претрагу", + "Preview": "Преглед", + "Previous": "Претходни", + "Puerto Rico": "Порторико", + "Qatar": "Qatar", + "Quarter To Date": "Четвртина До Данас", + "Reload": "Поново", + "Remember Me": "Запамти Ме", + "Reset Filters": "Ресетовање филтера", + "Reset Password": "ресетовање лозинке", + "Reset Password Notification": "Обавештење о ресетовању лозинке", + "resource": "ресурс", + "Resources": "Ресурси", + "resources": "ресурси", + "Restore": "Обнови", + "Restore Resource": "Опоравак ресурса", + "Restore Selected": "Вратите Изабрано", + "Reunion": "Реинион", + "Romania": "Румунија", + "Run Action": "Извршите акцију", + "Russian Federation": "Руска Федерација", + "Rwanda": "Руанда", + "Saint Barthelemy": "Свети Бартоломеј", + "Saint Helena": "Света Хелена", + "Saint Kitts And Nevis": "Свети Китс и Невис", + "Saint Lucia": "Света Луција", + "Saint Martin": "Свети Мартин", + "Saint Pierre And Miquelon": "Сен Пјер и Микелон", + "Saint Vincent And Grenadines": "Сент Винсент и Гренадини", + "Samoa": "Самоа", + "San Marino": "Сан Марино", + "Sao Tome And Principe": "Сао Томе и Принципе", + "Saudi Arabia": "Саудијска Арабија", + "Search": "Претрага", + "Select Action": "Изаберите Акцију", + "Select All": "изаберите све", + "Select All Matching": "Изаберите Све Одговарајуће", + "Send Password Reset Link": "Пошаљите Везу За Ресетовање Лозинке", + "Senegal": "Сенегал", + "September": "Септембар", + "Serbia": "Србија", + "Seychelles": "Сејшели", + "Show All Fields": "Прикажи Сва Поља", + "Show Content": "Прикажи садржај", + "Sierra Leone": "Сијера Леоне", + "Singapore": "Сингапур", + "Sint Maarten (Dutch part)": "Синт Мартин", + "Slovakia": "Словачка", + "Slovenia": "Словенија", + "Solomon Islands": "Соломонска Острва", + "Somalia": "Сомалија", + "Something went wrong.": "Нешто је пошло по злу.", + "Sorry! You are not authorized to perform this action.": "Izvini! Нисте овлашћени да извршите ову акцију.", + "Sorry, your session has expired.": "Извините, ваша сесија је истекла.", + "South Africa": "Јужна Африка", + "South Georgia And Sandwich Isl.": "Јужна Џорџија и Јужна Сендвичка Острва", + "South Sudan": "Јужни Судан", + "Spain": "Шпанија", + "Sri Lanka": "Шри Ланка", + "Start Polling": "Започните анкету", + "Stop Polling": "Зауставите анкету", + "Sudan": "Судан", + "Suriname": "Суринам", + "Svalbard And Jan Mayen": "Свалбард и Јан-Маиен", + "Swaziland": "Eswatini", + "Sweden": "Шведска", + "Switzerland": "Швајцарска", + "Syrian Arab Republic": "Сирија", + "Taiwan": "Тајван", + "Tajikistan": "Таџикистан", + "Tanzania": "Танзанија", + "Thailand": "Тајланд", + "The :resource was created!": ":resource је створен!", + "The :resource was deleted!": ":resource је уклоњен!", + "The :resource was restored!": ":resource. је обновљен!", + "The :resource was updated!": ":resource. је ажуриран!", + "The action ran successfully!": "Промоција је била успешна!", + "The file was deleted!": "Датотека је избрисана!", + "The government won't let us show you what's behind these doors": "Влада нам неће дозволити да вам покажемо шта је иза тих врата", + "The HasOne relationship has already been filled.": "Хасонеов однос је већ испуњен.", + "The resource was updated!": "Ресурс је ажуриран!", + "There are no available options for this resource.": "За овај ресурс нема доступних опција.", + "There was a problem executing the action.": "Постојао је проблем са извођењем акције.", + "There was a problem submitting the form.": "Постојао је проблем са подношењем обрасца.", + "This file field is read-only.": "Ово поље датотеке је само за читање.", + "This image": "Ова слика", + "This resource no longer exists": "Овај ресурс више не постоји", + "Timor-Leste": "Тимор-Лесте", + "Today": "Данас", + "Togo": "Тога", + "Tokelau": "Токелау", + "Tonga": "Дођите", + "total": "све", + "Trashed": "Сломљен", + "Trinidad And Tobago": "Тринидад и Тобаго", + "Tunisia": "Тунис", + "Turkey": "Ћуретина", + "Turkmenistan": "Туркменистан", + "Turks And Caicos Islands": "Острва Туркс и Каикос", + "Tuvalu": "Тувалу", + "Uganda": "Уганда", + "Ukraine": "Украјина", + "United Arab Emirates": "Уједињени Арапски Емирати", + "United Kingdom": "Велика Британија", + "United States": "Сједињене Државе", + "United States Outlying Islands": "Удаљена острва САД", + "Update": "Ажурирање", + "Update & Continue Editing": "Ажурирање и наставак уређивања", + "Update :resource": "Ажурирање :resource", + "Update :resource: :title": "Ажурирање :resource: :title", + "Update attached :resource: :title": "Ажурирање у прилогу :resource: :title", + "Uruguay": "Уругвај", + "Uzbekistan": "Узбекистан", + "Value": "Вредност", + "Vanuatu": "Вануату", + "Venezuela": "Венецуела", + "Viet Nam": "Vietnam", + "View": "Погледајте", + "Virgin Islands, British": "Британска Девичанска Острва", + "Virgin Islands, U.S.": "Америчка Девичанска Острва", + "Wallis And Futuna": "Валлис и Футуна", + "We're lost in space. The page you were trying to view does not exist.": "Изгубили смо се у свемиру. Страница коју сте покушали прегледати не постоји.", + "Welcome Back!": "Dobrodošao Nazad!", + "Western Sahara": "Западна Сахара", + "Whoops": "Упс", + "Whoops!": "Ups!", + "With Trashed": "Са Разбијеним", + "Write": "Писање", + "Year To Date": "Година До Данас", + "Yemen": "Јемен", + "Yes": "Да", + "You are receiving this email because we received a password reset request for your account.": "Добијате ову е-пошту јер смо добили захтев за ресетовање лозинке за ваш налог.", + "Zambia": "Замбија", + "Zimbabwe": "Зимбабве" +} diff --git a/locales/sr_Latn_ME/packages/spark-paddle.json b/locales/sr_Latn_ME/packages/spark-paddle.json new file mode 100644 index 00000000000..9cfd19da2b9 --- /dev/null +++ b/locales/sr_Latn_ME/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "услови услуге", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Ups! Нешто је пошло по злу.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/sr_Latn_ME/packages/spark-stripe.json b/locales/sr_Latn_ME/packages/spark-stripe.json new file mode 100644 index 00000000000..b9ce9d9f2d3 --- /dev/null +++ b/locales/sr_Latn_ME/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Авганистан", + "Albania": "Албанија", + "Algeria": "Алжир", + "American Samoa": "Америчка Самоа", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Андора", + "Angola": "Ангола", + "Anguilla": "Ангвила", + "Antarctica": "Антарктика", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Аргентина", + "Armenia": "Јерменија", + "Aruba": "Аруба", + "Australia": "Аустралија", + "Austria": "Аустрија", + "Azerbaijan": "Азербејџан", + "Bahamas": "Бахами", + "Bahrain": "Бахреин", + "Bangladesh": "Бангладеш", + "Barbados": "Барбадос", + "Belarus": "Белорусија", + "Belgium": "Белгија", + "Belize": "Белизе", + "Benin": "Бенин", + "Bermuda": "Бермуда", + "Bhutan": "Бутан", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Боцвана", + "Bouvet Island": "Острво Буве", + "Brazil": "Бразил", + "British Indian Ocean Territory": "Британска територија Индијског океана", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Бугарска", + "Burkina Faso": "Буркина Фасо", + "Burundi": "Бурунди", + "Cambodia": "Камбоџа", + "Cameroon": "Камерун", + "Canada": "Канада", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Зеленортска Острва", + "Card": "Карта", + "Cayman Islands": "Кајманска острва", + "Central African Republic": "Централноафричка Република", + "Chad": "Чад", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Чиле", + "China": "Кина", + "Christmas Island": "Божићно Острво", + "City": "City", + "Cocos (Keeling) Islands": "Кокос (Килинг) Острва", + "Colombia": "Колумбија", + "Comoros": "Комори", + "Confirm Payment": "Потврдите Плаћање", + "Confirm your :amount payment": "Потврдите своју уплату :amount", + "Congo": "Конго", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Кукова Острва", + "Costa Rica": "Костарика", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Хрватска", + "Cuba": "Куба", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Кипар", + "Czech Republic": "Чешка", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Данска", + "Djibouti": "Џибути", + "Dominica": "Недеља", + "Dominican Republic": "Доминиканска Република", + "Download Receipt": "Download Receipt", + "Ecuador": "Еквадор", + "Egypt": "Египат", + "El Salvador": "Спаситељ", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Екваторијална Гвинеја", + "Eritrea": "Еритреја", + "Estonia": "Естонија", + "Ethiopia": "Етиопија", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "За обраду плаћања потребна је додатна потврда. Молимо идите на страницу за плаћање кликом на дугме испод.", + "Falkland Islands (Malvinas)": "Фокландска Острва (Ислас Малвинас) )", + "Faroe Islands": "Фарска Острва", + "Fiji": "Фиџи", + "Finland": "Финска", + "France": "Француска", + "French Guiana": "Француска Гвајана", + "French Polynesia": "Француска Полинезија", + "French Southern Territories": "Tj", + "Gabon": "Габон", + "Gambia": "Гамбија", + "Georgia": "Грузија", + "Germany": "Немачка", + "Ghana": "Гана", + "Gibraltar": "Гибралтар", + "Greece": "Грчка", + "Greenland": "Гренланд", + "Grenada": "Гренада", + "Guadeloupe": "Гваделуп", + "Guam": "Гуам", + "Guatemala": "Гватемала", + "Guernsey": "Гернзи", + "Guinea": "Гвинеја", + "Guinea-Bissau": "Гвинеја Бисао", + "Guyana": "Гвајана", + "Haiti": "Хаити", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Хондурас", + "Hong Kong": "Hong Kong", + "Hungary": "Мађарска", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Исланд", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Индија", + "Indonesia": "Индонезија", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Ирак", + "Ireland": "Ирска", + "Isle of Man": "Isle of Man", + "Israel": "Израел", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Италија", + "Jamaica": "Јамајка", + "Japan": "Јапан", + "Jersey": "Џерси", + "Jordan": "Јордан", + "Kazakhstan": "Казахстан", + "Kenya": "Кенија", + "Kiribati": "Кирибати", + "Korea, Democratic People's Republic of": "Северна Кореја", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Кувајт", + "Kyrgyzstan": "Киргистан", + "Lao People's Democratic Republic": "Лаос", + "Latvia": "Летонија", + "Lebanon": "Либан", + "Lesotho": "Лесото", + "Liberia": "Либерија", + "Libyan Arab Jamahiriya": "Либија", + "Liechtenstein": "Лихтенштајн", + "Lithuania": "Литванија", + "Luxembourg": "Luxembourg", + "Macao": "Макао", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Мадагаскар", + "Malawi": "Малави", + "Malaysia": "Малезија", + "Maldives": "Малдиви", + "Mali": "Мали", + "Malta": "Малта", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Маршалска Острва", + "Martinique": "Мартиник", + "Mauritania": "Мауританија", + "Mauritius": "Маурицијус", + "Mayotte": "Мајот", + "Mexico": "Мексико", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Монако", + "Mongolia": "Монголија", + "Montenegro": "Црна Гора", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Монтсеррат", + "Morocco": "Мароко", + "Mozambique": "Мозамбик", + "Myanmar": "Мијанмар", + "Namibia": "Намибија", + "Nauru": "Науру", + "Nepal": "Непал", + "Netherlands": "Холандија", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Нова Каледонија", + "New Zealand": "Нови Зеланд", + "Nicaragua": "Никарагва", + "Niger": "Нигер", + "Nigeria": "Нигерија", + "Niue": "Ниуе", + "Norfolk Island": "Острво Норфолк", + "Northern Mariana Islands": "Северна Маријанска острва", + "Norway": "Норвешка", + "Oman": "Оман", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Пакистан", + "Palau": "Палау", + "Palestinian Territory, Occupied": "Палестинске територије", + "Panama": "Панама", + "Papua New Guinea": "Папуа Нова Гвинеја", + "Paraguay": "Парагвај", + "Payment Information": "Payment Information", + "Peru": "Перу", + "Philippines": "Филипини", + "Pitcairn": "Острва Питцаирн", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Пољска", + "Portugal": "Португал", + "Puerto Rico": "Порторико", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Румунија", + "Russian Federation": "Руска Федерација", + "Rwanda": "Руанда", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Света Хелена", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Света Луција", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Самоа", + "San Marino": "Сан Марино", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Саудијска Арабија", + "Save": "Сачувај", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Сенегал", + "Serbia": "Србија", + "Seychelles": "Сејшели", + "Sierra Leone": "Сијера Леоне", + "Signed in as": "Signed in as", + "Singapore": "Сингапур", + "Slovakia": "Словачка", + "Slovenia": "Словенија", + "Solomon Islands": "Соломонска Острва", + "Somalia": "Сомалија", + "South Africa": "Јужна Африка", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Шпанија", + "Sri Lanka": "Шри Ланка", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Судан", + "Suriname": "Суринам", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Шведска", + "Switzerland": "Швајцарска", + "Syrian Arab Republic": "Сирија", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Таџикистан", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "услови услуге", + "Thailand": "Тајланд", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Тимор-Лесте", + "Togo": "Тога", + "Tokelau": "Токелау", + "Tonga": "Дођите", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Тунис", + "Turkey": "Ћуретина", + "Turkmenistan": "Туркменистан", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Тувалу", + "Uganda": "Уганда", + "Ukraine": "Украјина", + "United Arab Emirates": "Уједињени Арапски Емирати", + "United Kingdom": "Велика Британија", + "United States": "Сједињене Државе", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Ажурирање", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Уругвај", + "Uzbekistan": "Узбекистан", + "Vanuatu": "Вануату", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Британска Девичанска Острва", + "Virgin Islands, U.S.": "Америчка Девичанска Острва", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Западна Сахара", + "Whoops! Something went wrong.": "Ups! Нешто је пошло по злу.", + "Yearly": "Yearly", + "Yemen": "Јемен", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Замбија", + "Zimbabwe": "Зимбабве", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/sr_Latn_ME/sr_Latn_ME.json b/locales/sr_Latn_ME/sr_Latn_ME.json index 1717d514e1a..9ed1ea2a0fb 100644 --- a/locales/sr_Latn_ME/sr_Latn_ME.json +++ b/locales/sr_Latn_ME/sr_Latn_ME.json @@ -1,710 +1,48 @@ { - "30 Days": "30 дана", - "60 Days": "60 дана", - "90 Days": "90 дана", - ":amount Total": "Укупно :amount", - ":days day trial": ":days day trial", - ":resource Details": ":resource детаљи", - ":resource Details: :title": ":resource детаљи: :title", "A fresh verification link has been sent to your email address.": "На вашу адресу е-поште послата је свежа веза за верификацију.", - "A new verification link has been sent to the email address you provided during registration.": "Нова верификациона веза послата је на адресу е-поште коју сте навели приликом регистрације.", - "Accept Invitation": "Прихватите Позивницу", - "Action": "Акција", - "Action Happened At": "Догодило Се У", - "Action Initiated By": "Иницирано", - "Action Name": "Име", - "Action Status": "Статус", - "Action Target": "Циљ", - "Actions": "Акције", - "Add": "Додај", - "Add a new team member to your team, allowing them to collaborate with you.": "Додајте новог члана тима у свој тим како би могао да сарађује са вама.", - "Add additional security to your account using two factor authentication.": "Додајте додатну сигурност свом налогу помоћу двофакторне аутентификације.", - "Add row": "Додајте линију", - "Add Team Member": "Додајте Члана Тима", - "Add VAT Number": "Add VAT Number", - "Added.": "Додато.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Администратор", - "Administrator users can perform any action.": "Администраторски корисници могу обављати било коју радњу.", - "Afghanistan": "Авганистан", - "Aland Islands": "Оландска Острва", - "Albania": "Албанија", - "Algeria": "Алжир", - "All of the people that are part of this team.": "Сви људи који су део овог тима.", - "All resources loaded.": "Сви ресурси су учитани.", - "All rights reserved.": "Сва права задржана.", - "Already registered?": "Jesi li se prijavio?", - "American Samoa": "Америчка Самоа", - "An error occured while uploading the file.": "Дошло је до грешке приликом преузимања датотеке.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Андора", - "Angola": "Ангола", - "Anguilla": "Ангвила", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Други корисник је ажурирао овај ресурс од учитавања ове странице. Молимо ажурирајте страницу и покушајте поново.", - "Antarctica": "Антарктика", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Антигва и Барбуда", - "API Token": "АПИ Токен", - "API Token Permissions": "Дозволе за АПИ маркер", - "API Tokens": "АПИ токени", - "API tokens allow third-party services to authenticate with our application on your behalf.": "АПИ токени омогућавају да се услуге трећих страна аутентификују у нашој апликацији у ваше име.", - "April": "Април", - "Are you sure you want to delete the selected resources?": "Јесте ли сигурни да желите уклонити одабране ресурсе?", - "Are you sure you want to delete this file?": "Јесте ли сигурни да желите да избришете ову датотеку?", - "Are you sure you want to delete this resource?": "Јесте ли сигурни да желите да избришете овај ресурс?", - "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 detach the selected resources?": "Јесте ли сигурни да желите одвојити одабране ресурсе?", - "Are you sure you want to detach this resource?": "Јесте ли сигурни да желите да одвојите овај ресурс?", - "Are you sure you want to force delete the selected resources?": "Јесте ли сигурни да желите присилно уклонити одабране ресурсе?", - "Are you sure you want to force delete this resource?": "Јесте ли сигурни да желите да присилно уклоните овај ресурс?", - "Are you sure you want to restore the selected resources?": "Да ли сте сигурни да желите да вратите одабране ресурсе?", - "Are you sure you want to restore this resource?": "Јесте ли сигурни да желите да вратите овај ресурс?", - "Are you sure you want to run this action?": "Јесте ли сигурни да желите да покренете ову акцију?", - "Are you sure you would like to delete this API token?": "Јесте ли сигурни да желите уклонити овај АПИ токен?", - "Are you sure you would like to leave this team?": "Да ли сте сигурни да желите да напустите овај тим?", - "Are you sure you would like to remove this person from the team?": "Јесте ли сигурни да желите да уклоните ту особу из тима?", - "Argentina": "Аргентина", - "Armenia": "Јерменија", - "Aruba": "Аруба", - "Attach": "Приложити", - "Attach & Attach Another": "Причврстите и причврстите још један", - "Attach :resource": "Приложите :resource", - "August": "Август", - "Australia": "Аустралија", - "Austria": "Аустрија", - "Azerbaijan": "Азербејџан", - "Bahamas": "Бахами", - "Bahrain": "Бахреин", - "Bangladesh": "Бангладеш", - "Barbados": "Барбадос", "Before proceeding, please check your email for a verification link.": "Пре него што наставите, проверите своју е-пошту за везу за верификацију.", - "Belarus": "Белорусија", - "Belgium": "Белгија", - "Belize": "Белизе", - "Benin": "Бенин", - "Bermuda": "Бермуда", - "Bhutan": "Бутан", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Боливија", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sabbath", - "Bosnia And Herzegovina": "Босна и Херцеговина", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Боцвана", - "Bouvet Island": "Острво Буве", - "Brazil": "Бразил", - "British Indian Ocean Territory": "Британска територија Индијског океана", - "Browser Sessions": "Сесије прегледача", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Бугарска", - "Burkina Faso": "Буркина Фасо", - "Burundi": "Бурунди", - "Cambodia": "Камбоџа", - "Cameroon": "Камерун", - "Canada": "Канада", - "Cancel": "Откажи", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Зеленортска Острва", - "Card": "Карта", - "Cayman Islands": "Кајманска острва", - "Central African Republic": "Централноафричка Република", - "Chad": "Чад", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Промене", - "Chile": "Чиле", - "China": "Кина", - "Choose": "Изабрати", - "Choose :field": "Изаберите :field", - "Choose :resource": "Изаберите :resource", - "Choose an option": "Изаберите опцију", - "Choose date": "Изаберите датум", - "Choose File": "Изаберите Датотеку", - "Choose Type": "Изаберите Тип", - "Christmas Island": "Божићно Острво", - "City": "City", "click here to request another": "Кликните овде да бисте затражили још један", - "Click to choose": "Кликните да бисте изабрали", - "Close": "Затвори", - "Cocos (Keeling) Islands": "Кокос (Килинг) Острва", - "Code": "Код", - "Colombia": "Колумбија", - "Comoros": "Комори", - "Confirm": "Потврдите", - "Confirm Password": "Потврдите Лозинку", - "Confirm Payment": "Потврдите Плаћање", - "Confirm your :amount payment": "Потврдите своју уплату :amount", - "Congo": "Конго", - "Congo, Democratic Republic": "Конго, Демократска Република", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Стални", - "Cook Islands": "Кукова Острва", - "Costa Rica": "Костарика", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "nije uspeo da ga naðe.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Створити", - "Create & Add Another": "Креирајте и додајте још један", - "Create :resource": "Направите :resource", - "Create a new team to collaborate with others on projects.": "Направите нови тим за сарадњу на пројектима.", - "Create Account": "Креирајте налог", - "Create API Token": "Креирање АПИ токена", - "Create New Team": "Креирајте Нови Тим", - "Create Team": "Креирајте тим", - "Created.": "Створен.", - "Croatia": "Хрватска", - "Cuba": "Куба", - "Curaçao": "Цурацао", - "Current Password": "тренутна лозинка", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Прилагодите", - "Cyprus": "Кипар", - "Czech Republic": "Чешка", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Контролна табла", - "December": "Децембар", - "Decrease": "Смањите", - "Delete": "Уклони", - "Delete Account": "Избришите налог", - "Delete API Token": "Уклоните АПИ маркер", - "Delete File": "Избришите датотеку", - "Delete Resource": "Уклоните ресурс", - "Delete Selected": "Уклонили", - "Delete Team": "Избришите команду", - "Denmark": "Данска", - "Detach": "Искључите", - "Detach Resource": "Искључите ресурс", - "Detach Selected": "Искључите Изабрани", - "Details": "Детаљи", - "Disable": "Онемогући", - "Djibouti": "Џибути", - "Do you really want to leave? You have unsaved changes.": "Stvarno želiš da odeš? Имате неспремљене промене.", - "Dominica": "Недеља", - "Dominican Republic": "Доминиканска Република", - "Done.": "Gotovo.", - "Download": "Преузимање", - "Download Receipt": "Download Receipt", "E-Mail Address": "Адреса е-поште", - "Ecuador": "Еквадор", - "Edit": "Уреди", - "Edit :resource": "Уређивање :resource", - "Edit Attached": "Уређивање Је Приложено", - "Editor": "Уредник", - "Editor users have the ability to read, create, and update.": "Корисници уређивача имају могућност читања, креирања и ажурирања.", - "Egypt": "Египат", - "El Salvador": "Спаситељ", - "Email": "Е-пошта", - "Email Address": "адреса е-поште", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Веза за ресетовање лозинке за е-пошту", - "Enable": "Омогући", - "Ensure your account is using a long, random password to stay secure.": "Уверите се да ваш налог користи дугу случајну лозинку да би остао безбедан.", - "Equatorial Guinea": "Екваторијална Гвинеја", - "Eritrea": "Еритреја", - "Estonia": "Естонија", - "Ethiopia": "Етиопија", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "За обраду плаћања потребна је додатна потврда. Молимо потврдите уплату попуњавањем детаља о плаћању испод.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "За обраду плаћања потребна је додатна потврда. Молимо идите на страницу за плаћање кликом на дугме испод.", - "Falkland Islands (Malvinas)": "Фокландска Острва (Ислас Малвинас) )", - "Faroe Islands": "Фарска Острва", - "February": "Фебруар", - "Fiji": "Фиџи", - "Finland": "Финска", - "For your security, please confirm your password to continue.": "За вашу сигурност, молимо вас да потврдите лозинку да бисте наставили.", "Forbidden": "Забрањено", - "Force Delete": "Присилно уклањање", - "Force Delete Resource": "Присилно уклањање ресурса", - "Force Delete Selected": "Присилно Уклањање Изабраног", - "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.": "Заборавили сте лозинку? Nema problema. Само нам реците своју адресу е-поште и ми ћемо вам послати везу за ресетовање лозинке која ће вам омогућити да одаберете нову.", - "France": "Француска", - "French Guiana": "Француска Гвајана", - "French Polynesia": "Француска Полинезија", - "French Southern Territories": "Tj", - "Full name": "Пуно име", - "Gabon": "Габон", - "Gambia": "Гамбија", - "Georgia": "Грузија", - "Germany": "Немачка", - "Ghana": "Гана", - "Gibraltar": "Гибралтар", - "Go back": "Повратак", - "Go Home": "иди кући", "Go to page :page": "Идите на страницу :page", - "Great! You have accepted the invitation to join the :team team.": "Odlièno! Прихватили сте позив да се придружите тиму :team.", - "Greece": "Грчка", - "Greenland": "Гренланд", - "Grenada": "Гренада", - "Guadeloupe": "Гваделуп", - "Guam": "Гуам", - "Guatemala": "Гватемала", - "Guernsey": "Гернзи", - "Guinea": "Гвинеја", - "Guinea-Bissau": "Гвинеја Бисао", - "Guyana": "Гвајана", - "Haiti": "Хаити", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Острва Херд и Мекдоналд", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Zdravo!", - "Hide Content": "Сакриј садржај", - "Hold Up!": "- Погоди!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Хондурас", - "Hong Kong": "Hong Kong", - "Hungary": "Мађарска", - "I agree to the :terms_of_service and :privacy_policy": "Слажем се са :terms_оф_сервице и :privacy_полици", - "Iceland": "Исланд", - "ID": "ИД", - "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 logout 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 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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Ако имате проблема са притиском на дугме \":actionтект\", Копирајте и залепите УРЛ испод\nу свој веб прегледач:", - "Increase": "Повећање", - "India": "Индија", - "Indonesia": "Индонезија", "Invalid signature.": "Pogrešan potpis.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Иран", - "Iraq": "Ирак", - "Ireland": "Ирска", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Острво Ман", - "Israel": "Израел", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Италија", - "Jamaica": "Јамајка", - "January": "Јануар", - "Japan": "Јапан", - "Jersey": "Џерси", - "Jordan": "Јордан", - "July": "Јул", - "June": "Јун", - "Kazakhstan": "Казахстан", - "Kenya": "Кенија", - "Key": "Кључ", - "Kiribati": "Кирибати", - "Korea": "Јужна Кореја", - "Korea, Democratic People's Republic of": "Северна Кореја", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Косово", - "Kuwait": "Кувајт", - "Kyrgyzstan": "Киргистан", - "Lao People's Democratic Republic": "Лаос", - "Last active": "Последњи Активан", - "Last used": "Последњи пут коришћен", - "Latvia": "Летонија", - "Leave": "Напуштање", - "Leave Team": "Напустите тим", - "Lebanon": "Либан", - "Lens": "Објектив", - "Lesotho": "Лесото", - "Liberia": "Либерија", - "Libyan Arab Jamahiriya": "Либија", - "Liechtenstein": "Лихтенштајн", - "Lithuania": "Литванија", - "Load :perPage More": "Преузмите Још :per Страница", - "Log in": "Пријавите", "Log out": "Одјавите се", - "Log Out": "одјавите се", - "Log Out Other Browser Sessions": "Одјавите Се Са Других Сесија Прегледача", - "Login": "Пријавите", - "Logout": "Одјава", "Logout Other Browser Sessions": "Одјава Из Других Сесија Прегледача", - "Luxembourg": "Luxembourg", - "Macao": "Макао", - "Macedonia": "Северна Македонија", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Мадагаскар", - "Malawi": "Малави", - "Malaysia": "Малезија", - "Maldives": "Малдиви", - "Mali": "Мали", - "Malta": "Малта", - "Manage Account": "Управљање налогом", - "Manage and log out your active sessions on other browsers and devices.": "Управљајте активним сесијама и одјавите их у другим прегледачима и уређајима.", "Manage and logout your active sessions on other browsers and devices.": "Управљајте активним сесијама и одјавите их у другим прегледачима и уређајима.", - "Manage API Tokens": "Управљање АПИ токенима", - "Manage Role": "Управљање улогом", - "Manage Team": "Управљање тимом", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Март", - "Marshall Islands": "Маршалска Острва", - "Martinique": "Мартиник", - "Mauritania": "Мауританија", - "Mauritius": "Маурицијус", - "May": "Мај", - "Mayotte": "Мајот", - "Mexico": "Мексико", - "Micronesia, Federated States Of": "Микронезија", - "Moldova": "Молдавија", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Монако", - "Mongolia": "Монголија", - "Montenegro": "Црна Гора", - "Month To Date": "Месец До Данас", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Монтсеррат", - "Morocco": "Мароко", - "Mozambique": "Мозамбик", - "Myanmar": "Мијанмар", - "Name": "Име", - "Namibia": "Намибија", - "Nauru": "Науру", - "Nepal": "Непал", - "Netherlands": "Холандија", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Nema veze.", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Ново", - "New :resource": "Нови :resource", - "New Caledonia": "Нова Каледонија", - "New Password": "Нова лозинка", - "New Zealand": "Нови Зеланд", - "Next": "Следећи", - "Nicaragua": "Никарагва", - "Niger": "Нигер", - "Nigeria": "Нигерија", - "Niue": "Ниуе", - "No": "Нема", - "No :resource matched the given criteria.": "# :resource је испунио Дате критеријуме.", - "No additional information...": "Нема додатних информација...", - "No Current Data": "Нема Тренутних Података", - "No Data": "Нема Података", - "no file selected": "датотека није изабрана", - "No Increase": "Нема Повећања", - "No Prior Data": "Нема Прелиминарних Података", - "No Results Found.": "Нису Пронађени Резултати.", - "Norfolk Island": "Острво Норфолк", - "Northern Mariana Islands": "Северна Маријанска острва", - "Norway": "Норвешка", "Not Found": "није пронађен", - "Nova User": "Нова Корисник", - "November": "Новембар", - "October": "Октобар", - "of": "од", "Oh no": "О не", - "Oman": "Оман", - "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 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 Trashed": "Само Уништен", - "Original": "Оригинал", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Страница Је Истекла", "Pagination Navigation": "Навигација по страницама", - "Pakistan": "Пакистан", - "Palau": "Палау", - "Palestinian Territory, Occupied": "Палестинске територије", - "Panama": "Панама", - "Papua New Guinea": "Папуа Нова Гвинеја", - "Paraguay": "Парагвај", - "Password": "Лозинка", - "Pay :amount": "Плаћање :amount", - "Payment Cancelled": "Плаћање Је Отказано", - "Payment Confirmation": "Потврда плаћања", - "Payment Information": "Payment Information", - "Payment Successful": "Исплата Је Била Успешна", - "Pending Team Invitations": "Чекајући Позивнице Тима", - "Per Page": "На Страницу", - "Permanently delete this team.": "Трајно избришите ову наредбу.", - "Permanently delete your account.": "Трајно избришите свој налог.", - "Permissions": "Дозволе", - "Peru": "Перу", - "Philippines": "Филипини", - "Photo": "Фотографија", - "Pitcairn": "Острва Питцаирн", "Please click the button below to verify your email address.": "Кликните на дугме испод да бисте потврдили своју адресу е-поште.", - "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 your password before continuing.": "Молимо потврдите лозинку пре него што наставите.", - "Please copy your new API token. For your security, it won't be shown again.": "Копирајте свој нови АПИ токен. Због ваше сигурности више се неће приказивати.", - "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 logout of your other browser sessions across all of your devices.": "Унесите лозинку да бисте потврдили да желите да се одјавите са других сесија прегледача на свим својим уређајима.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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. The email address must be associated with an existing account.": "Молимо наведите адресу е-поште особе коју желите да додате овој наредби. Адреса е-поште мора бити повезана са постојећим налогом.", - "Please provide your name.": "Molim vas, dajte mi svoje ime.", - "Poland": "Пољска", - "Portugal": "Португал", - "Press \/ to search": "Кликните \/ за претрагу", - "Preview": "Преглед", - "Previous": "Претходни", - "Privacy Policy": "политика приватности", - "Profile": "Профил", - "Profile Information": "Информације о профилу", - "Puerto Rico": "Порторико", - "Qatar": "Qatar", - "Quarter To Date": "Четвртина До Данас", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Код за опоравак", "Regards": "С поштовањем", - "Regenerate Recovery Codes": "Регенерација кодова за опоравак", - "Register": "Региструјте се", - "Reload": "Поново", - "Remember me": "Запамти ме", - "Remember Me": "Запамти Ме", - "Remove": "Брисање", - "Remove Photo": "Избришите Фотографију", - "Remove Team Member": "Уклоните Члана Тима", - "Resend Verification Email": "Поновно Слање Верификационог Писма", - "Reset Filters": "Ресетовање филтера", - "Reset Password": "ресетовање лозинке", - "Reset Password Notification": "Обавештење о ресетовању лозинке", - "resource": "ресурс", - "Resources": "Ресурси", - "resources": "ресурси", - "Restore": "Обнови", - "Restore Resource": "Опоравак ресурса", - "Restore Selected": "Вратите Изабрано", "results": "резултати", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Реинион", - "Role": "Улога", - "Romania": "Румунија", - "Run Action": "Извршите акцију", - "Russian Federation": "Руска Федерација", - "Rwanda": "Руанда", - "Réunion": "Réunion", - "Saint Barthelemy": "Свети Бартоломеј", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Света Хелена", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "Свети Китс и Невис", - "Saint Lucia": "Света Луција", - "Saint Martin": "Свети Мартин", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "Сен Пјер и Микелон", - "Saint Vincent And Grenadines": "Сент Винсент и Гренадини", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Самоа", - "San Marino": "Сан Марино", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "Сао Томе и Принципе", - "Saudi Arabia": "Саудијска Арабија", - "Save": "Сачувај", - "Saved.": "Сачувано.", - "Search": "Претрага", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Изаберите Нову Фотографију", - "Select Action": "Изаберите Акцију", - "Select All": "изаберите све", - "Select All Matching": "Изаберите Све Одговарајуће", - "Send Password Reset Link": "Пошаљите Везу За Ресетовање Лозинке", - "Senegal": "Сенегал", - "September": "Септембар", - "Serbia": "Србија", "Server Error": "Грешка сервера", "Service Unavailable": "Услуга Није Доступна", - "Seychelles": "Сејшели", - "Show All Fields": "Прикажи Сва Поља", - "Show Content": "Прикажи садржај", - "Show Recovery Codes": "Прикажи Кодове За Опоравак", "Showing": "Приказ", - "Sierra Leone": "Сијера Леоне", - "Signed in as": "Signed in as", - "Singapore": "Сингапур", - "Sint Maarten (Dutch part)": "Синт Мартин", - "Slovakia": "Словачка", - "Slovenia": "Словенија", - "Solomon Islands": "Соломонска Острва", - "Somalia": "Сомалија", - "Something went wrong.": "Нешто је пошло по злу.", - "Sorry! You are not authorized to perform this action.": "Izvini! Нисте овлашћени да извршите ову акцију.", - "Sorry, your session has expired.": "Извините, ваша сесија је истекла.", - "South Africa": "Јужна Африка", - "South Georgia And Sandwich Isl.": "Јужна Џорџија и Јужна Сендвичка Острва", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Јужни Судан", - "Spain": "Шпанија", - "Sri Lanka": "Шри Ланка", - "Start Polling": "Започните анкету", - "State \/ County": "State \/ County", - "Stop Polling": "Зауставите анкету", - "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.": "Чувајте ове кодове за опоравак у сигурном управитељу лозинки. Они се могу користити за враћање приступа вашем налогу ако се изгуби уређај за двофакторну аутентификацију.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Судан", - "Suriname": "Суринам", - "Svalbard And Jan Mayen": "Свалбард и Јан-Маиен", - "Swaziland": "Eswatini", - "Sweden": "Шведска", - "Switch Teams": "Пребацивање команди", - "Switzerland": "Швајцарска", - "Syrian Arab Republic": "Сирија", - "Taiwan": "Тајван", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Таџикистан", - "Tanzania": "Танзанија", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Детаљи тима", - "Team Invitation": "Позив за тим", - "Team Members": "Чланови тима", - "Team Name": "Назив тима", - "Team Owner": "Власник тима", - "Team Settings": "Подешавања команде", - "Terms of Service": "услови услуге", - "Thailand": "Тајланд", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute мора бити валидна улога.", - "The :attribute must be at least :length characters and contain at least one number.": ":attribute треба да садржи најмање 3.400 знакова и садржи најмање један број.", - "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 special 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 at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute треба да садржи најмање 4.036 знакова и садржи најмање један главни знак, један број и један посебан знак.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute треба да садржи најмање 6.852 карактера и садржи најмање један главни знак.", - "The :attribute must be at least :length characters.": ":attribute мора бити најмање :length знакова.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource је створен!", - "The :resource was deleted!": ":resource је уклоњен!", - "The :resource was restored!": ":resource. је обновљен!", - "The :resource was updated!": ":resource. је ажуриран!", - "The action ran successfully!": "Промоција је била успешна!", - "The file was deleted!": "Датотека је избрисана!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Влада нам неће дозволити да вам покажемо шта је иза тих врата", - "The HasOne relationship has already been filled.": "Хасонеов однос је већ испуњен.", - "The payment was successful.": "Плаћање је прошла успешно.", - "The provided coupon code is invalid.": "The provided coupon code is 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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Ресурс је ажуриран!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Име тима и информације о власнику.", - "There are no available options for this resource.": "За овај ресурс нема доступних опција.", - "There was a problem executing the action.": "Постојао је проблем са извођењем акције.", - "There was a problem submitting the form.": "Постојао је проблем са подношењем обрасца.", - "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.": "Ови људи су позвани у ваш тим и добили су позивницу путем е-поште. Они се могу придружити тиму прихватањем позива путем е-поште.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Ова акција је неовлашћена.", - "This device": "То је уређај", - "This file field is read-only.": "Ово поље датотеке је само за читање.", - "This image": "Ова слика", - "This is a secure area of the application. Please confirm your password before continuing.": "Ово је сигурно подручје апликације. Молимо потврдите лозинку пре него што наставите.", - "This password does not match our records.": "Ова лозинка се не поклапа са нашим записима.", "This password reset link will expire in :count minutes.": "Ова веза за ресетовање лозинке истиче за :count минута.", - "This payment was already successfully confirmed.": "Ова уплата је већ успешно потврђена.", - "This payment was cancelled.": "Та уплата је отказана.", - "This resource no longer exists": "Овај ресурс више не постоји", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Овај корисник већ припада тиму.", - "This user has already been invited to the team.": "Овај корисник је већ позван у тим.", - "Timor-Leste": "Тимор-Лесте", "to": "к", - "Today": "Данас", "Toggle navigation": "Пребацивање навигације", - "Togo": "Тога", - "Tokelau": "Токелау", - "Token Name": "Име токена", - "Tonga": "Дођите", "Too Many Attempts.": "Превише Покушаја.", "Too Many Requests": "Превише Захтева", - "total": "све", - "Total:": "Total:", - "Trashed": "Сломљен", - "Trinidad And Tobago": "Тринидад и Тобаго", - "Tunisia": "Тунис", - "Turkey": "Ћуретина", - "Turkmenistan": "Туркменистан", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Острва Туркс и Каикос", - "Tuvalu": "Тувалу", - "Two Factor Authentication": "Двофакторна Аутентификација", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Сада је омогућена двофакторска Аутентификација. Скенирајте следећи КР код помоћу апликације Аутхентицатор вашег телефона.", - "Uganda": "Уганда", - "Ukraine": "Украјина", "Unauthorized": "Неовлашћено", - "United Arab Emirates": "Уједињени Арапски Емирати", - "United Kingdom": "Велика Британија", - "United States": "Сједињене Државе", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "Удаљена острва САД", - "Update": "Ажурирање", - "Update & Continue Editing": "Ажурирање и наставак уређивања", - "Update :resource": "Ажурирање :resource", - "Update :resource: :title": "Ажурирање :resource: :title", - "Update attached :resource: :title": "Ажурирање у прилогу :resource: :title", - "Update Password": "Ажурирајте лозинку", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Ажурирајте информације о профилу вашег налога и адресу е-поште.", - "Uruguay": "Уругвај", - "Use a recovery code": "Користите код за опоравак", - "Use an authentication code": "Користите код за аутентификацију", - "Uzbekistan": "Узбекистан", - "Value": "Вредност", - "Vanuatu": "Вануату", - "VAT Number": "VAT Number", - "Venezuela": "Венецуела", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Проверите Адресу Е-Поште", "Verify Your Email Address": "Проверите Своју Адресу Е-Поште", - "Viet Nam": "Vietnam", - "View": "Погледајте", - "Virgin Islands, British": "Британска Девичанска Острва", - "Virgin Islands, U.S.": "Америчка Девичанска Острва", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Валлис и Футуна", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Нисмо успели да нађемо регистрованог корисника са овом адресом е-поште.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Нећемо поново тражити вашу лозинку за неколико сати.", - "We're lost in space. The page you were trying to view does not exist.": "Изгубили смо се у свемиру. Страница коју сте покушали прегледати не постоји.", - "Welcome Back!": "Dobrodošao Nazad!", - "Western Sahara": "Западна Сахара", - "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.": "Ако је омогућена двофакторска Аутентификација, од вас ће се тражити да унесете сигуран случајни токен током аутентификације. Овај токен можете добити из апликације Гоогле Аутхентицатор вашег телефона.", - "Whoops": "Упс", - "Whoops!": "Ups!", - "Whoops! Something went wrong.": "Ups! Нешто је пошло по злу.", - "With Trashed": "Са Разбијеним", - "Write": "Писање", - "Year To Date": "Година До Данас", - "Yearly": "Yearly", - "Yemen": "Јемен", - "Yes": "Да", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Пријављени сте!", - "You are receiving this email because we received a password reset request for your account.": "Добијате ову е-пошту јер смо добили захтев за ресетовање лозинке за ваш налог.", - "You have been invited to join the :team team!": "Позвани сте да се придружите тиму :team!", - "You have enabled two factor authentication.": "Омогућили сте двофакторну аутентификацију.", - "You have not enabled two factor authentication.": "Нисте омогућили двофакторну аутентификацију.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.": "Не можете напустити тим који сте створили.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Ваша адреса е-поште није проверена.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Замбија", - "Zimbabwe": "Зимбабве", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Ваша адреса е-поште није проверена." } diff --git a/locales/sv/packages/cashier.json b/locales/sv/packages/cashier.json new file mode 100644 index 00000000000..19e26f3e8a0 --- /dev/null +++ b/locales/sv/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Alla rättigheter förbehålls.", + "Card": "Kort", + "Confirm Payment": "Bekräfta Betalning", + "Confirm your :amount payment": "Bekräfta din :amount betalning", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Extra bekräftelse behövs för att behandla din betalning. Bekräfta din betalning genom att fylla i dina betalningsuppgifter nedan.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra bekräftelse behövs för att behandla din betalning. Fortsätt till betalningssidan genom att klicka på knappen nedan.", + "Full name": "Efternamn", + "Go back": "Återvända", + "Jane Doe": "Jane Doe", + "Pay :amount": "Betala :amount", + "Payment Cancelled": "Annullerad Betalning", + "Payment Confirmation": "Betalningsbekräftelse", + "Payment Successful": "Betalning Framgångsrik", + "Please provide your name.": "Ange ditt namn.", + "The payment was successful.": "Betalningen var framgångsrik.", + "This payment was already successfully confirmed.": "Denna betalning bekräftades redan framgångsrikt.", + "This payment was cancelled.": "Denna betalning annullerades." +} diff --git a/locales/sv/packages/fortify.json b/locales/sv/packages/fortify.json new file mode 100644 index 00000000000..0c94b9284c7 --- /dev/null +++ b/locales/sv/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 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 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 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 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.": ":attribute måste vara minst :length tecken.", + "The provided password does not match your current password.": "Det angivna lösenordet matchar inte ditt nuvarande lösenord.", + "The provided password was incorrect.": "Det angivna lösenordet var felaktigt.", + "The provided two factor authentication code was invalid.": "Den angivna tvåfaktorsautentiseringskoden var ogiltig." +} diff --git a/locales/sv/packages/jetstream.json b/locales/sv/packages/jetstream.json new file mode 100644 index 00000000000..826f93f4859 --- /dev/null +++ b/locales/sv/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "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.", + "Accept Invitation": "Acceptera inbjudan", + "Add": "Lägg till", + "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 additional security to your account using two factor authentication.": "Lägg till ytterligare säkerhet i ditt konto med två faktorautentisering.", + "Add Team Member": "Lägg Till Teammedlem", + "Added.": "Lagt till.", + "Administrator": "Administratör", + "Administrator users can perform any action.": "Administratörsanvändare kan utföra alla åtgärder.", + "All of the people that are part of this team.": "Alla de människor som är en del av detta team.", + "Already registered?": "Redan registrerad?", + "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.", + "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 delete this API token?": "Är du säker på att du vill ta bort denna API-token?", + "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 laget?", + "Browser Sessions": "Webbläsarsessioner", + "Cancel": "Avbryta", + "Close": "Stäng", + "Code": "Kod", + "Confirm": "Bekräfta", + "Confirm Password": "Bekräfta lösenordet", + "Create": "Skapa", + "Create a new team to collaborate with others on projects.": "Skapa ett nytt team för att samarbeta med andra om projekt.", + "Create Account": "Skapa Konto", + "Create API Token": "Skapa API-Token", + "Create New Team": "Skapa Nytt Team", + "Create Team": "Skapa Team", + "Created.": "Skapad.", + "Current Password": "Nuvarande Lösenord", + "Dashboard": "Instrumentpanel", + "Delete": "Radera", + "Delete Account": "Radera Konto", + "Delete API Token": "Radera API-Token", + "Delete Team": "Radera Team", + "Disable": "Inaktivera", + "Done.": "Klar.", + "Editor": "Utgivare", + "Editor users have the ability to read, create, and update.": "Redigeraranvändare har möjlighet att läsa, skapa och uppdatera.", + "Email": "E-post", + "Email Password Reset Link": "Skicka återställningslänk", + "Enable": "Aktivera", + "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.", + "For your security, please confirm your password to continue.": "För din säkerhet, bekräfta ditt lösenord för att fortsätta.", + "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. Ange din e-post adress så skickar vi en återställningslänk.", + "Great! You have accepted the invitation to join the :team team.": "Toppen! Du har accepterat inbjudan att gå med i :team-laget.", + "I agree to the :terms_of_service and :privacy_policy": "Jag samtycker till :terms_of_service och :privacy_policy", + "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 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 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 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:", + "Last active": "Senast aktiv", + "Last used": "Senast använd", + "Leave": "Lämna", + "Leave Team": "Lämna team", + "Log in": "Inloggning", + "Log Out": "utloggning", + "Log Out Other Browser Sessions": "Logga Ut Andra Webbläsarsessioner", + "Manage Account": "Hantera Konto", + "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 Role": "Hantera Roll", + "Manage Team": "Hantera Team", + "Name": "Namn", + "New Password": "Nytt Lösenord", + "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 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.", + "Password": "Lösenord", + "Pending Team Invitations": "Väntande Teaminbjudningar", + "Permanently delete this team.": "Ta bort det här laget permanent.", + "Permanently delete your account.": "Ta bort ditt konto permanent.", + "Permissions": "Behörighet", + "Photo": "Foto", + "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 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 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 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.", + "Privacy Policy": "sekretesspolicy", + "Profile": "Profil", + "Profile Information": "profilinformation", + "Recovery Code": "Återställningskod", + "Regenerate Recovery Codes": "Regenerera Återställningskoder", + "Register": "Registrera", + "Remember me": "Kom ihåg mig", + "Remove": "Ta bort", + "Remove Photo": "Ta Bort Foto", + "Remove Team Member": "Ta Bort Gruppmedlem", + "Resend Verification Email": "Skicka Verifieringsmeddelande Igen", + "Reset Password": "Återställ lösenordet", + "Role": "Roll", + "Save": "Spara", + "Saved.": "Sparad.", + "Select A New Photo": "Välj ett nytt foto", + "Show Recovery Codes": "Visa Återställningskoder", + "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.", + "Switch Teams": "Byt Lag", + "Team Details": "Team Detaljer", + "Team Invitation": "Grupp Inbjudan", + "Team Members": "lagmedlemmarna", + "Team Name": "Lagets Namn", + "Team Owner": "Lagägare", + "Team Settings": "Laginställningar", + "Terms of Service": "användarvillkor", + "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 anmälde dig! Innan du börjar, kan du verifiera din e-postadress genom att klicka på länken vi just mailade till dig? Om du inte fick e-postmeddelandet skickar vi gärna en annan.", + "The :attribute must be a valid role.": ":attribute måste vara en giltig Roll.", + "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 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 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 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 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.": ":attribute måste vara minst :length tecken.", + "The provided password does not match your current password.": "Det angivna lösenordet matchar inte ditt nuvarande lösenord.", + "The provided password was incorrect.": "Det angivna lösenordet var felaktigt.", + "The provided two factor authentication code was invalid.": "Den angivna tvåfaktorsautentiseringskoden var ogiltig.", + "The team's name and owner information.": "Lagets namn och ägarinformation.", + "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.", + "This device": "Denna enhet", + "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 password does not match our records.": "Detta Lösenord matchar inte våra poster.", + "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 blivit inbjuden till laget.", + "Token Name": "Symboliskt Namn", + "Two Factor Authentication": "Tvåfaktorsautentisering", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Tvåfaktorsautentisering är nu aktiverad. Skanna följande QR-kod med telefonens autentiseringsprogram.", + "Update Password": "Uppdatera lösenord", + "Update your account's profile information and email address.": "Uppdatera kontots profilinformation och e-postadress.", + "Use a recovery code": "Använd en återställningskod", + "Use an authentication code": "Använd en autentiseringskod", + "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.", + "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.", + "Whoops! Something went wrong.": "Oops! Något gick fel.", + "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 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.": "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." +} diff --git a/locales/sv/packages/nova.json b/locales/sv/packages/nova.json new file mode 100644 index 00000000000..8a86596f70f --- /dev/null +++ b/locales/sv/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 dagar", + "60 Days": "60 dagar", + "90 Days": "90 dagar", + ":amount Total": ":amount totalt", + ":resource Details": ":resource detaljer", + ":resource Details: :title": ":resource Detaljer: :title", + "Action": "Åtgärd", + "Action Happened At": "Hände vid", + "Action Initiated By": "Initerad av", + "Action Name": "Namn", + "Action Status": "Status", + "Action Target": "Mål", + "Actions": "Åtgärd", + "Add row": "Lägg till rad", + "Afghanistan": "Afghanistan", + "Aland Islands": "Åland", + "Albania": "Albanien", + "Algeria": "Algeriet", + "All resources loaded.": "Alla resurser laddade.", + "American Samoa": "Amerikanska Samoa", + "An error occured while uploading the file.": "Ett fel uppstod när filen laddades upp.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "En annan användare har uppdaterat den här resursen sedan den här sidan laddades. Uppdatera sidan och försök igen.", + "Antarctica": "Antarktis", + "Antigua And Barbuda": "Antigua och Barbuda", + "April": "April", + "Are you sure you want to delete the selected resources?": "Är du säker på att du vill ta bort de valda resurserna?", + "Are you sure you want to delete this file?": "Är du säker på att du vill ta bort den här filen?", + "Are you sure you want to delete this resource?": "Är du säker på att du vill ta bort den här resursen?", + "Are you sure you want to detach the selected resources?": "Är du säker på att du vill lossa de valda resurserna?", + "Are you sure you want to detach this resource?": "Är du säker på att du vill lossa den här resursen?", + "Are you sure you want to force delete the selected resources?": "Är du säker på att du vill tvinga bort de valda resurserna?", + "Are you sure you want to force delete this resource?": "Är du säker på att du vill tvinga bort den här resursen?", + "Are you sure you want to restore the selected resources?": "Är du säker på att du vill återställa de valda resurserna?", + "Are you sure you want to restore this resource?": "Är du säker på att du vill återställa den här resursen?", + "Are you sure you want to run this action?": "Är du säker på att du vill köra denna åtgärd?", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Attach": "Fästa", + "Attach & Attach Another": "Bifoga Och Bifoga En Annan", + "Attach :resource": "Fäst :resource", + "August": "Augusti", + "Australia": "Australien", + "Austria": "Österrike", + "Azerbaijan": "Azerbajdzjan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Vitryssland", + "Belgium": "Belgien", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius och Sábado", + "Bosnia And Herzegovina": "Bosnien Och Hercegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvetön", + "Brazil": "Brasilien", + "British Indian Ocean Territory": "Brittiska Territoriet I Indiska Oceanen", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgarien", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodja", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel": "Avbryta", + "Cape Verde": "Kap Verde", + "Cayman Islands": "Caymanöarna", + "Central African Republic": "Centralafrikanska Republiken", + "Chad": "Tchad", + "Changes": "Förändring", + "Chile": "Chile", + "China": "Kina", + "Choose": "Välja", + "Choose :field": "Välj :field", + "Choose :resource": "Välj :resource", + "Choose an option": "Välj ett alternativ", + "Choose date": "Välj datum", + "Choose File": "Välj Fil", + "Choose Type": "Välj Typ", + "Christmas Island": "Julön", + "Click to choose": "Klicka för att välja", + "Cocos (Keeling) Islands": "Kokosöarna", + "Colombia": "Colombia", + "Comoros": "Komorerna", + "Confirm Password": "Bekräfta lösenordet", + "Congo": "Kongo", + "Congo, Democratic Republic": "Demokratiska Republiken Kongo", + "Constant": "Konstant", + "Cook Islands": "Cooköarna", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "kunde inte hittas.", + "Create": "Skapa", + "Create & Add Another": "Skapa & Lägga Till En Annan", + "Create :resource": "Skapa :resource", + "Croatia": "Kroatien", + "Cuba": "Kuba", + "Curaçao": "Curacao", + "Customize": "Anpassa", + "Cyprus": "Cypern", + "Czech Republic": "Tjeckien", + "Dashboard": "Instrumentpanel", + "December": "December", + "Decrease": "Minska", + "Delete": "Radera", + "Delete File": "Radera Fil", + "Delete Resource": "Radera Resurs", + "Delete Selected": "Radera Vald", + "Denmark": "Danmark", + "Detach": "Lossna", + "Detach Resource": "Lossa Resursen", + "Detach Selected": "Lossa Valt", + "Details": "Information", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Vill du verkligen gå? Du har osparade förändringar.", + "Dominica": "Söndag", + "Dominican Republic": "Dominikanska Republiken", + "Download": "Ladda", + "Ecuador": "Ecuador", + "Edit": "Redigera", + "Edit :resource": "Redigera :resource", + "Edit Attached": "Redigera Bifogad", + "Egypt": "Egypt", + "El Salvador": "Salvador", + "Email Address": "postadress", + "Equatorial Guinea": "Ekvatorialguinea", + "Eritrea": "Eritrea", + "Estonia": "Estland", + "Ethiopia": "Etiopien", + "Falkland Islands (Malvinas)": "Falklandsöarna (Malvinas)", + "Faroe Islands": "Färöarna", + "February": "Februari", + "Fiji": "Fiji", + "Finland": "Finland", + "Force Delete": "Tvinga Bort", + "Force Delete Resource": "Kraft Radera Resurs", + "Force Delete Selected": "Force Delete Vald", + "Forgot Your Password?": "Glömt ditt lösenord?", + "Forgot your password?": "Glömt ditt lösenord?", + "France": "Frankrike", + "French Guiana": "Franska Guyana", + "French Polynesia": "Franska Polynesien", + "French Southern Territories": "Franska Sydterritorierna", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgien", + "Germany": "Tyskland", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "Gå hem", + "Greece": "Grekland", + "Greenland": "Grönland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Heardön och mcdonaldöarna", + "Hide Content": "Dölj Innehåll", + "Hold Up!": "Vänta!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hongkong", + "Hungary": "Ungern", + "Iceland": "Island", + "ID": "ID", + "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.", + "Increase": "Öka", + "India": "Indien", + "Indonesia": "Indonesien", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Irak", + "Ireland": "Irland", + "Isle Of Man": "Isle of Man", + "Israel": "Israel", + "Italy": "Italien", + "Jamaica": "Jamaica", + "January": "Januari", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "July": "Juli", + "June": "Juni", + "Kazakhstan": "Kazakstan", + "Kenya": "Kenya", + "Key": "Nyckel", + "Kiribati": "Kiribati", + "Korea": "Sydkorea", + "Korea, Democratic People's Republic of": "Nordkorea", + "Kosovo": "Kosovo", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kirgizistan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Lettland", + "Lebanon": "Libanon", + "Lens": "Objektiv", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libyen", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litauen", + "Load :perPage More": "Ladda :persida mer", + "Login": "Logga in", + "Logout": "Logga ut", + "Luxembourg": "Luxemburgsk", + "Macao": "Macao", + "Macedonia": "Norra Makedonien", + "Madagascar": "Madagaskar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Liten", + "Malta": "Malta", + "March": "Mars", + "Marshall Islands": "Marshallöarna", + "Martinique": "Martinique", + "Mauritania": "Mauretanien", + "Mauritius": "Mauritius", + "May": "Kan", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States Of": "Mikronesien", + "Moldova": "Moldavien", + "Monaco": "Monaco", + "Mongolia": "Mongoliet", + "Montenegro": "Montenegro", + "Month To Date": "Månad Till Datum", + "Montserrat": "Montserrat", + "Morocco": "Marocko", + "Mozambique": "Moçambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepalesiska", + "Netherlands": "Nederländerna", + "New": "Ny", + "New :resource": "Nya :resource", + "New Caledonia": "Nya Kaledonien", + "New Zealand": "nyzeeländsk", + "Next": "Nästa", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "Nej", + "No :resource matched the given criteria.": "Nr :resource matchade de angivna kriterierna.", + "No additional information...": "Ingen ytterligare information...", + "No Current Data": "Inga Aktuella Uppgifter", + "No Data": "Inga Uppgifter", + "no file selected": "ingen fil vald", + "No Increase": "Ingen Ökning", + "No Prior Data": "Inga Tidigare Uppgifter", + "No Results Found.": "Inga Resultat Hittades.", + "Norfolk Island": "Norfolkön", + "Northern Mariana Islands": "Nordmarianerna", + "Norway": "Norge", + "Nova User": "Nova Användare", + "November": "November", + "October": "Oktober", + "of": "av", + "Oman": "Oman", + "Only Trashed": "Endast Papperskorgen", + "Original": "Ursprunglig", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinska Områdena", + "Panama": "Panama", + "Papua New Guinea": "Papua Nya Guinea", + "Paraguay": "Paraguay", + "Password": "Lösenord", + "Per Page": "Per Sida", + "Peru": "Peru", + "Philippines": "Filippinerna", + "Pitcairn": "Pitcairnöarna", + "Poland": "Polen", + "Portugal": "Portugal", + "Press \/ to search": "Tryck på \/ för att söka", + "Preview": "Förhandsgranskning", + "Previous": "Tidigare", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Kvartalet Hittills", + "Reload": "Ladda", + "Remember Me": "Kom ihåg mig", + "Reset Filters": "Återställ Filter", + "Reset Password": "Återställ lösenordet", + "Reset Password Notification": "Återställ lösenordet-notifikationen", + "resource": "resurs", + "Resources": "Medel", + "resources": "medel", + "Restore": "Återställa", + "Restore Resource": "Återställ Resurs", + "Restore Selected": "Återställ Vald", + "Reunion": "Möte", + "Romania": "Rumänien", + "Run Action": "Kör Åtgärd", + "Russian Federation": "Ryssland", + "Rwanda": "Rwanda", + "Saint Barthelemy": "St. Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts And Nevis": "Saint Kitts Och Nevis", + "Saint Lucia": "Saint Lucia", + "Saint Martin": "St Martin", + "Saint Pierre And Miquelon": "St. Pierre och Miquelon", + "Saint Vincent And Grenadines": "Saint Vincent Och Grenadinerna", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "São Tomé och Príncipe", + "Saudi Arabia": "Saudiarabien", + "Search": "Söka", + "Select Action": "Välj Åtgärd", + "Select All": "Välj Alla", + "Select All Matching": "Välj Alla Matchande", + "Send Password Reset Link": "Skicka återställningslänken", + "Senegal": "Senegal", + "September": "September", + "Serbia": "Serbien", + "Seychelles": "Seychellerna", + "Show All Fields": "Visa Alla Fält", + "Show Content": "Visa Innehåll", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapore", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovakien", + "Slovenia": "Slovenien", + "Solomon Islands": "Salomonöarnas", + "Somalia": "Somalia", + "Something went wrong.": "Något gick fel.", + "Sorry! You are not authorized to perform this action.": "Förlåt! Du har inte behörighet att utföra denna åtgärd.", + "Sorry, your session has expired.": "Ledsen, din session har gått ut.", + "South Africa": "Sydafrika", + "South Georgia And Sandwich Isl.": "Sydgeorgien och Sydsandwichöarna", + "South Sudan": "Sydsudan", + "Spain": "Spanien", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Börja Polling", + "Stop Polling": "Sluta Polla", + "Sudan": "Sudan", + "Suriname": "Surinam", + "Svalbard And Jan Mayen": "Svalbard och Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sverige", + "Switzerland": "Schweiz", + "Syrian Arab Republic": "Syrien", + "Taiwan": "Taiwan", + "Tajikistan": "Tadzjikistan", + "Tanzania": "Tanzania", + "Thailand": "Thailand", + "The :resource was created!": ":resource skapades!", + "The :resource was deleted!": ":resource togs bort!", + "The :resource was restored!": ":resource återställdes!", + "The :resource was updated!": "Den :resource uppdaterades!", + "The action ran successfully!": "Åtgärden sprang framgångsrikt!", + "The file was deleted!": "Filen togs bort!", + "The government won't let us show you what's behind these doors": "Regeringen låter oss inte visa vad som finns bakom dörrarna.", + "The HasOne relationship has already been filled.": "Den Hasen relation har redan fyllts.", + "The resource was updated!": "Resursen uppdaterades!", + "There are no available options for this resource.": "Det finns inga tillgängliga alternativ för den här resursen.", + "There was a problem executing the action.": "Det var ett problem att utföra åtgärden.", + "There was a problem submitting the form.": "Det var ett problem att lämna in formuläret.", + "This file field is read-only.": "Det här filfältet är skrivskyddat.", + "This image": "Denna bild", + "This resource no longer exists": "Denna resurs finns inte längre", + "Timor-Leste": "Östtimor", + "Today": "Idag", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Komma", + "total": "total", + "Trashed": "Kasta", + "Trinidad And Tobago": "Trinidad och Tobago", + "Tunisia": "Tunisien", + "Turkey": "Turkiet", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Turks-och Caicosöarna", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraina", + "United Arab Emirates": "Förenade Arabemiraten", + "United Kingdom": "Storbritannien", + "United States": "USA", + "United States Outlying Islands": "Amerikanska avlägsna öar", + "Update": "Uppdatering", + "Update & Continue Editing": "Uppdatera Och Fortsätt Redigera", + "Update :resource": "Uppdatering :resource", + "Update :resource: :title": "Uppdatering :resource: :title", + "Update attached :resource: :title": "Uppdatering bifogad :resource: :title", + "Uruguay": "Uruguayrunda", + "Uzbekistan": "Uzbekistan", + "Value": "Värde", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Utsikt", + "Virgin Islands, British": "Brittiska Jungfruöarna", + "Virgin Islands, U.S.": "Amerikanska Jungfruöarna", + "Wallis And Futuna": "Wallis och Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Vi är vilse i rymden. Sidan du försökte visa finns inte.", + "Welcome Back!": "Välkommen tillbaka!", + "Western Sahara": "Västsahara", + "Whoops": "Whoop", + "Whoops!": "Oops!", + "With Trashed": "Med Papperskorgen", + "Write": "Skriva", + "Year To Date": "Hittills I År", + "Yemen": "Jemenitisk", + "Yes": "Ja", + "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.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/sv/packages/spark-paddle.json b/locales/sv/packages/spark-paddle.json new file mode 100644 index 00000000000..c0ff38d6b1b --- /dev/null +++ b/locales/sv/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "användarvillkor", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Oops! Något gick fel.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/sv/packages/spark-stripe.json b/locales/sv/packages/spark-stripe.json new file mode 100644 index 00000000000..bd699ad701e --- /dev/null +++ b/locales/sv/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afghanistan", + "Albania": "Albanien", + "Algeria": "Algeriet", + "American Samoa": "Amerikanska Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarktis", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Australia": "Australien", + "Austria": "Österrike", + "Azerbaijan": "Azerbajdzjan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Vitryssland", + "Belgium": "Belgien", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvetön", + "Brazil": "Brasilien", + "British Indian Ocean Territory": "Brittiska Territoriet I Indiska Oceanen", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgarien", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodja", + "Cameroon": "Kamerun", + "Canada": "Kanada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Kap Verde", + "Card": "Kort", + "Cayman Islands": "Caymanöarna", + "Central African Republic": "Centralafrikanska Republiken", + "Chad": "Tchad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Chile", + "China": "Kina", + "Christmas Island": "Julön", + "City": "City", + "Cocos (Keeling) Islands": "Kokosöarna", + "Colombia": "Colombia", + "Comoros": "Komorerna", + "Confirm Payment": "Bekräfta Betalning", + "Confirm your :amount payment": "Bekräfta din :amount betalning", + "Congo": "Kongo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Cooköarna", + "Costa Rica": "Costa Rica", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Kroatien", + "Cuba": "Kuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Cypern", + "Czech Republic": "Tjeckien", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Danmark", + "Djibouti": "Djibouti", + "Dominica": "Söndag", + "Dominican Republic": "Dominikanska Republiken", + "Download Receipt": "Download Receipt", + "Ecuador": "Ecuador", + "Egypt": "Egypt", + "El Salvador": "Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Ekvatorialguinea", + "Eritrea": "Eritrea", + "Estonia": "Estland", + "Ethiopia": "Etiopien", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra bekräftelse behövs för att behandla din betalning. Fortsätt till betalningssidan genom att klicka på knappen nedan.", + "Falkland Islands (Malvinas)": "Falklandsöarna (Malvinas)", + "Faroe Islands": "Färöarna", + "Fiji": "Fiji", + "Finland": "Finland", + "France": "Frankrike", + "French Guiana": "Franska Guyana", + "French Polynesia": "Franska Polynesien", + "French Southern Territories": "Franska Sydterritorierna", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgien", + "Germany": "Tyskland", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Grekland", + "Greenland": "Grönland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hongkong", + "Hungary": "Ungern", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Island", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Indien", + "Indonesia": "Indonesien", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Irak", + "Ireland": "Irland", + "Isle of Man": "Isle of Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italien", + "Jamaica": "Jamaica", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "Kazakhstan": "Kazakstan", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Nordkorea", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kirgizistan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Lettland", + "Lebanon": "Libanon", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libyen", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litauen", + "Luxembourg": "Luxemburgsk", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagaskar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Liten", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marshallöarna", + "Martinique": "Martinique", + "Mauritania": "Mauretanien", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monaco", + "Mongolia": "Mongoliet", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Marocko", + "Mozambique": "Moçambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepalesiska", + "Netherlands": "Nederländerna", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Nya Kaledonien", + "New Zealand": "nyzeeländsk", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Norfolkön", + "Northern Mariana Islands": "Nordmarianerna", + "Norway": "Norge", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinska Områdena", + "Panama": "Panama", + "Papua New Guinea": "Papua Nya Guinea", + "Paraguay": "Paraguay", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Filippinerna", + "Pitcairn": "Pitcairnöarna", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Polen", + "Portugal": "Portugal", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Rumänien", + "Russian Federation": "Ryssland", + "Rwanda": "Rwanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Saint Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saudiarabien", + "Save": "Spara", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbien", + "Seychelles": "Seychellerna", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapore", + "Slovakia": "Slovakien", + "Slovenia": "Slovenien", + "Solomon Islands": "Salomonöarnas", + "Somalia": "Somalia", + "South Africa": "Sydafrika", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Spanien", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Surinam", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sverige", + "Switzerland": "Schweiz", + "Syrian Arab Republic": "Syrien", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tadzjikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "användarvillkor", + "Thailand": "Thailand", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Östtimor", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Komma", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisien", + "Turkey": "Turkiet", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraina", + "United Arab Emirates": "Förenade Arabemiraten", + "United Kingdom": "Storbritannien", + "United States": "USA", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Uppdatering", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguayrunda", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Brittiska Jungfruöarna", + "Virgin Islands, U.S.": "Amerikanska Jungfruöarna", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Västsahara", + "Whoops! Something went wrong.": "Oops! Något gick fel.", + "Yearly": "Yearly", + "Yemen": "Jemenitisk", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/sv/sv.json b/locales/sv/sv.json index 6aac1df6345..78eada3b1c4 100644 --- a/locales/sv/sv.json +++ b/locales/sv/sv.json @@ -1,710 +1,48 @@ { - "30 Days": "30 dagar", - "60 Days": "60 dagar", - "90 Days": "90 dagar", - ":amount Total": ":amount totalt", - ":days day trial": ":days day trial", - ":resource Details": ":resource detaljer", - ":resource Details: :title": ":resource Detaljer: :title", "A fresh verification link has been sent to your email address.": "En verifieringslänk har skickats till din e-postadress.", - "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.", - "Accept Invitation": "Acceptera inbjudan", - "Action": "Åtgärd", - "Action Happened At": "Hände vid", - "Action Initiated By": "Initerad av", - "Action Name": "Namn", - "Action Status": "Status", - "Action Target": "Mål", - "Actions": "Åtgärd", - "Add": "Lägg till", - "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 additional security to your account using two factor authentication.": "Lägg till ytterligare säkerhet i ditt konto med två faktorautentisering.", - "Add row": "Lägg till rad", - "Add Team Member": "Lägg Till Teammedlem", - "Add VAT Number": "Add VAT Number", - "Added.": "Lagt till.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administratör", - "Administrator users can perform any action.": "Administratörsanvändare kan utföra alla åtgärder.", - "Afghanistan": "Afghanistan", - "Aland Islands": "Åland", - "Albania": "Albanien", - "Algeria": "Algeriet", - "All of the people that are part of this team.": "Alla de människor som är en del av detta team.", - "All resources loaded.": "Alla resurser laddade.", - "All rights reserved.": "Alla rättigheter förbehålls.", - "Already registered?": "Redan registrerad?", - "American Samoa": "Amerikanska Samoa", - "An error occured while uploading the file.": "Ett fel uppstod när filen laddades upp.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "En annan användare har uppdaterat den här resursen sedan den här sidan laddades. Uppdatera sidan och försök igen.", - "Antarctica": "Antarktis", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua och Barbuda", - "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.", - "April": "April", - "Are you sure you want to delete the selected resources?": "Är du säker på att du vill ta bort de valda resurserna?", - "Are you sure you want to delete this file?": "Är du säker på att du vill ta bort den här filen?", - "Are you sure you want to delete this resource?": "Är du säker på att du vill ta bort den här resursen?", - "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 want to detach the selected resources?": "Är du säker på att du vill lossa de valda resurserna?", - "Are you sure you want to detach this resource?": "Är du säker på att du vill lossa den här resursen?", - "Are you sure you want to force delete the selected resources?": "Är du säker på att du vill tvinga bort de valda resurserna?", - "Are you sure you want to force delete this resource?": "Är du säker på att du vill tvinga bort den här resursen?", - "Are you sure you want to restore the selected resources?": "Är du säker på att du vill återställa de valda resurserna?", - "Are you sure you want to restore this resource?": "Är du säker på att du vill återställa den här resursen?", - "Are you sure you want to run this action?": "Är du säker på att du vill köra denna åtgärd?", - "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 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 laget?", - "Argentina": "Argentina", - "Armenia": "Armenia", - "Aruba": "Aruba", - "Attach": "Fästa", - "Attach & Attach Another": "Bifoga Och Bifoga En Annan", - "Attach :resource": "Fäst :resource", - "August": "Augusti", - "Australia": "Australien", - "Austria": "Österrike", - "Azerbaijan": "Azerbajdzjan", - "Bahamas": "Bahamas", - "Bahrain": "Bahrain", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Innan du fortsätter, vänligen kontrollera din e-post efter verifieringslänken.", - "Belarus": "Vitryssland", - "Belgium": "Belgien", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bhutan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius och Sábado", - "Bosnia And Herzegovina": "Bosnien Och Hercegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvetön", - "Brazil": "Brasilien", - "British Indian Ocean Territory": "Brittiska Territoriet I Indiska Oceanen", - "Browser Sessions": "Webbläsarsessioner", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgarien", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Kambodja", - "Cameroon": "Kamerun", - "Canada": "Kanada", - "Cancel": "Avbryta", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Kap Verde", - "Card": "Kort", - "Cayman Islands": "Caymanöarna", - "Central African Republic": "Centralafrikanska Republiken", - "Chad": "Tchad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Förändring", - "Chile": "Chile", - "China": "Kina", - "Choose": "Välja", - "Choose :field": "Välj :field", - "Choose :resource": "Välj :resource", - "Choose an option": "Välj ett alternativ", - "Choose date": "Välj datum", - "Choose File": "Välj Fil", - "Choose Type": "Välj Typ", - "Christmas Island": "Julön", - "City": "City", "click here to request another": "klicka här för att begära en ny", - "Click to choose": "Klicka för att välja", - "Close": "Stäng", - "Cocos (Keeling) Islands": "Kokosöarna", - "Code": "Kod", - "Colombia": "Colombia", - "Comoros": "Komorerna", - "Confirm": "Bekräfta", - "Confirm Password": "Bekräfta lösenordet", - "Confirm Payment": "Bekräfta Betalning", - "Confirm your :amount payment": "Bekräfta din :amount betalning", - "Congo": "Kongo", - "Congo, Democratic Republic": "Demokratiska Republiken Kongo", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Konstant", - "Cook Islands": "Cooköarna", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "kunde inte hittas.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Skapa", - "Create & Add Another": "Skapa & Lägga Till En Annan", - "Create :resource": "Skapa :resource", - "Create a new team to collaborate with others on projects.": "Skapa ett nytt team för att samarbeta med andra om projekt.", - "Create Account": "Skapa Konto", - "Create API Token": "Skapa API-Token", - "Create New Team": "Skapa Nytt Team", - "Create Team": "Skapa Team", - "Created.": "Skapad.", - "Croatia": "Kroatien", - "Cuba": "Kuba", - "Curaçao": "Curacao", - "Current Password": "Nuvarande Lösenord", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Anpassa", - "Cyprus": "Cypern", - "Czech Republic": "Tjeckien", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Instrumentpanel", - "December": "December", - "Decrease": "Minska", - "Delete": "Radera", - "Delete Account": "Radera Konto", - "Delete API Token": "Radera API-Token", - "Delete File": "Radera Fil", - "Delete Resource": "Radera Resurs", - "Delete Selected": "Radera Vald", - "Delete Team": "Radera Team", - "Denmark": "Danmark", - "Detach": "Lossna", - "Detach Resource": "Lossa Resursen", - "Detach Selected": "Lossa Valt", - "Details": "Information", - "Disable": "Inaktivera", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Vill du verkligen gå? Du har osparade förändringar.", - "Dominica": "Söndag", - "Dominican Republic": "Dominikanska Republiken", - "Done.": "Klar.", - "Download": "Ladda", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-postadress", - "Ecuador": "Ecuador", - "Edit": "Redigera", - "Edit :resource": "Redigera :resource", - "Edit Attached": "Redigera Bifogad", - "Editor": "Utgivare", - "Editor users have the ability to read, create, and update.": "Redigeraranvändare har möjlighet att läsa, skapa och uppdatera.", - "Egypt": "Egypt", - "El Salvador": "Salvador", - "Email": "E-post", - "Email Address": "postadress", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Skicka återställningslänk", - "Enable": "Aktivera", - "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.", - "Equatorial Guinea": "Ekvatorialguinea", - "Eritrea": "Eritrea", - "Estonia": "Estland", - "Ethiopia": "Etiopien", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Extra bekräftelse behövs för att behandla din betalning. Bekräfta din betalning genom att fylla i dina betalningsuppgifter nedan.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra bekräftelse behövs för att behandla din betalning. Fortsätt till betalningssidan genom att klicka på knappen nedan.", - "Falkland Islands (Malvinas)": "Falklandsöarna (Malvinas)", - "Faroe Islands": "Färöarna", - "February": "Februari", - "Fiji": "Fiji", - "Finland": "Finland", - "For your security, please confirm your password to continue.": "För din säkerhet, bekräfta ditt lösenord för att fortsätta.", "Forbidden": "Förbjuden", - "Force Delete": "Tvinga Bort", - "Force Delete Resource": "Kraft Radera Resurs", - "Force Delete Selected": "Force Delete Vald", - "Forgot Your 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. Ange din e-post adress så skickar vi en återställningslänk.", - "France": "Frankrike", - "French Guiana": "Franska Guyana", - "French Polynesia": "Franska Polynesien", - "French Southern Territories": "Franska Sydterritorierna", - "Full name": "Efternamn", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Georgien", - "Germany": "Tyskland", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Återvända", - "Go Home": "Gå hem", "Go to page :page": "Gå till sidan :page", - "Great! You have accepted the invitation to join the :team team.": "Toppen! Du har accepterat inbjudan att gå med i :team-laget.", - "Greece": "Grekland", - "Greenland": "Grönland", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Heardön och mcdonaldöarna", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Hej!", - "Hide Content": "Dölj Innehåll", - "Hold Up!": "Vänta!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hongkong", - "Hungary": "Ungern", - "I agree to the :terms_of_service and :privacy_policy": "Jag samtycker till :terms_of_service och :privacy_policy", - "Iceland": "Island", - "ID": "ID", - "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 necessary, you may logout 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 alla dina andra webbläsarsessioner över 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 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 receive the email": "Om du inte mottog 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "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:\n[:displayableActionUrl](:actionURL)", - "Increase": "Öka", - "India": "Indien", - "Indonesia": "Indonesien", "Invalid signature.": "Felaktig signering.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Irak", - "Ireland": "Irland", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Isle of Man", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italien", - "Jamaica": "Jamaica", - "January": "Januari", - "Japan": "Japan", - "Jersey": "Jersey", - "Jordan": "Jordan", - "July": "Juli", - "June": "Juni", - "Kazakhstan": "Kazakstan", - "Kenya": "Kenya", - "Key": "Nyckel", - "Kiribati": "Kiribati", - "Korea": "Sydkorea", - "Korea, Democratic People's Republic of": "Nordkorea", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuwait", - "Kyrgyzstan": "Kirgizistan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Senast aktiv", - "Last used": "Senast använd", - "Latvia": "Lettland", - "Leave": "Lämna", - "Leave Team": "Lämna team", - "Lebanon": "Libanon", - "Lens": "Objektiv", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libyen", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Litauen", - "Load :perPage More": "Ladda :persida mer", - "Log in": "Inloggning", "Log out": "Utloggning", - "Log Out": "utloggning", - "Log Out Other Browser Sessions": "Logga Ut Andra Webbläsarsessioner", - "Login": "Logga in", - "Logout": "Logga ut", "Logout Other Browser Sessions": "Logga Ut Andra Webbläsarsessioner", - "Luxembourg": "Luxemburgsk", - "Macao": "Macao", - "Macedonia": "Norra Makedonien", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagaskar", - "Malawi": "Malawi", - "Malaysia": "Malaysia", - "Maldives": "Maldives", - "Mali": "Liten", - "Malta": "Malta", - "Manage Account": "Hantera Konto", - "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 and logout 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 Role": "Hantera Roll", - "Manage Team": "Hantera Team", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Mars", - "Marshall Islands": "Marshallöarna", - "Martinique": "Martinique", - "Mauritania": "Mauretanien", - "Mauritius": "Mauritius", - "May": "Kan", - "Mayotte": "Mayotte", - "Mexico": "Mexico", - "Micronesia, Federated States Of": "Mikronesien", - "Moldova": "Moldavien", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monaco", - "Mongolia": "Mongoliet", - "Montenegro": "Montenegro", - "Month To Date": "Månad Till Datum", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Marocko", - "Mozambique": "Moçambique", - "Myanmar": "Myanmar", - "Name": "Namn", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepalesiska", - "Netherlands": "Nederländerna", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Nevermind", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Ny", - "New :resource": "Nya :resource", - "New Caledonia": "Nya Kaledonien", - "New Password": "Nytt Lösenord", - "New Zealand": "nyzeeländsk", - "Next": "Nästa", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "Nej", - "No :resource matched the given criteria.": "Nr :resource matchade de angivna kriterierna.", - "No additional information...": "Ingen ytterligare information...", - "No Current Data": "Inga Aktuella Uppgifter", - "No Data": "Inga Uppgifter", - "no file selected": "ingen fil vald", - "No Increase": "Ingen Ökning", - "No Prior Data": "Inga Tidigare Uppgifter", - "No Results Found.": "Inga Resultat Hittades.", - "Norfolk Island": "Norfolkön", - "Northern Mariana Islands": "Nordmarianerna", - "Norway": "Norge", "Not Found": "Hittades ej", - "Nova User": "Nova Användare", - "November": "November", - "October": "Oktober", - "of": "av", "Oh no": "Å nej", - "Oman": "Oman", - "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 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 Trashed": "Endast Papperskorgen", - "Original": "Ursprunglig", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Sidan är utgången", "Pagination Navigation": "Sidnumrering Navigering", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Palestinska Områdena", - "Panama": "Panama", - "Papua New Guinea": "Papua Nya Guinea", - "Paraguay": "Paraguay", - "Password": "Lösenord", - "Pay :amount": "Betala :amount", - "Payment Cancelled": "Annullerad Betalning", - "Payment Confirmation": "Betalningsbekräftelse", - "Payment Information": "Payment Information", - "Payment Successful": "Betalning Framgångsrik", - "Pending Team Invitations": "Väntande Teaminbjudningar", - "Per Page": "Per Sida", - "Permanently delete this team.": "Ta bort det här laget permanent.", - "Permanently delete your account.": "Ta bort ditt konto permanent.", - "Permissions": "Behörighet", - "Peru": "Peru", - "Philippines": "Filippinerna", - "Photo": "Foto", - "Pitcairn": "Pitcairnöarna", "Please click the button below to verify your email address.": "Vänligen klicka på knappen nedan för att verifiera din e-postadress.", - "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 your password before continuing.": "Vänligen bekräfta din e-postadress innan du fortsätter.", - "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 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 enter your password to confirm you would like to logout 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 provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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 provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Ange e-postadressen till den person du vill lägga till i det här laget. E-postadressen måste kopplas till ett befintligt konto.", - "Please provide your name.": "Ange ditt namn.", - "Poland": "Polen", - "Portugal": "Portugal", - "Press \/ to search": "Tryck på \/ för att söka", - "Preview": "Förhandsgranskning", - "Previous": "Tidigare", - "Privacy Policy": "sekretesspolicy", - "Profile": "Profil", - "Profile Information": "profilinformation", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Kvartalet Hittills", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Återställningskod", "Regards": "Hälsningar", - "Regenerate Recovery Codes": "Regenerera Återställningskoder", - "Register": "Registrera", - "Reload": "Ladda", - "Remember me": "Kom ihåg mig", - "Remember Me": "Kom ihåg mig", - "Remove": "Ta bort", - "Remove Photo": "Ta Bort Foto", - "Remove Team Member": "Ta Bort Gruppmedlem", - "Resend Verification Email": "Skicka Verifieringsmeddelande Igen", - "Reset Filters": "Återställ Filter", - "Reset Password": "Återställ lösenordet", - "Reset Password Notification": "Återställ lösenordet-notifikationen", - "resource": "resurs", - "Resources": "Medel", - "resources": "medel", - "Restore": "Återställa", - "Restore Resource": "Återställ Resurs", - "Restore Selected": "Återställ Vald", "results": "resultat", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Möte", - "Role": "Roll", - "Romania": "Rumänien", - "Run Action": "Kör Åtgärd", - "Russian Federation": "Ryssland", - "Rwanda": "Rwanda", - "Réunion": "Réunion", - "Saint Barthelemy": "St. Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "St. Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "Saint Kitts Och Nevis", - "Saint Lucia": "Saint Lucia", - "Saint Martin": "St Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "St. Pierre och Miquelon", - "Saint Vincent And Grenadines": "Saint Vincent Och Grenadinerna", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "São Tomé och Príncipe", - "Saudi Arabia": "Saudiarabien", - "Save": "Spara", - "Saved.": "Sparad.", - "Search": "Söka", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Välj ett nytt foto", - "Select Action": "Välj Åtgärd", - "Select All": "Välj Alla", - "Select All Matching": "Välj Alla Matchande", - "Send Password Reset Link": "Skicka återställningslänken", - "Senegal": "Senegal", - "September": "September", - "Serbia": "Serbien", "Server Error": "Serverfel", "Service Unavailable": "Tjänsten svarar ej", - "Seychelles": "Seychellerna", - "Show All Fields": "Visa Alla Fält", - "Show Content": "Visa Innehåll", - "Show Recovery Codes": "Visa Återställningskoder", "Showing": "Visar", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapore", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovakien", - "Slovenia": "Slovenien", - "Solomon Islands": "Salomonöarnas", - "Somalia": "Somalia", - "Something went wrong.": "Något gick fel.", - "Sorry! You are not authorized to perform this action.": "Förlåt! Du har inte behörighet att utföra denna åtgärd.", - "Sorry, your session has expired.": "Ledsen, din session har gått ut.", - "South Africa": "Sydafrika", - "South Georgia And Sandwich Isl.": "Sydgeorgien och Sydsandwichöarna", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Sydsudan", - "Spain": "Spanien", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Börja Polling", - "State \/ County": "State \/ County", - "Stop Polling": "Sluta Polla", - "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.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Surinam", - "Svalbard And Jan Mayen": "Svalbard och Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Sverige", - "Switch Teams": "Byt Lag", - "Switzerland": "Schweiz", - "Syrian Arab Republic": "Syrien", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tadzjikistan", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Team Detaljer", - "Team Invitation": "Grupp Inbjudan", - "Team Members": "lagmedlemmarna", - "Team Name": "Lagets Namn", - "Team Owner": "Lagägare", - "Team Settings": "Laginställningar", - "Terms of Service": "användarvillkor", - "Thailand": "Thailand", - "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 anmälde dig! Innan du börjar, kan du verifiera din e-postadress genom att klicka på länken vi just mailade till dig? Om du inte fick e-postmeddelandet skickar vi gärna en annan.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute måste vara en giltig Roll.", - "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 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 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 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 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.": ":attribute måste vara minst :length tecken.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource skapades!", - "The :resource was deleted!": ":resource togs bort!", - "The :resource was restored!": ":resource återställdes!", - "The :resource was updated!": "Den :resource uppdaterades!", - "The action ran successfully!": "Åtgärden sprang framgångsrikt!", - "The file was deleted!": "Filen togs bort!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Regeringen låter oss inte visa vad som finns bakom dörrarna.", - "The HasOne relationship has already been filled.": "Den Hasen relation har redan fyllts.", - "The payment was successful.": "Betalningen var framgångsrik.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Det angivna lösenordet matchar inte ditt nuvarande lösenord.", - "The provided password was incorrect.": "Det angivna lösenordet var felaktigt.", - "The provided two factor authentication code was invalid.": "Den angivna tvåfaktorsautentiseringskoden var ogiltig.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Resursen uppdaterades!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Lagets namn och ägarinformation.", - "There are no available options for this resource.": "Det finns inga tillgängliga alternativ för den här resursen.", - "There was a problem executing the action.": "Det var ett problem att utföra åtgärden.", - "There was a problem submitting the form.": "Det var ett problem att lämna in formuläret.", - "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.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Denna åtgärd är obehörig.", - "This device": "Denna enhet", - "This file field is read-only.": "Det här filfältet är skrivskyddat.", - "This image": "Denna bild", - "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 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 payment was already successfully confirmed.": "Denna betalning bekräftades redan framgångsrikt.", - "This payment was cancelled.": "Denna betalning annullerades.", - "This resource no longer exists": "Denna resurs finns inte längre", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "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 blivit inbjuden till laget.", - "Timor-Leste": "Östtimor", "to": "till", - "Today": "Idag", "Toggle navigation": "Växla navigering", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Symboliskt Namn", - "Tonga": "Komma", "Too Many Attempts.": "För många försök.", "Too Many Requests": "För många anrop", - "total": "total", - "Total:": "Total:", - "Trashed": "Kasta", - "Trinidad And Tobago": "Trinidad och Tobago", - "Tunisia": "Tunisien", - "Turkey": "Turkiet", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Turks-och Caicosöarna", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Tvåfaktorsautentisering", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Tvåfaktorsautentisering är nu aktiverad. Skanna följande QR-kod med telefonens autentiseringsprogram.", - "Uganda": "Uganda", - "Ukraine": "Ukraina", "Unauthorized": "Obehörig", - "United Arab Emirates": "Förenade Arabemiraten", - "United Kingdom": "Storbritannien", - "United States": "USA", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "Amerikanska avlägsna öar", - "Update": "Uppdatering", - "Update & Continue Editing": "Uppdatera Och Fortsätt Redigera", - "Update :resource": "Uppdatering :resource", - "Update :resource: :title": "Uppdatering :resource: :title", - "Update attached :resource: :title": "Uppdatering bifogad :resource: :title", - "Update Password": "Uppdatera lösenord", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Uppdatera kontots profilinformation och e-postadress.", - "Uruguay": "Uruguayrunda", - "Use a recovery code": "Använd en återställningskod", - "Use an authentication code": "Använd en autentiseringskod", - "Uzbekistan": "Uzbekistan", - "Value": "Värde", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Bekräfta e-postadress", "Verify Your Email Address": "Bekräfta din e-postadress", - "Viet Nam": "Vietnam", - "View": "Utsikt", - "Virgin Islands, British": "Brittiska Jungfruöarna", - "Virgin Islands, U.S.": "Amerikanska Jungfruöarna", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis och Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "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 will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Vi kommer ej fråga efter ditt lösenord igen på några timmar.", - "We're lost in space. The page you were trying to view does not exist.": "Vi är vilse i rymden. Sidan du försökte visa finns inte.", - "Welcome Back!": "Välkommen tillbaka!", - "Western Sahara": "Västsahara", - "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.", - "Whoops": "Whoop", - "Whoops!": "Oops!", - "Whoops! Something went wrong.": "Oops! Något gick fel.", - "With Trashed": "Med Papperskorgen", - "Write": "Skriva", - "Year To Date": "Hittills I År", - "Yearly": "Yearly", - "Yemen": "Jemenitisk", - "Yes": "Ja", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Du är inloggad!", - "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 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 may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Din e-postadress är ej verifierad.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Din e-postadress är ej verifierad." } diff --git a/locales/sw/packages/cashier.json b/locales/sw/packages/cashier.json new file mode 100644 index 00000000000..979befff85d --- /dev/null +++ b/locales/sw/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Haki zote zimehifadhiwa.", + "Card": "Kadi", + "Confirm Payment": "Kuthibitisha Malipo", + "Confirm your :amount payment": "Kuthibitisha yako :amount malipo", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Kinga ya ziada ya uthibitisho ni zinahitajika ili mchakato wa malipo yako. Tafadhali kuthibitisha malipo yako kwa kujaza maelezo yako ya malipo ya chini.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Kinga ya ziada ya uthibitisho ni zinahitajika ili mchakato wa malipo yako. Tafadhali kuendelea na malipo ukurasa kwa kubonyeza kifungo chini.", + "Full name": "Jina kamili", + "Go back": "Kwenda nyuma", + "Jane Doe": "Jane Doe", + "Pay :amount": "Kulipa :amount", + "Payment Cancelled": "Malipo Kufutwa", + "Payment Confirmation": "Uthibitisho Wa Malipo", + "Payment Successful": "Malipo Ya Mafanikio", + "Please provide your name.": "Tafadhali kutoa jina lako.", + "The payment was successful.": "Malipo ilikuwa na mafanikio.", + "This payment was already successfully confirmed.": "Hii ya malipo alikuwa tayari mafanikio alithibitisha.", + "This payment was cancelled.": "Hii ya malipo ilikuwa kufutwa." +} diff --git a/locales/sw/packages/fortify.json b/locales/sw/packages/fortify.json new file mode 100644 index 00000000000..ea1c0ea73cd --- /dev/null +++ b/locales/sw/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": "Ya :attribute lazima angalau :length wahusika na iwe na angalau moja ya idadi.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "Ya :attribute lazima angalau :length wahusika na iwe na angalau moja ya tabia maalum na namba moja.", + "The :attribute must be at least :length characters and contain at least one special character.": "Ya :attribute lazima angalau :length wahusika na iwe na angalau moja ya tabia maalum.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Ya :attribute lazima angalau :length wahusika na iwe na angalau moja uppercase tabia na namba moja.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Ya :attribute lazima angalau :length wahusika na iwe na angalau moja uppercase tabia na tabia moja maalum.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Ya :attribute lazima angalau :length wahusika na iwe na angalau moja uppercase tabia, namba moja, na moja tabia maalum.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Ya :attribute lazima angalau :length wahusika na iwe na angalau moja uppercase tabia.", + "The :attribute must be at least :length characters.": "Ya :attribute lazima angalau :length wahusika.", + "The provided password does not match your current password.": "Zinazotolewa password haina mechi password yako sasa.", + "The provided password was incorrect.": "Zinazotolewa password ilikuwa sahihi.", + "The provided two factor authentication code was invalid.": "Zinazotolewa mbili uthibitisho sababu kanuni ni batili." +} diff --git a/locales/sw/packages/jetstream.json b/locales/sw/packages/jetstream.json new file mode 100644 index 00000000000..4f5fbbd7d51 --- /dev/null +++ b/locales/sw/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Mpya ya ukaguzi kiungo imekuwa kutumwa kwa anwani ya barua pepe wewe zinazotolewa wakati wa usajili.", + "Accept Invitation": "Kukubali Mwaliko", + "Add": "Kuongeza", + "Add a new team member to your team, allowing them to collaborate with you.": "Kuongeza mpya wa timu ya mwanachama wa timu yako, kuruhusu kwao kwa kushirikiana na wewe.", + "Add additional security to your account using two factor authentication.": "Kuongeza ziada ya usalama kwenye akaunti yako kwa kutumia mbili uthibitishaji.", + "Add Team Member": "Kuongeza Timu Ya Wanachama", + "Added.": "Aliongeza.", + "Administrator": "Msimamizi", + "Administrator users can perform any action.": "Msimamizi watumiaji wanaweza kufanya hatua yoyote.", + "All of the people that are part of this team.": "Wote wa watu kwamba ni sehemu ya timu hii.", + "Already registered?": "Tayari kusajiliwa?", + "API Token": "API Ishara", + "API Token Permissions": "API Ishara Ruhusa", + "API Tokens": "API Ishara", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API ishara kuruhusu huduma tatu kuthibitisha na maombi yetu kwa niaba yako.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Je, una uhakika unataka kufuta timu hii? Mara baada ya timu ni ilifutwa, yote ya rasilimali zake na data itakuwa ya kudumu kufutwa.", + "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.": "Je, una uhakika unataka kufuta akaunti yako? Mara baada ya akaunti yako ni ilifutwa, yote ya rasilimali zake na data itakuwa ya kudumu kufutwa. Tafadhali kuingia password yako ili kuthibitisha ungependa kufuta akaunti yako.", + "Are you sure you would like to delete this API token?": "Una uhakika ungependa kufuta hii API ishara?", + "Are you sure you would like to leave this team?": "Una uhakika ungependa kuondoka timu hii?", + "Are you sure you would like to remove this person from the team?": "Una uhakika ungependa kuondoa mtu kutoka timu?", + "Browser Sessions": "Browser Vikao", + "Cancel": "Kufuta", + "Close": "Karibu", + "Code": "Kanuni", + "Confirm": "Kuthibitisha", + "Confirm Password": "Kuthibitisha Password", + "Create": "Kujenga", + "Create a new team to collaborate with others on projects.": "Kuunda timu mpya kwa kushirikiana na wengine kwenye miradi.", + "Create Account": "Kujenga Akaunti", + "Create API Token": "Kujenga API Ishara", + "Create New Team": "Kuunda Timu Mpya", + "Create Team": "Kujenga Timu", + "Created.": "Kuundwa.", + "Current Password": "Sasa Password", + "Dashboard": "Dashibodi", + "Delete": "Kufuta", + "Delete Account": "Kufuta Akaunti", + "Delete API Token": "Kufuta API Ishara", + "Delete Team": "Kufuta Timu", + "Disable": "Afya", + "Done.": "Kufanyika.", + "Editor": "Mhariri", + "Editor users have the ability to read, create, and update.": "Mhariri watumiaji kuwa na uwezo wa kusoma, kujenga, na update.", + "Email": "Tuma barua pepe kwa", + "Email Password Reset Link": "Tuma Barua Pepe Password Rudisha Kiungo", + "Enable": "Kuwawezesha", + "Ensure your account is using a long, random password to stay secure.": "Kuhakikisha akaunti yako ni kutumia kwa muda mrefu, password random kukaa salama.", + "For your security, please confirm your password to continue.": "Kwa ajili ya usalama wako, tafadhali kuthibitisha password yako ya kuendelea.", + "Forgot your password?": "Umesahau password yako?", + "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.": "Umesahau password yako? Hakuna tatizo. Tu hebu kujua anwani yako ya barua pepe na sisi email wewe password rudisha kiungo kwamba itawawezesha kuchagua moja mpya.", + "Great! You have accepted the invitation to join the :team team.": "Kubwa! Wewe wamekubali mwaliko wa kujiunga na :team timu.", + "I agree to the :terms_of_service and :privacy_policy": "Mimi kukubaliana na :terms_of_service na :privacy_policy", + "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.": "Kama ni muhimu, unaweza logi nje ya yote ya browser yako mengine vikao katika yote ya vifaa yako. Baadhi ya hivi karibuni ya vikao ni hapa chini; hata hivyo, orodha hii inaweza kuwa kamilifu. Kama wewe kujisikia akaunti yako imekuwa kuathirika, unapaswa pia update password yako.", + "If you already have an account, you may accept this invitation by clicking the button below:": "Kama tayari una akaunti, unaweza kukubali mwaliko huu kwa kubonyeza kifungo chini:", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Kama wewe hawakuwa wanatarajia kupokea mwaliko kwa timu hii, unaweza kuondokana na hii ya barua pepe.", + "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:": "Kama huna akaunti, unaweza kuunda moja kwa kubonyeza kifungo chini. Baada ya kujenga akaunti, unaweza bonyeza mwaliko kukubalika kifungo katika hii barua pepe kwa kukubali timu ya mwaliko:", + "Last active": "Mwisho ya kazi", + "Last used": "Mwisho kutumika", + "Leave": "Kuondoka", + "Leave Team": "Acha Timu", + "Log in": "Ingia katika", + "Log Out": "Ingia Nje", + "Log Out Other Browser Sessions": "Ingia Nje Browser Nyingine Ya Vikao", + "Manage Account": "Kusimamia Akaunti", + "Manage and log out your active sessions on other browsers and devices.": "Kusimamia na logi nje yako ya kazi vikao vya juu nyingine ya browsers na vifaa.", + "Manage API Tokens": "Kusimamia API Ishara", + "Manage Role": "Kusimamia Jukumu", + "Manage Team": "Kusimamia Timu", + "Name": "Jina", + "New Password": "Password Mpya", + "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.": "Mara baada ya timu ni ilifutwa, yote ya rasilimali zake na data itakuwa ya kudumu kufutwa. Kabla ya kufuta timu hii, tafadhali kushusha data yoyote au habari kuhusu timu hii kwamba unataka kuhifadhi.", + "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.": "Mara baada ya akaunti yako ni ilifutwa, yote ya rasilimali zake na data itakuwa ya kudumu kufutwa. Kabla ya kufuta akaunti yako, tafadhali kushusha data yoyote au habari kwamba unataka kuhifadhi.", + "Password": "Password", + "Pending Team Invitations": "Inasubiri Timu Mialiko", + "Permanently delete this team.": "Kufuta hii timu.", + "Permanently delete your account.": "Kufuta akaunti yako.", + "Permissions": "Ruhusa", + "Photo": "Picha", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Tafadhali kuthibitisha upatikanaji wa akaunti yako kwa kuingia moja ya dharura ahueni codes.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Tafadhali kuthibitisha upatikanaji wa akaunti yako kwa kuingia uthibitisho kanuni zinazotolewa na authenticator maombi.", + "Please copy your new API token. For your security, it won't be shown again.": "Tafadhali nakala yako mpya API ishara. Kwa ajili ya usalama wako, itakuwa si kuonyeshwa tena.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Tafadhali kuingia password yako ili kuthibitisha ungependa logi nje ya browser yako mengine vikao katika yote ya vifaa yako.", + "Please provide the email address of the person you would like to add to this team.": "Tafadhali kutoa anwani ya barua pepe ya mtu ungependa kuongeza kwa timu hii.", + "Privacy Policy": "Sera Ya Faragha", + "Profile": "Profile", + "Profile Information": "Maelezo Mafupi", + "Recovery Code": "Ahueni Kanuni", + "Regenerate Recovery Codes": "Regenerate Ahueni Codes", + "Register": "Kujiandikisha", + "Remember me": "Kumbuka mimi", + "Remove": "Kuondoa", + "Remove Photo": "Kuondoa Picha", + "Remove Team Member": "Kuondoa Timu Ya Wanachama", + "Resend Verification Email": "Tuma Barua Pepe Ya Uthibitisho", + "Reset Password": "Password Reset", + "Role": "Jukumu", + "Save": "Ila", + "Saved.": "Kuokolewa.", + "Select A New Photo": "Kuchagua Picha Mpya", + "Show Recovery Codes": "Kuonyesha Ahueni Codes", + "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.": "Hifadhi hizi ahueni codes katika salama password meneja. Wao inaweza kutumika ili kurejesha upatikanaji wa akaunti yako kama yako mbili uthibitisho sababu kifaa ni kupotea.", + "Switch Teams": "Kubadili Timu", + "Team Details": "Timu Ya Maelezo", + "Team Invitation": "Timu Ya Mwaliko", + "Team Members": "Timu Ya Wanachama", + "Team Name": "Timu Ya Jina", + "Team Owner": "Timu Ya Mmiliki", + "Team Settings": "Timu Ya Mazingira", + "Terms of Service": "Masharti ya Huduma", + "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.": "Shukrani kwa ajili ya kusainiwa! Kabla ya kupata kuanza, unaweza kuthibitisha anwani ya barua pepe yako kwa kubonyeza juu ya kiungo sisi tu emailed na wewe? Kama hakuwa na kupokea barua pepe, sisi kwa furaha kutuma mwingine.", + "The :attribute must be a valid role.": "Ya :attribute lazima kuwa halali jukumu.", + "The :attribute must be at least :length characters and contain at least one number.": "Ya :attribute lazima angalau :length wahusika na iwe na angalau moja ya idadi.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "Ya :attribute lazima angalau :length wahusika na iwe na angalau moja ya tabia maalum na namba moja.", + "The :attribute must be at least :length characters and contain at least one special character.": "Ya :attribute lazima angalau :length wahusika na iwe na angalau moja ya tabia maalum.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Ya :attribute lazima angalau :length wahusika na iwe na angalau moja uppercase tabia na namba moja.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Ya :attribute lazima angalau :length wahusika na iwe na angalau moja uppercase tabia na tabia moja maalum.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Ya :attribute lazima angalau :length wahusika na iwe na angalau moja uppercase tabia, namba moja, na moja tabia maalum.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Ya :attribute lazima angalau :length wahusika na iwe na angalau moja uppercase tabia.", + "The :attribute must be at least :length characters.": "Ya :attribute lazima angalau :length wahusika.", + "The provided password does not match your current password.": "Zinazotolewa password haina mechi password yako sasa.", + "The provided password was incorrect.": "Zinazotolewa password ilikuwa sahihi.", + "The provided two factor authentication code was invalid.": "Zinazotolewa mbili uthibitisho sababu kanuni ni batili.", + "The team's name and owner information.": "Timu ya jina na mmiliki habari.", + "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.": "Watu hawa wamekuwa walioalikwa timu yako na kuwa alimtuma mwaliko barua pepe. Wanaweza kujiunga na timu kwa kukubali mwaliko barua pepe.", + "This device": "Kifaa hii", + "This is a secure area of the application. Please confirm your password before continuing.": "Hii ni eneo salama ya maombi. Tafadhali kuthibitisha password yako kabla ya kuendelea.", + "This password does not match our records.": "Password hii hailingani na kumbukumbu zetu.", + "This user already belongs to the team.": "Mtumiaji huyu tayari ni mali ya timu.", + "This user has already been invited to the team.": "Hii user tayari walioalikwa timu.", + "Token Name": "Ishara Jina", + "Two Factor Authentication": "Mbili Uthibitishaji", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Mbili uthibitisho sababu sasa ni kuwezeshwa. Scan zifuatazo QR kanuni kwa kutumia simu yako ya authenticator maombi.", + "Update Password": "Update Password", + "Update your account's profile information and email address.": "Update akaunti yako profile habari na anwani ya barua pepe.", + "Use a recovery code": "Kutumia ahueni kanuni", + "Use an authentication code": "Kutumia uthibitishaji kanuni", + "We were unable to find a registered user with this email address.": "Sisi walikuwa hawawezi kupata mtumiaji wa usajili na anwani ya barua pepe hii.", + "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.": "Wakati mbili uthibitisho sababu ni kuwezeshwa, wewe utakuwa ilisababisha kwa salama, random ishara wakati wa uthibitishaji. Unaweza retrieve ishara hii kutoka simu yako ya Authenticator Google maombi.", + "Whoops! Something went wrong.": "Whoops! Kitu potoka.", + "You have been invited to join the :team team!": "Umekuwa walioalikwa kujiunga na :team timu!", + "You have enabled two factor authentication.": "Una kuwezeshwa mbili uthibitishaji.", + "You have not enabled two factor authentication.": "Wewe si kuwezeshwa mbili uthibitishaji.", + "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.": "Unaweza kufuta yoyote ya yako zilizopo ishara kama wao ni tena inahitajika.", + "You may not delete your personal team.": "Unaweza kufuta binafsi yako timu.", + "You may not leave a team that you created.": "Unaweza kuondoka timu ya kwamba wewe kuundwa." +} diff --git a/locales/sw/packages/nova.json b/locales/sw/packages/nova.json new file mode 100644 index 00000000000..dc331f319ee --- /dev/null +++ b/locales/sw/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "Siku 30", + "60 Days": "Siku 60", + "90 Days": "Siku 90", + ":amount Total": ":amount Jumla", + ":resource Details": ":resource Maelezo", + ":resource Details: :title": ":resource Maelezo: :title", + "Action": "Hatua", + "Action Happened At": "Kilichotokea Katika", + "Action Initiated By": "Ulioanzishwa Na", + "Action Name": "Jina", + "Action Status": "Hali", + "Action Target": "Lengo", + "Actions": "Vitendo", + "Add row": "Kuongeza mstari", + "Afghanistan": "Afghanistan", + "Aland Islands": "Visiwa Vya Aland", + "Albania": "Albania", + "Algeria": "Algeria", + "All resources loaded.": "Rasilimali zote ni kubeba.", + "American Samoa": "American Samoa", + "An error occured while uploading the file.": "Kosa limetokea wakati wa kupakia faili.", + "Andorra": "Andorran", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Mtumiaji mwingine ina updated rasilimali hii tangu ukurasa huu ilikuwa kubeba. Tafadhali kupata mahitaji ukurasa na kujaribu tena.", + "Antarctica": "Antarctica", + "Antigua And Barbuda": "Antigua na Barbuda", + "April": "Aprili", + "Are you sure you want to delete the selected resources?": "Je, una uhakika unataka kufuta ya selected rasilimali?", + "Are you sure you want to delete this file?": "Je, una uhakika unataka kufuta faili hili?", + "Are you sure you want to delete this resource?": "Je, una uhakika unataka kufuta rasilimali hii?", + "Are you sure you want to detach the selected resources?": "Je, una uhakika unataka ungua kuchaguliwa rasilimali?", + "Are you sure you want to detach this resource?": "Je, una uhakika unataka ungua rasilimali hii?", + "Are you sure you want to force delete the selected resources?": "Je, una uhakika unataka nguvu kufuta kuchaguliwa rasilimali?", + "Are you sure you want to force delete this resource?": "Je, una uhakika unataka nguvu kufuta rasilimali hii?", + "Are you sure you want to restore the selected resources?": "Je, una uhakika unataka kurejesha kuchaguliwa rasilimali?", + "Are you sure you want to restore this resource?": "Je, una uhakika unataka kurejesha rasilimali hii?", + "Are you sure you want to run this action?": "Je, una uhakika unataka kukimbia hatua hii?", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Attach": "Ambatisha", + "Attach & Attach Another": "Ambatisha & Ambatisha Mwingine", + "Attach :resource": "Ambatisha :resource", + "August": "Agosti", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Ubelgiji", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius na Sábado", + "Bosnia And Herzegovina": "Bosnia na Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Ndege Bouvet Island", + "Brazil": "Brazil", + "British Indian Ocean Territory": "British Indian Ocean Territory", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Cameroon", + "Canada": "Canada", + "Cancel": "Kufuta", + "Cape Verde": "Cape Verde", + "Cayman Islands": "Cayman Islands", + "Central African Republic": "Jamhuri Ya Afrika Ya Kati", + "Chad": "Chad", + "Changes": "Mabadiliko", + "Chile": "Chile", + "China": "China", + "Choose": "Kuchagua", + "Choose :field": "Kuchagua :field", + "Choose :resource": "Kuchagua :resource", + "Choose an option": "Kuchagua chaguo", + "Choose date": "Kuchagua tarehe", + "Choose File": "Kuchagua Faili", + "Choose Type": "Kuchagua Aina", + "Christmas Island": "Kisiwa Cha Krismasi", + "Click to choose": "Bonyeza kuchagua", + "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", + "Colombia": "Colombia", + "Comoros": "Comoro", + "Confirm Password": "Kuthibitisha Password", + "Congo": "Congo", + "Congo, Democratic Republic": "Congo, Jamhuri Ya Kidemokrasia", + "Constant": "Mara kwa mara", + "Cook Islands": "Visiwa Vya Cook", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "hakuweza kupatikana.", + "Create": "Kujenga", + "Create & Add Another": "Kujenga & Kuongeza Mwingine", + "Create :resource": "Kujenga :resource", + "Croatia": "Croatia", + "Cuba": "Cuba", + "Curaçao": "Curacao", + "Customize": "Customize", + "Cyprus": "Cyprus", + "Czech Republic": "Ucheki", + "Dashboard": "Dashibodi", + "December": "Desemba", + "Decrease": "Kupungua", + "Delete": "Kufuta", + "Delete File": "Kufuta Faili", + "Delete Resource": "Kufuta Rasilimali", + "Delete Selected": "Kufuta Kuchaguliwa", + "Denmark": "Denmark", + "Detach": "Detach", + "Detach Resource": "Detach Rasilimali", + "Detach Selected": "Detach Ya Kuchaguliwa", + "Details": "Maelezo", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Je, kweli unataka kuondoka? Una wasiookoka mabadiliko.", + "Dominica": "Jumapili", + "Dominican Republic": "Jamhuri Ya Dominika", + "Download": "Shusha", + "Ecuador": "Ecuador", + "Edit": "Hariri", + "Edit :resource": "Hariri :resource", + "Edit Attached": "Hariri Masharti", + "Egypt": "Misri", + "El Salvador": "Salvador", + "Email Address": "Anwani Ya Barua Pepe", + "Equatorial Guinea": "Equatorial Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Ethiopia", + "Falkland Islands (Malvinas)": "Visiwa Vya Falkland (Malvinas)", + "Faroe Islands": "Visiwa Vya Faroe", + "February": "Februari", + "Fiji": "Fiji", + "Finland": "Finland", + "Force Delete": "Nguvu Safi", + "Force Delete Resource": "Nguvu Ya Kufuta Rasilimali", + "Force Delete Selected": "Nguvu Ya Wazi Ya Kuchaguliwa", + "Forgot Your Password?": "Umesahau Password Yako?", + "Forgot your password?": "Umesahau password yako?", + "France": "Ufaransa", + "French Guiana": "Kifaransa Guiana", + "French Polynesia": "Polynesia Ya Kifaransa", + "French Southern Territories": "Kifaransa Kusini Mwa Wilaya", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Ujerumani", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "Kwenda Nyumbani", + "Greece": "Ugiriki", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Habari Kisiwa na McDonald Visiwa vya", + "Hide Content": "Kujificha Maudhui", + "Hold Up!": "Kushikilia Up!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungary", + "Iceland": "Krona", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "Kama hakuwa na kuomba password reset, hakuna hatua zaidi inahitajika.", + "Increase": "Kuongeza", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Iraq", + "Ireland": "Ireland", + "Isle Of Man": "Isle of Man", + "Israel": "Israeli", + "Italy": "Italia", + "Jamaica": "Jamaica", + "January": "Januari", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "July": "Julai", + "June": "Juni", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Key": "Muhimu", + "Kiribati": "Kiribati", + "Korea": "Korea Ya Kusini", + "Korea, Democratic People's Republic of": "Korea Ya Kaskazini", + "Kosovo": "Kosovo", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvia", + "Lebanon": "Lebanon", + "Lens": "Lens", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lithuania", + "Load :perPage More": "Mzigo :perPage Zaidi", + "Login": "Login", + "Logout": "Logout", + "Luxembourg": "Luxemburg", + "Macao": "Macao", + "Macedonia": "Kaskazini Macedonia", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Ndogo", + "Malta": "Malta", + "March": "Machi", + "Marshall Islands": "Visiwa Vya Marshall", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "May": "Inaweza", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States Of": "Micronesia", + "Moldova": "Moldova", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Month To Date": "Mwezi Na Tarehe", + "Montserrat": "Montserrat", + "Morocco": "Morocco", + "Mozambique": "Msumbiji", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Uholanzi", + "New": "Mpya", + "New :resource": "Mpya :resource", + "New Caledonia": "Caledonia New", + "New Zealand": "New Zealand", + "Next": "Pili", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "Hakuna", + "No :resource matched the given criteria.": "Hakuna :resource kuendana kutokana na vigezo.", + "No additional information...": "Hakuna maelezo ya ziada...", + "No Current Data": "Hakuna Data Sasa", + "No Data": "Hakuna Data", + "no file selected": "hakuna faili kuchaguliwa", + "No Increase": "Hakuna Ongezeko", + "No Prior Data": "Hakuna Kabla Ya Data", + "No Results Found.": "No Results Found.", + "Norfolk Island": "Kisiwa Cha Norfolk", + "Northern Mariana Islands": "Visiwa Vya Mariana Ya Kaskazini", + "Norway": "Norway", + "Nova User": "Nova Mtumiaji", + "November": "Novemba", + "October": "Oktoba", + "of": "ya", + "Oman": "Oman", + "Only Trashed": "Tu Ukiwa", + "Original": "Awali", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Maeneo Ya Palestina", + "Panama": "Panama", + "Papua New Guinea": "Papua New Guinea", + "Paraguay": "Paraguay", + "Password": "Password", + "Per Page": "Kwa Kila Ukurasa", + "Peru": "Peru", + "Philippines": "Philippines", + "Pitcairn": "Visiwa Vya Pitcairn", + "Poland": "Poland", + "Portugal": "Ureno", + "Press \/ to search": "Vyombo vya habari \/ search", + "Preview": "Hakikisho", + "Previous": "Awali", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Robo Ya Tarehe", + "Reload": "Reload", + "Remember Me": "Kumbuka Mimi", + "Reset Filters": "Upya Filters", + "Reset Password": "Password Reset", + "Reset Password Notification": "Rudisha Password Taarifa", + "resource": "rasilimali", + "Resources": "Rasilimali", + "resources": "rasilimali", + "Restore": "Kurejesha", + "Restore Resource": "Kurejesha Rasilimali", + "Restore Selected": "Kurejesha Kuchaguliwa", + "Reunion": "Mkutano", + "Romania": "Romania", + "Run Action": "Kukimbia Action", + "Russian Federation": "Shirikisho La Urusi", + "Rwanda": "Rwanda", + "Saint Barthelemy": "St Barthélemy", + "Saint Helena": "St Helena", + "Saint Kitts And Nevis": "St. Kitts na Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin": "St. Martin", + "Saint Pierre And Miquelon": "St. Pierre na Miquelon", + "Saint Vincent And Grenadines": "St. Vincent na Grenadini", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "Sao Tome na Principe", + "Saudi Arabia": "Saudi Arabia", + "Search": "Search", + "Select Action": "Kuchagua Action", + "Select All": "Kuchagua Wote", + "Select All Matching": "Kuchagua Wote Vinavyolingana", + "Send Password Reset Link": "Kutuma Password Rudisha Kiungo", + "Senegal": "Senegal", + "September": "Septemba", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Show All Fields": "Kuonyesha Mashamba Yote", + "Show Content": "Kuonyesha Maudhui", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapore", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Visiwa Vya Solomon", + "Somalia": "Somalia", + "Something went wrong.": "Kitu potoka.", + "Sorry! You are not authorized to perform this action.": "Sorry! Wewe si mamlaka ya kufanya hili tendo.", + "Sorry, your session has expired.": "Sorry, kikao yako ina muda wake.", + "South Africa": "Afrika Kusini", + "South Georgia And Sandwich Isl.": "South Georgia na Visiwa vya South Sandwich", + "South Sudan": "Sudan Kusini", + "Spain": "Hispania", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Kuanza Kupigia Kura", + "Stop Polling": "Kuacha Kupigia Kura", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard na Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sweden", + "Switzerland": "Uswisi", + "Syrian Arab Republic": "Syria", + "Taiwan": "Taiwan", + "Tajikistan": "Tajikistan", + "Tanzania": "Tanzania", + "Thailand": "Thailand", + "The :resource was created!": "Ya :resource iliundwa!", + "The :resource was deleted!": "Ya :resource ilifutwa!", + "The :resource was restored!": "Ya :resource ukawa!", + "The :resource was updated!": "Ya :resource ilikuwa updated!", + "The action ran successfully!": "Hatua mbio kwa mafanikio!", + "The file was deleted!": "Faili ilifutwa!", + "The government won't let us show you what's behind these doors": "Serikali si basi sisi kuonyesha nini ni nyuma ya milango haya", + "The HasOne relationship has already been filled.": "Ya HasOne uhusiano tayari kujazwa.", + "The resource was updated!": "Rasilimali ilikuwa updated!", + "There are no available options for this resource.": "Hakuna inapatikana chaguzi kwa ajili ya rasilimali hii.", + "There was a problem executing the action.": "Kulikuwa na tatizo utekelezaji wa hatua.", + "There was a problem submitting the form.": "Kulikuwa na tatizo kuwasilisha fomu.", + "This file field is read-only.": "Faili hii shamba ni kusoma tu.", + "This image": "Picha hii", + "This resource no longer exists": "Rasilimali hii haipo tena", + "Timor-Leste": "Timor-Leste", + "Today": "Leo", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Kuja", + "total": "jumla", + "Trashed": "Ukiwa", + "Trinidad And Tobago": "Trinidad na Tobago", + "Tunisia": "Tunisia", + "Turkey": "Uturuki", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Turks na Caicos", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "Umoja Wa Falme Za Kiarabu", + "United Kingdom": "Uingereza", + "United States": "Marekani", + "United States Outlying Islands": "MAREKANI Outlying Islands", + "Update": "Update", + "Update & Continue Editing": "Update & Kuendelea Editing", + "Update :resource": "Update :resource", + "Update :resource: :title": "Update :resource: :title", + "Update attached :resource: :title": "Update masharti :resource: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Value": "Thamani", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "View", + "Virgin Islands, British": "Visiwa Vya Virgin Vya Uingereza", + "Virgin Islands, U.S.": "Visiwa vya Virgin vya MAREKANI", + "Wallis And Futuna": "Wallis na Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Sisi ni waliopotea katika nafasi. Ukurasa wewe walikuwa wakijaribu kuona haipo.", + "Welcome Back!": "Karibu Tena!", + "Western Sahara": "Western Sahara", + "Whoops": "Whoops", + "Whoops!": "Whoops!", + "With Trashed": "Na Ukiwa", + "Write": "Kuandika", + "Year To Date": "Mwaka Tarehe", + "Yemen": "Yemeni", + "Yes": "Ndiyo", + "You are receiving this email because we received a password reset request for your account.": "Wewe ni kupokea barua pepe hii kwa sababu sisi kupokea password reset ombi kwa ajili ya akaunti yako.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/sw/packages/spark-paddle.json b/locales/sw/packages/spark-paddle.json new file mode 100644 index 00000000000..bd530d57bba --- /dev/null +++ b/locales/sw/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Masharti ya Huduma", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Whoops! Kitu potoka.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/sw/packages/spark-stripe.json b/locales/sw/packages/spark-stripe.json new file mode 100644 index 00000000000..263fd05c979 --- /dev/null +++ b/locales/sw/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afghanistan", + "Albania": "Albania", + "Algeria": "Algeria", + "American Samoa": "American Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorran", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarctica", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Ubelgiji", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Ndege Bouvet Island", + "Brazil": "Brazil", + "British Indian Ocean Territory": "British Indian Ocean Territory", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Cameroon", + "Canada": "Canada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Cape Verde", + "Card": "Kadi", + "Cayman Islands": "Cayman Islands", + "Central African Republic": "Jamhuri Ya Afrika Ya Kati", + "Chad": "Chad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Chile", + "China": "China", + "Christmas Island": "Kisiwa Cha Krismasi", + "City": "City", + "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", + "Colombia": "Colombia", + "Comoros": "Comoro", + "Confirm Payment": "Kuthibitisha Malipo", + "Confirm your :amount payment": "Kuthibitisha yako :amount malipo", + "Congo": "Congo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Visiwa Vya Cook", + "Costa Rica": "Costa Rica", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Croatia", + "Cuba": "Cuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Cyprus", + "Czech Republic": "Ucheki", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Denmark", + "Djibouti": "Djibouti", + "Dominica": "Jumapili", + "Dominican Republic": "Jamhuri Ya Dominika", + "Download Receipt": "Download Receipt", + "Ecuador": "Ecuador", + "Egypt": "Misri", + "El Salvador": "Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Equatorial Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Ethiopia", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Kinga ya ziada ya uthibitisho ni zinahitajika ili mchakato wa malipo yako. Tafadhali kuendelea na malipo ukurasa kwa kubonyeza kifungo chini.", + "Falkland Islands (Malvinas)": "Visiwa Vya Falkland (Malvinas)", + "Faroe Islands": "Visiwa Vya Faroe", + "Fiji": "Fiji", + "Finland": "Finland", + "France": "Ufaransa", + "French Guiana": "Kifaransa Guiana", + "French Polynesia": "Polynesia Ya Kifaransa", + "French Southern Territories": "Kifaransa Kusini Mwa Wilaya", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Ujerumani", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Ugiriki", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungary", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Krona", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Iraq", + "Ireland": "Ireland", + "Isle of Man": "Isle of Man", + "Israel": "Israeli", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italia", + "Jamaica": "Jamaica", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Korea Ya Kaskazini", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvia", + "Lebanon": "Lebanon", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lithuania", + "Luxembourg": "Luxemburg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Ndogo", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Visiwa Vya Marshall", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Morocco", + "Mozambique": "Msumbiji", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Uholanzi", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Caledonia New", + "New Zealand": "New Zealand", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Kisiwa Cha Norfolk", + "Northern Mariana Islands": "Visiwa Vya Mariana Ya Kaskazini", + "Norway": "Norway", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Maeneo Ya Palestina", + "Panama": "Panama", + "Papua New Guinea": "Papua New Guinea", + "Paraguay": "Paraguay", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Philippines", + "Pitcairn": "Visiwa Vya Pitcairn", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Poland", + "Portugal": "Ureno", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Romania", + "Russian Federation": "Shirikisho La Urusi", + "Rwanda": "Rwanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "St Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saudi Arabia", + "Save": "Ila", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapore", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Visiwa Vya Solomon", + "Somalia": "Somalia", + "South Africa": "Afrika Kusini", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Hispania", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sweden", + "Switzerland": "Uswisi", + "Syrian Arab Republic": "Syria", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tajikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Masharti ya Huduma", + "Thailand": "Thailand", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Kuja", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Uturuki", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "Umoja Wa Falme Za Kiarabu", + "United Kingdom": "Uingereza", + "United States": "Marekani", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Update", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Visiwa Vya Virgin Vya Uingereza", + "Virgin Islands, U.S.": "Visiwa vya Virgin vya MAREKANI", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Western Sahara", + "Whoops! Something went wrong.": "Whoops! Kitu potoka.", + "Yearly": "Yearly", + "Yemen": "Yemeni", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/sw/sw.json b/locales/sw/sw.json index 0fb69e49e58..7bd98867604 100644 --- a/locales/sw/sw.json +++ b/locales/sw/sw.json @@ -1,710 +1,48 @@ { - "30 Days": "Siku 30", - "60 Days": "Siku 60", - "90 Days": "Siku 90", - ":amount Total": ":amount Jumla", - ":days day trial": ":days day trial", - ":resource Details": ":resource Maelezo", - ":resource Details: :title": ":resource Maelezo: :title", "A fresh verification link has been sent to your email address.": "Safi ya ukaguzi kiungo imekuwa kutumwa kwa barua pepe yako anwani.", - "A new verification link has been sent to the email address you provided during registration.": "Mpya ya ukaguzi kiungo imekuwa kutumwa kwa anwani ya barua pepe wewe zinazotolewa wakati wa usajili.", - "Accept Invitation": "Kukubali Mwaliko", - "Action": "Hatua", - "Action Happened At": "Kilichotokea Katika", - "Action Initiated By": "Ulioanzishwa Na", - "Action Name": "Jina", - "Action Status": "Hali", - "Action Target": "Lengo", - "Actions": "Vitendo", - "Add": "Kuongeza", - "Add a new team member to your team, allowing them to collaborate with you.": "Kuongeza mpya wa timu ya mwanachama wa timu yako, kuruhusu kwao kwa kushirikiana na wewe.", - "Add additional security to your account using two factor authentication.": "Kuongeza ziada ya usalama kwenye akaunti yako kwa kutumia mbili uthibitishaji.", - "Add row": "Kuongeza mstari", - "Add Team Member": "Kuongeza Timu Ya Wanachama", - "Add VAT Number": "Add VAT Number", - "Added.": "Aliongeza.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Msimamizi", - "Administrator users can perform any action.": "Msimamizi watumiaji wanaweza kufanya hatua yoyote.", - "Afghanistan": "Afghanistan", - "Aland Islands": "Visiwa Vya Aland", - "Albania": "Albania", - "Algeria": "Algeria", - "All of the people that are part of this team.": "Wote wa watu kwamba ni sehemu ya timu hii.", - "All resources loaded.": "Rasilimali zote ni kubeba.", - "All rights reserved.": "Haki zote zimehifadhiwa.", - "Already registered?": "Tayari kusajiliwa?", - "American Samoa": "American Samoa", - "An error occured while uploading the file.": "Kosa limetokea wakati wa kupakia faili.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorran", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Mtumiaji mwingine ina updated rasilimali hii tangu ukurasa huu ilikuwa kubeba. Tafadhali kupata mahitaji ukurasa na kujaribu tena.", - "Antarctica": "Antarctica", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua na Barbuda", - "API Token": "API Ishara", - "API Token Permissions": "API Ishara Ruhusa", - "API Tokens": "API Ishara", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API ishara kuruhusu huduma tatu kuthibitisha na maombi yetu kwa niaba yako.", - "April": "Aprili", - "Are you sure you want to delete the selected resources?": "Je, una uhakika unataka kufuta ya selected rasilimali?", - "Are you sure you want to delete this file?": "Je, una uhakika unataka kufuta faili hili?", - "Are you sure you want to delete this resource?": "Je, una uhakika unataka kufuta rasilimali hii?", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Je, una uhakika unataka kufuta timu hii? Mara baada ya timu ni ilifutwa, yote ya rasilimali zake na data itakuwa ya kudumu kufutwa.", - "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.": "Je, una uhakika unataka kufuta akaunti yako? Mara baada ya akaunti yako ni ilifutwa, yote ya rasilimali zake na data itakuwa ya kudumu kufutwa. Tafadhali kuingia password yako ili kuthibitisha ungependa kufuta akaunti yako.", - "Are you sure you want to detach the selected resources?": "Je, una uhakika unataka ungua kuchaguliwa rasilimali?", - "Are you sure you want to detach this resource?": "Je, una uhakika unataka ungua rasilimali hii?", - "Are you sure you want to force delete the selected resources?": "Je, una uhakika unataka nguvu kufuta kuchaguliwa rasilimali?", - "Are you sure you want to force delete this resource?": "Je, una uhakika unataka nguvu kufuta rasilimali hii?", - "Are you sure you want to restore the selected resources?": "Je, una uhakika unataka kurejesha kuchaguliwa rasilimali?", - "Are you sure you want to restore this resource?": "Je, una uhakika unataka kurejesha rasilimali hii?", - "Are you sure you want to run this action?": "Je, una uhakika unataka kukimbia hatua hii?", - "Are you sure you would like to delete this API token?": "Una uhakika ungependa kufuta hii API ishara?", - "Are you sure you would like to leave this team?": "Una uhakika ungependa kuondoka timu hii?", - "Are you sure you would like to remove this person from the team?": "Una uhakika ungependa kuondoa mtu kutoka timu?", - "Argentina": "Argentina", - "Armenia": "Armenia", - "Aruba": "Aruba", - "Attach": "Ambatisha", - "Attach & Attach Another": "Ambatisha & Ambatisha Mwingine", - "Attach :resource": "Ambatisha :resource", - "August": "Agosti", - "Australia": "Australia", - "Austria": "Austria", - "Azerbaijan": "Azerbaijan", - "Bahamas": "Bahamas", - "Bahrain": "Bahrain", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Kabla ya kuendelea, tafadhali angalia barua pepe yako kwa ajili ya ukaguzi kiungo.", - "Belarus": "Belarus", - "Belgium": "Ubelgiji", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bhutan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius na Sábado", - "Bosnia And Herzegovina": "Bosnia na Herzegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Ndege Bouvet Island", - "Brazil": "Brazil", - "British Indian Ocean Territory": "British Indian Ocean Territory", - "Browser Sessions": "Browser Vikao", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgaria", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Cambodia", - "Cameroon": "Cameroon", - "Canada": "Canada", - "Cancel": "Kufuta", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Cape Verde", - "Card": "Kadi", - "Cayman Islands": "Cayman Islands", - "Central African Republic": "Jamhuri Ya Afrika Ya Kati", - "Chad": "Chad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Mabadiliko", - "Chile": "Chile", - "China": "China", - "Choose": "Kuchagua", - "Choose :field": "Kuchagua :field", - "Choose :resource": "Kuchagua :resource", - "Choose an option": "Kuchagua chaguo", - "Choose date": "Kuchagua tarehe", - "Choose File": "Kuchagua Faili", - "Choose Type": "Kuchagua Aina", - "Christmas Island": "Kisiwa Cha Krismasi", - "City": "City", "click here to request another": "bonyeza hapa kuomba mwingine", - "Click to choose": "Bonyeza kuchagua", - "Close": "Karibu", - "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", - "Code": "Kanuni", - "Colombia": "Colombia", - "Comoros": "Comoro", - "Confirm": "Kuthibitisha", - "Confirm Password": "Kuthibitisha Password", - "Confirm Payment": "Kuthibitisha Malipo", - "Confirm your :amount payment": "Kuthibitisha yako :amount malipo", - "Congo": "Congo", - "Congo, Democratic Republic": "Congo, Jamhuri Ya Kidemokrasia", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Mara kwa mara", - "Cook Islands": "Visiwa Vya Cook", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "hakuweza kupatikana.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Kujenga", - "Create & Add Another": "Kujenga & Kuongeza Mwingine", - "Create :resource": "Kujenga :resource", - "Create a new team to collaborate with others on projects.": "Kuunda timu mpya kwa kushirikiana na wengine kwenye miradi.", - "Create Account": "Kujenga Akaunti", - "Create API Token": "Kujenga API Ishara", - "Create New Team": "Kuunda Timu Mpya", - "Create Team": "Kujenga Timu", - "Created.": "Kuundwa.", - "Croatia": "Croatia", - "Cuba": "Cuba", - "Curaçao": "Curacao", - "Current Password": "Sasa Password", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Customize", - "Cyprus": "Cyprus", - "Czech Republic": "Ucheki", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Dashibodi", - "December": "Desemba", - "Decrease": "Kupungua", - "Delete": "Kufuta", - "Delete Account": "Kufuta Akaunti", - "Delete API Token": "Kufuta API Ishara", - "Delete File": "Kufuta Faili", - "Delete Resource": "Kufuta Rasilimali", - "Delete Selected": "Kufuta Kuchaguliwa", - "Delete Team": "Kufuta Timu", - "Denmark": "Denmark", - "Detach": "Detach", - "Detach Resource": "Detach Rasilimali", - "Detach Selected": "Detach Ya Kuchaguliwa", - "Details": "Maelezo", - "Disable": "Afya", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Je, kweli unataka kuondoka? Una wasiookoka mabadiliko.", - "Dominica": "Jumapili", - "Dominican Republic": "Jamhuri Ya Dominika", - "Done.": "Kufanyika.", - "Download": "Shusha", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-Mail Anwani", - "Ecuador": "Ecuador", - "Edit": "Hariri", - "Edit :resource": "Hariri :resource", - "Edit Attached": "Hariri Masharti", - "Editor": "Mhariri", - "Editor users have the ability to read, create, and update.": "Mhariri watumiaji kuwa na uwezo wa kusoma, kujenga, na update.", - "Egypt": "Misri", - "El Salvador": "Salvador", - "Email": "Tuma barua pepe kwa", - "Email Address": "Anwani Ya Barua Pepe", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Tuma Barua Pepe Password Rudisha Kiungo", - "Enable": "Kuwawezesha", - "Ensure your account is using a long, random password to stay secure.": "Kuhakikisha akaunti yako ni kutumia kwa muda mrefu, password random kukaa salama.", - "Equatorial Guinea": "Equatorial Guinea", - "Eritrea": "Eritrea", - "Estonia": "Estonia", - "Ethiopia": "Ethiopia", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Kinga ya ziada ya uthibitisho ni zinahitajika ili mchakato wa malipo yako. Tafadhali kuthibitisha malipo yako kwa kujaza maelezo yako ya malipo ya chini.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Kinga ya ziada ya uthibitisho ni zinahitajika ili mchakato wa malipo yako. Tafadhali kuendelea na malipo ukurasa kwa kubonyeza kifungo chini.", - "Falkland Islands (Malvinas)": "Visiwa Vya Falkland (Malvinas)", - "Faroe Islands": "Visiwa Vya Faroe", - "February": "Februari", - "Fiji": "Fiji", - "Finland": "Finland", - "For your security, please confirm your password to continue.": "Kwa ajili ya usalama wako, tafadhali kuthibitisha password yako ya kuendelea.", "Forbidden": "Haramu", - "Force Delete": "Nguvu Safi", - "Force Delete Resource": "Nguvu Ya Kufuta Rasilimali", - "Force Delete Selected": "Nguvu Ya Wazi Ya Kuchaguliwa", - "Forgot Your Password?": "Umesahau Password Yako?", - "Forgot your password?": "Umesahau password yako?", - "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.": "Umesahau password yako? Hakuna tatizo. Tu hebu kujua anwani yako ya barua pepe na sisi email wewe password rudisha kiungo kwamba itawawezesha kuchagua moja mpya.", - "France": "Ufaransa", - "French Guiana": "Kifaransa Guiana", - "French Polynesia": "Polynesia Ya Kifaransa", - "French Southern Territories": "Kifaransa Kusini Mwa Wilaya", - "Full name": "Jina kamili", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Georgia", - "Germany": "Ujerumani", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Kwenda nyuma", - "Go Home": "Kwenda Nyumbani", "Go to page :page": "Kwenda kwa ukurasa :page", - "Great! You have accepted the invitation to join the :team team.": "Kubwa! Wewe wamekubali mwaliko wa kujiunga na :team timu.", - "Greece": "Ugiriki", - "Greenland": "Greenland", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Habari Kisiwa na McDonald Visiwa vya", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Hello!", - "Hide Content": "Kujificha Maudhui", - "Hold Up!": "Kushikilia Up!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Hungary", - "I agree to the :terms_of_service and :privacy_policy": "Mimi kukubaliana na :terms_of_service na :privacy_policy", - "Iceland": "Krona", - "ID": "ID", - "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.": "Kama ni muhimu, unaweza logi nje ya yote ya browser yako mengine vikao katika yote ya vifaa yako. Baadhi ya hivi karibuni ya vikao ni hapa chini; hata hivyo, orodha hii inaweza kuwa kamilifu. Kama wewe kujisikia akaunti yako imekuwa kuathirika, unapaswa pia update password yako.", "If necessary, you may logout 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.": "Kama ni muhimu, unaweza logout ya yote ya browser yako mengine vikao katika yote ya vifaa yako. Baadhi ya hivi karibuni ya vikao ni hapa chini; hata hivyo, orodha hii inaweza kuwa kamilifu. Kama wewe kujisikia akaunti yako imekuwa kuathirika, unapaswa pia update password yako.", - "If you already have an account, you may accept this invitation by clicking the button below:": "Kama tayari una akaunti, unaweza kukubali mwaliko huu kwa kubonyeza kifungo chini:", "If you did not create an account, no further action is required.": "Kama wewe si kujenga akaunti, hakuna hatua zaidi inahitajika.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Kama wewe hawakuwa wanatarajia kupokea mwaliko kwa timu hii, unaweza kuondokana na hii ya barua pepe.", "If you did not receive the email": "Kama hakuwa na kupokea barua pepe", - "If you did not request a password reset, no further action is required.": "Kama hakuwa na kuomba password reset, hakuna hatua zaidi inahitajika.", - "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:": "Kama huna akaunti, unaweza kuunda moja kwa kubonyeza kifungo chini. Baada ya kujenga akaunti, unaweza bonyeza mwaliko kukubalika kifungo katika hii barua pepe kwa kukubali timu ya mwaliko:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Kama wewe ni kuwa na matatizo ya kubonyeza \":actionText\" kifungo, nakala na kuweka URL ya chini\nkatika web browser yako:", - "Increase": "Kuongeza", - "India": "India", - "Indonesia": "Indonesia", "Invalid signature.": "Batili sahihi.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Iraq", - "Ireland": "Ireland", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Isle of Man", - "Israel": "Israeli", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italia", - "Jamaica": "Jamaica", - "January": "Januari", - "Japan": "Japan", - "Jersey": "Jersey", - "Jordan": "Jordan", - "July": "Julai", - "June": "Juni", - "Kazakhstan": "Kazakhstan", - "Kenya": "Kenya", - "Key": "Muhimu", - "Kiribati": "Kiribati", - "Korea": "Korea Ya Kusini", - "Korea, Democratic People's Republic of": "Korea Ya Kaskazini", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuwait", - "Kyrgyzstan": "Kyrgyzstan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Mwisho ya kazi", - "Last used": "Mwisho kutumika", - "Latvia": "Latvia", - "Leave": "Kuondoka", - "Leave Team": "Acha Timu", - "Lebanon": "Lebanon", - "Lens": "Lens", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libya", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Lithuania", - "Load :perPage More": "Mzigo :perPage Zaidi", - "Log in": "Ingia katika", "Log out": "Ingia nje", - "Log Out": "Ingia Nje", - "Log Out Other Browser Sessions": "Ingia Nje Browser Nyingine Ya Vikao", - "Login": "Login", - "Logout": "Logout", "Logout Other Browser Sessions": "Logout Browser Nyingine Ya Vikao", - "Luxembourg": "Luxemburg", - "Macao": "Macao", - "Macedonia": "Kaskazini Macedonia", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagascar", - "Malawi": "Malawi", - "Malaysia": "Malaysia", - "Maldives": "Maldives", - "Mali": "Ndogo", - "Malta": "Malta", - "Manage Account": "Kusimamia Akaunti", - "Manage and log out your active sessions on other browsers and devices.": "Kusimamia na logi nje yako ya kazi vikao vya juu nyingine ya browsers na vifaa.", "Manage and logout your active sessions on other browsers and devices.": "Kusimamia na logout yako ya kazi vikao vya juu nyingine ya browsers na vifaa.", - "Manage API Tokens": "Kusimamia API Ishara", - "Manage Role": "Kusimamia Jukumu", - "Manage Team": "Kusimamia Timu", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Machi", - "Marshall Islands": "Visiwa Vya Marshall", - "Martinique": "Martinique", - "Mauritania": "Mauritania", - "Mauritius": "Mauritius", - "May": "Inaweza", - "Mayotte": "Mayotte", - "Mexico": "Mexico", - "Micronesia, Federated States Of": "Micronesia", - "Moldova": "Moldova", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monaco", - "Mongolia": "Mongolia", - "Montenegro": "Montenegro", - "Month To Date": "Mwezi Na Tarehe", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Morocco", - "Mozambique": "Msumbiji", - "Myanmar": "Myanmar", - "Name": "Jina", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Uholanzi", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Nevermind", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Mpya", - "New :resource": "Mpya :resource", - "New Caledonia": "Caledonia New", - "New Password": "Password Mpya", - "New Zealand": "New Zealand", - "Next": "Pili", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "Hakuna", - "No :resource matched the given criteria.": "Hakuna :resource kuendana kutokana na vigezo.", - "No additional information...": "Hakuna maelezo ya ziada...", - "No Current Data": "Hakuna Data Sasa", - "No Data": "Hakuna Data", - "no file selected": "hakuna faili kuchaguliwa", - "No Increase": "Hakuna Ongezeko", - "No Prior Data": "Hakuna Kabla Ya Data", - "No Results Found.": "No Results Found.", - "Norfolk Island": "Kisiwa Cha Norfolk", - "Northern Mariana Islands": "Visiwa Vya Mariana Ya Kaskazini", - "Norway": "Norway", "Not Found": "Si Kupatikana", - "Nova User": "Nova Mtumiaji", - "November": "Novemba", - "October": "Oktoba", - "of": "ya", "Oh no": "Oh no", - "Oman": "Oman", - "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.": "Mara baada ya timu ni ilifutwa, yote ya rasilimali zake na data itakuwa ya kudumu kufutwa. Kabla ya kufuta timu hii, tafadhali kushusha data yoyote au habari kuhusu timu hii kwamba unataka kuhifadhi.", - "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.": "Mara baada ya akaunti yako ni ilifutwa, yote ya rasilimali zake na data itakuwa ya kudumu kufutwa. Kabla ya kufuta akaunti yako, tafadhali kushusha data yoyote au habari kwamba unataka kuhifadhi.", - "Only Trashed": "Tu Ukiwa", - "Original": "Awali", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Ukurasa Muda Wake", "Pagination Navigation": "Pagination Urambazaji", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Maeneo Ya Palestina", - "Panama": "Panama", - "Papua New Guinea": "Papua New Guinea", - "Paraguay": "Paraguay", - "Password": "Password", - "Pay :amount": "Kulipa :amount", - "Payment Cancelled": "Malipo Kufutwa", - "Payment Confirmation": "Uthibitisho Wa Malipo", - "Payment Information": "Payment Information", - "Payment Successful": "Malipo Ya Mafanikio", - "Pending Team Invitations": "Inasubiri Timu Mialiko", - "Per Page": "Kwa Kila Ukurasa", - "Permanently delete this team.": "Kufuta hii timu.", - "Permanently delete your account.": "Kufuta akaunti yako.", - "Permissions": "Ruhusa", - "Peru": "Peru", - "Philippines": "Philippines", - "Photo": "Picha", - "Pitcairn": "Visiwa Vya Pitcairn", "Please click the button below to verify your email address.": "Tafadhali bonyeza kifungo chini ya kuthibitisha anwani ya barua pepe yako.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Tafadhali kuthibitisha upatikanaji wa akaunti yako kwa kuingia moja ya dharura ahueni codes.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Tafadhali kuthibitisha upatikanaji wa akaunti yako kwa kuingia uthibitisho kanuni zinazotolewa na authenticator maombi.", "Please confirm your password before continuing.": "Tafadhali kuthibitisha password yako kabla ya kuendelea.", - "Please copy your new API token. For your security, it won't be shown again.": "Tafadhali nakala yako mpya API ishara. Kwa ajili ya usalama wako, itakuwa si kuonyeshwa tena.", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Tafadhali kuingia password yako ili kuthibitisha ungependa logi nje ya browser yako mengine vikao katika yote ya vifaa yako.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Tafadhali kuingia password yako ili kuthibitisha ungependa logout ya browser yako mengine vikao katika yote ya vifaa yako.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "Please provide the email address of the person you would like to add to this team.": "Tafadhali kutoa anwani ya barua pepe ya mtu ungependa kuongeza kwa timu hii.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Tafadhali kutoa anwani ya barua pepe ya mtu ungependa kuongeza kwa timu hii. Anwani ya barua pepe lazima kuhusishwa na akaunti zilizopo.", - "Please provide your name.": "Tafadhali kutoa jina lako.", - "Poland": "Poland", - "Portugal": "Ureno", - "Press \/ to search": "Vyombo vya habari \/ search", - "Preview": "Hakikisho", - "Previous": "Awali", - "Privacy Policy": "Sera Ya Faragha", - "Profile": "Profile", - "Profile Information": "Maelezo Mafupi", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Robo Ya Tarehe", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Ahueni Kanuni", "Regards": "Regards", - "Regenerate Recovery Codes": "Regenerate Ahueni Codes", - "Register": "Kujiandikisha", - "Reload": "Reload", - "Remember me": "Kumbuka mimi", - "Remember Me": "Kumbuka Mimi", - "Remove": "Kuondoa", - "Remove Photo": "Kuondoa Picha", - "Remove Team Member": "Kuondoa Timu Ya Wanachama", - "Resend Verification Email": "Tuma Barua Pepe Ya Uthibitisho", - "Reset Filters": "Upya Filters", - "Reset Password": "Password Reset", - "Reset Password Notification": "Rudisha Password Taarifa", - "resource": "rasilimali", - "Resources": "Rasilimali", - "resources": "rasilimali", - "Restore": "Kurejesha", - "Restore Resource": "Kurejesha Rasilimali", - "Restore Selected": "Kurejesha Kuchaguliwa", "results": "matokeo", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Mkutano", - "Role": "Jukumu", - "Romania": "Romania", - "Run Action": "Kukimbia Action", - "Russian Federation": "Shirikisho La Urusi", - "Rwanda": "Rwanda", - "Réunion": "Réunion", - "Saint Barthelemy": "St Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "St Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "St. Kitts na Nevis", - "Saint Lucia": "St. Lucia", - "Saint Martin": "St. Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "St. Pierre na Miquelon", - "Saint Vincent And Grenadines": "St. Vincent na Grenadini", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "Sao Tome na Principe", - "Saudi Arabia": "Saudi Arabia", - "Save": "Ila", - "Saved.": "Kuokolewa.", - "Search": "Search", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Kuchagua Picha Mpya", - "Select Action": "Kuchagua Action", - "Select All": "Kuchagua Wote", - "Select All Matching": "Kuchagua Wote Vinavyolingana", - "Send Password Reset Link": "Kutuma Password Rudisha Kiungo", - "Senegal": "Senegal", - "September": "Septemba", - "Serbia": "Serbia", "Server Error": "Server Error", "Service Unavailable": "Huduma Hazipatikani", - "Seychelles": "Seychelles", - "Show All Fields": "Kuonyesha Mashamba Yote", - "Show Content": "Kuonyesha Maudhui", - "Show Recovery Codes": "Kuonyesha Ahueni Codes", "Showing": "Kuonyesha", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapore", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovakia", - "Slovenia": "Slovenia", - "Solomon Islands": "Visiwa Vya Solomon", - "Somalia": "Somalia", - "Something went wrong.": "Kitu potoka.", - "Sorry! You are not authorized to perform this action.": "Sorry! Wewe si mamlaka ya kufanya hili tendo.", - "Sorry, your session has expired.": "Sorry, kikao yako ina muda wake.", - "South Africa": "Afrika Kusini", - "South Georgia And Sandwich Isl.": "South Georgia na Visiwa vya South Sandwich", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Sudan Kusini", - "Spain": "Hispania", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Kuanza Kupigia Kura", - "State \/ County": "State \/ County", - "Stop Polling": "Kuacha Kupigia Kura", - "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.": "Hifadhi hizi ahueni codes katika salama password meneja. Wao inaweza kutumika ili kurejesha upatikanaji wa akaunti yako kama yako mbili uthibitisho sababu kifaa ni kupotea.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard na Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Sweden", - "Switch Teams": "Kubadili Timu", - "Switzerland": "Uswisi", - "Syrian Arab Republic": "Syria", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tajikistan", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Timu Ya Maelezo", - "Team Invitation": "Timu Ya Mwaliko", - "Team Members": "Timu Ya Wanachama", - "Team Name": "Timu Ya Jina", - "Team Owner": "Timu Ya Mmiliki", - "Team Settings": "Timu Ya Mazingira", - "Terms of Service": "Masharti ya Huduma", - "Thailand": "Thailand", - "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.": "Shukrani kwa ajili ya kusainiwa! Kabla ya kupata kuanza, unaweza kuthibitisha anwani ya barua pepe yako kwa kubonyeza juu ya kiungo sisi tu emailed na wewe? Kama hakuwa na kupokea barua pepe, sisi kwa furaha kutuma mwingine.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "Ya :attribute lazima kuwa halali jukumu.", - "The :attribute must be at least :length characters and contain at least one number.": "Ya :attribute lazima angalau :length wahusika na iwe na angalau moja ya idadi.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": "Ya :attribute lazima angalau :length wahusika na iwe na angalau moja ya tabia maalum na namba moja.", - "The :attribute must be at least :length characters and contain at least one special character.": "Ya :attribute lazima angalau :length wahusika na iwe na angalau moja ya tabia maalum.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Ya :attribute lazima angalau :length wahusika na iwe na angalau moja uppercase tabia na namba moja.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Ya :attribute lazima angalau :length wahusika na iwe na angalau moja uppercase tabia na tabia moja maalum.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Ya :attribute lazima angalau :length wahusika na iwe na angalau moja uppercase tabia, namba moja, na moja tabia maalum.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": "Ya :attribute lazima angalau :length wahusika na iwe na angalau moja uppercase tabia.", - "The :attribute must be at least :length characters.": "Ya :attribute lazima angalau :length wahusika.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "Ya :resource iliundwa!", - "The :resource was deleted!": "Ya :resource ilifutwa!", - "The :resource was restored!": "Ya :resource ukawa!", - "The :resource was updated!": "Ya :resource ilikuwa updated!", - "The action ran successfully!": "Hatua mbio kwa mafanikio!", - "The file was deleted!": "Faili ilifutwa!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Serikali si basi sisi kuonyesha nini ni nyuma ya milango haya", - "The HasOne relationship has already been filled.": "Ya HasOne uhusiano tayari kujazwa.", - "The payment was successful.": "Malipo ilikuwa na mafanikio.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Zinazotolewa password haina mechi password yako sasa.", - "The provided password was incorrect.": "Zinazotolewa password ilikuwa sahihi.", - "The provided two factor authentication code was invalid.": "Zinazotolewa mbili uthibitisho sababu kanuni ni batili.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Rasilimali ilikuwa updated!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Timu ya jina na mmiliki habari.", - "There are no available options for this resource.": "Hakuna inapatikana chaguzi kwa ajili ya rasilimali hii.", - "There was a problem executing the action.": "Kulikuwa na tatizo utekelezaji wa hatua.", - "There was a problem submitting the form.": "Kulikuwa na tatizo kuwasilisha fomu.", - "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.": "Watu hawa wamekuwa walioalikwa timu yako na kuwa alimtuma mwaliko barua pepe. Wanaweza kujiunga na timu kwa kukubali mwaliko barua pepe.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Hatua hii ni ruhusa.", - "This device": "Kifaa hii", - "This file field is read-only.": "Faili hii shamba ni kusoma tu.", - "This image": "Picha hii", - "This is a secure area of the application. Please confirm your password before continuing.": "Hii ni eneo salama ya maombi. Tafadhali kuthibitisha password yako kabla ya kuendelea.", - "This password does not match our records.": "Password hii hailingani na kumbukumbu zetu.", "This password reset link will expire in :count minutes.": "Hii password rudisha kiungo utakamilika katika :count dakika.", - "This payment was already successfully confirmed.": "Hii ya malipo alikuwa tayari mafanikio alithibitisha.", - "This payment was cancelled.": "Hii ya malipo ilikuwa kufutwa.", - "This resource no longer exists": "Rasilimali hii haipo tena", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Mtumiaji huyu tayari ni mali ya timu.", - "This user has already been invited to the team.": "Hii user tayari walioalikwa timu.", - "Timor-Leste": "Timor-Leste", "to": "kwa", - "Today": "Leo", "Toggle navigation": "Toggle navigation", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Ishara Jina", - "Tonga": "Kuja", "Too Many Attempts.": "Pia Majaribio Mengi.", "Too Many Requests": "Maombi Mengi Mno", - "total": "jumla", - "Total:": "Total:", - "Trashed": "Ukiwa", - "Trinidad And Tobago": "Trinidad na Tobago", - "Tunisia": "Tunisia", - "Turkey": "Uturuki", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Turks na Caicos", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Mbili Uthibitishaji", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Mbili uthibitisho sababu sasa ni kuwezeshwa. Scan zifuatazo QR kanuni kwa kutumia simu yako ya authenticator maombi.", - "Uganda": "Uganda", - "Ukraine": "Ukraine", "Unauthorized": "Ruhusa", - "United Arab Emirates": "Umoja Wa Falme Za Kiarabu", - "United Kingdom": "Uingereza", - "United States": "Marekani", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "MAREKANI Outlying Islands", - "Update": "Update", - "Update & Continue Editing": "Update & Kuendelea Editing", - "Update :resource": "Update :resource", - "Update :resource: :title": "Update :resource: :title", - "Update attached :resource: :title": "Update masharti :resource: :title", - "Update Password": "Update Password", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Update akaunti yako profile habari na anwani ya barua pepe.", - "Uruguay": "Uruguay", - "Use a recovery code": "Kutumia ahueni kanuni", - "Use an authentication code": "Kutumia uthibitishaji kanuni", - "Uzbekistan": "Uzbekistan", - "Value": "Thamani", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Kuthibitisha Anwani Ya Barua Pepe", "Verify Your Email Address": "Kuthibitisha Anwani Ya Barua Pepe Yako", - "Viet Nam": "Vietnam", - "View": "View", - "Virgin Islands, British": "Visiwa Vya Virgin Vya Uingereza", - "Virgin Islands, U.S.": "Visiwa vya Virgin vya MAREKANI", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis na Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Sisi walikuwa hawawezi kupata mtumiaji wa usajili na anwani ya barua pepe hii.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Sisi si kuuliza kwa password yako tena kwa masaa machache.", - "We're lost in space. The page you were trying to view does not exist.": "Sisi ni waliopotea katika nafasi. Ukurasa wewe walikuwa wakijaribu kuona haipo.", - "Welcome Back!": "Karibu Tena!", - "Western Sahara": "Western Sahara", - "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.": "Wakati mbili uthibitisho sababu ni kuwezeshwa, wewe utakuwa ilisababisha kwa salama, random ishara wakati wa uthibitishaji. Unaweza retrieve ishara hii kutoka simu yako ya Authenticator Google maombi.", - "Whoops": "Whoops", - "Whoops!": "Whoops!", - "Whoops! Something went wrong.": "Whoops! Kitu potoka.", - "With Trashed": "Na Ukiwa", - "Write": "Kuandika", - "Year To Date": "Mwaka Tarehe", - "Yearly": "Yearly", - "Yemen": "Yemeni", - "Yes": "Ndiyo", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Wewe ni watumiaji katika!", - "You are receiving this email because we received a password reset request for your account.": "Wewe ni kupokea barua pepe hii kwa sababu sisi kupokea password reset ombi kwa ajili ya akaunti yako.", - "You have been invited to join the :team team!": "Umekuwa walioalikwa kujiunga na :team timu!", - "You have enabled two factor authentication.": "Una kuwezeshwa mbili uthibitishaji.", - "You have not enabled two factor authentication.": "Wewe si kuwezeshwa mbili uthibitishaji.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "Unaweza kufuta yoyote ya yako zilizopo ishara kama wao ni tena inahitajika.", - "You may not delete your personal team.": "Unaweza kufuta binafsi yako timu.", - "You may not leave a team that you created.": "Unaweza kuondoka timu ya kwamba wewe kuundwa.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Anwani yako ya barua pepe ni si kuthibitishwa.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Anwani yako ya barua pepe ni si kuthibitishwa." } diff --git a/locales/tg/packages/cashier.json b/locales/tg/packages/cashier.json new file mode 100644 index 00000000000..0bd63f218f9 --- /dev/null +++ b/locales/tg/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Ҳамаи ҳуқуқ маҳфуз аст.", + "Card": "Дар корти", + "Confirm Payment": "Тасдиқ Пардохт", + "Confirm your :amount payment": "Тасдиқ худро пардохт :amount", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Барои коркарди шумо пардохт талаб иловагӣ тасдиқи. Лутфан, тасдиқ кунед пардохт, пур биллинг дар поен.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Барои коркарди шумо пардохт талаб иловагӣ тасдиқи. Лутфан мурур ба саҳифаи пардохт, ба воситаи ангуштзании тугмаи поен.", + "Full name": "Номи пурра", + "Go back": "Бозгашт", + "Jane Doe": "Jane Doe", + "Pay :amount": "Плати :amount", + "Payment Cancelled": "Пардохти Отменена", + "Payment Confirmation": "Тасдиқи пардохт", + "Payment Successful": "Пардохти Сипарӣ Бомуваффақият", + "Please provide your name.": "Лутфан номбар кунед номи худ.", + "The payment was successful.": "Пардохти сипарӣ бомуваффақият.", + "This payment was already successfully confirmed.": "Ин аллакай пардохт шуда буд, бомуваффақият подтвержден.", + "This payment was cancelled.": "Ин пардохт бекор карда шуд." +} diff --git a/locales/tg/packages/fortify.json b/locales/tg/packages/fortify.json new file mode 100644 index 00000000000..9a0933f57fe --- /dev/null +++ b/locales/tg/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 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 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.": "Рақами :attribute бояд дорои на камтар аз :length аломат.", + "The provided password does not match your current password.": "Предоставленный рамз на мувофиқ текущему паролю.", + "The provided password was incorrect.": "Предоставленный рамз буд неверным.", + "The provided two factor authentication code was invalid.": "Предоставленный рамзи двухфакторной тасдиқ намудани нусхаи аслӣ буд недействителен." +} diff --git a/locales/tg/packages/jetstream.json b/locales/tg/packages/jetstream.json new file mode 100644 index 00000000000..c9b903365f9 --- /dev/null +++ b/locales/tg/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Нав проверочная пайванд буд отправлена ба суроғаи почтаи электронӣ, ки Шумо ҳангоми бақайдгирӣ.", + "Accept Invitation": "Гирифтани Даъват", + "Add": "Добавь", + "Add a new team member to your team, allowing them to collaborate with you.": "Илова ба ин дар дастаи худ нав ва узви даста, то ки ӯ метавонист ҳамкорӣ бо шумо.", + "Add additional security to your account using two factor authentication.": "Илова иловагӣ бехатарӣ ба ҳисоби худ бо истифода аз двухфакторной тасдиқ намудани нусхаи аслӣ.", + "Add Team Member": "Илова Узви Дастаи", + "Added.": "Илова.", + "Administrator": "Admin", + "Administrator users can perform any action.": "Истифодабарандагон-администраторы метавонанд барои иҷрои ягон амал.", + "All of the people that are part of this team.": "Ҳамаи одамон, ки доранд, як қисми ин даста.", + "Already registered?": "Аллакай зарегистрировался?", + "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 имкон сторонним сервисам аутентифицироваться мо замимаи аз номи худ.", + "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.": "Шумо мутмаин ҳастед, ки мехоҳед, ки ба хориҷ худро ҳисоби? Чӣ тавр ба танҳо ба ҳисоби худ дур хоҳад, ҳамаи он захирањо ва маълумот хоҳад бебозгашт нест карда мешаванд. Лутфан, лутфан гузарвожаи худро, то тасдиқ, ки шумо мехоҳед, ки то абад тавр ба хориҷ virus худро ба ҳисоби шумо.", + "Are you sure you would like to delete this API token?": "Шумо мутмаин ҳастед, ки мехоҳед ба хориҷ аз ин токен API?", + "Are you sure you would like to leave this team?": "Шумо мутмаин ҳастед, ки мехоҳед тарк ин дастаи?", + "Are you sure you would like to remove this person from the team?": "Шумо мутмаин ҳастед, ки мехоҳед ба хориҷ аз ин инсон аз дастаи?", + "Browser Sessions": "Сеансы браузери", + "Cancel": "Бекор", + "Close": "Закрывать", + "Code": "Рамзи", + "Confirm": "Подтверждать", + "Confirm Password": "Тасдиқ Рамз", + "Create": "Таъсис диҳанд", + "Create a new team to collaborate with others on projects.": "Эҷоди як дастаи нав барои якҷоя кор ба лоиҳа.", + "Create Account": "эҷоди ҳисоби", + "Create API Token": "Таъсиси токена API", + "Create New Team": "Эҷоди Як Дастаи Нав", + "Create Team": "Эҷод дастаи", + "Created.": "Офаридааст.", + "Current Password": "ҷорӣ рамз", + "Dashboard": "Панели", + "Delete": "Чӣ тавр ба хориҷ", + "Delete Account": "Чӣ тавр ба хориҷ Ҳисоби", + "Delete API Token": "Чӣ тавр ба хориҷ аломати API", + "Delete Team": "Чӣ тавр ба хориҷ дастаи", + "Disable": "Отключать", + "Done.": "Анҷом.", + "Editor": "Муҳаррири", + "Editor users have the ability to read, create, and update.": "Истифодабарандагони муњаррир доранд, имконияти хондан, эҷод ва навсозӣ.", + "Email": "Почтаи электронӣ", + "Email Password Reset Link": "Пайванд Барои Рамз бозгашт ба Почтаи электронӣ", + "Enable": "Даргиронидани", + "Ensure your account is using a long, random password to stay secure.": "Боварӣ ҳосил кунед, ки ҳисоби худро истифода мебарад, дароз random рамз, ба бехатар мемонад.", + "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.": "Фаромӯш гузарвожаи худро? Бе мушкилӣ. Танҳо ба мо хабар ба суроғаи почтаи электронӣ худро дар, ва мо ирсол шумо пайванд барои рамз бозгашт, ки имкон медиҳад ба шумо интихоб кардани як нав.", + "Great! You have accepted the invitation to join the :team team.": "Аъло! Шумо ғамхорӣ даъват ҳамроҳ дастаи :team.", + "I agree to the :terms_of_service and :privacy_policy": "Ман розӣ ба :terms_of_service ва :privacy_policy", + "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 you already have an account, you may accept this invitation by clicking the button below:": "Агар шумо аллакай ба ҳисоби, ки шумо метавонед барои ин даъват, ба воситаи ангуштзании тугмаи поен:", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "Агар шумо ягон ҳисоби, ту метавонӣ эҷод кардани он ба воситаи ангуштзании тугмаи поен. Баъди ташкили ҳисоби сабти шумо метавонед тугмаи қабули даъватномаҳо дар ин нома, ки ба қабул кардани даъват дастаи:", + "Last active": "Охир фаъол", + "Last used": "Охирин маротиба мавриди истифода қарор дода шуд", + "Leave": "Тарк дастгоҳи", + "Leave Team": "Тарк дастаи", + "Log in": "Авторизоваться", + "Log Out": "берун аз низоми", + "Log Out Other Browser Sessions": "Берун Аз Дигар Сеанс Браузери", + "Manage Account": "Идоракунии ҳисоб едатон", + "Manage and log out your active sessions on other browsers and devices.": "Управляйте фаъоли сеансами ва баромадан аз онҳо дар дигар браузерах ва дастгоҳҳои.", + "Manage API Tokens": "Идоракунии токенами API", + "Manage Role": "Идоракунии ролью", + "Manage Team": "Идоракунии дастаи", + "Name": "Ном", + "New Password": "Пароли нав", + "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 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.": "Чӣ тавр ба танҳо ба ҳисоби худ дур хоҳад, ҳамаи он захирањо ва маълумот хоҳад бебозгашт нест карда мешаванд. Пеш аз кушода аз ҳисоби худ, лутфан, бор карда шавад ягон маълумот е иттилооти, ки шумо мехоҳед, ки нигоҳ.", + "Password": "Рамз", + "Pending Team Invitations": "Интизорӣ Даъватномаҳо Дастаи", + "Permanently delete this team.": "То абад тоза ин дастаи.", + "Permanently delete your account.": "То абад тоза худро ба ҳисоби шумо.", + "Permissions": "Иҷозат", + "Photo": "Расмҳои", + "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 copy your new API token. For your security, it won't be shown again.": "Лутфан copy нави худ токен API. Барои бехатарии худ аз ӯ бештар хоҳад буд, нишон дода шудааст.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Лутфан, лутфан гузарвожаи худро, то тасдиқ, ки шумо мехоҳед, ки ба берун аз дигар сеанс браузер дар ҳамаи дастгоҳҳои шумо.", + "Please provide the email address of the person you would like to add to this team.": "Лутфан, муайян намудани суроғаи почтаи электронӣ, ки шахсе, ки шумо мехоҳам илова ба ин дастаи.", + "Privacy Policy": "сиесати корбурди маълумоти шахсӣ", + "Profile": "Профили", + "Profile Information": "Маълумот дар бораи профили", + "Recovery Code": "Барқарор намудани рамз", + "Regenerate Recovery Codes": "Регенератсияи кислота рамзҳои Барқарорсозии", + "Register": "Қайд", + "Remember me": "Зиннатҳои ман", + "Remove": "Тоза", + "Remove Photo": "Чӣ Тавр Ба Хориҷ Акс", + "Remove Team Member": "Чӣ Тавр Ба Хориҷ Узви Дастаи", + "Resend Verification Email": "Такрорӣ Фиристодани Мактубҳои Проверочного", + "Reset Password": "рамз бозгашт", + "Role": "Нақши", + "Save": "Нигоҳ", + "Saved.": "Сохраненный.", + "Select A New Photo": "Интихоб Нав Акс", + "Show Recovery Codes": "Нишон Cheats Барқарорсозии", + "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.": "Нигоҳ ин рамзҳои барқарорсозии дар бехатар менеджере паролей. Онҳо метавонад истифода шавад барои барқарор намудани дастрасӣ ба аккаунти шумо, агар шумо, ки дастгоҳ двухфакторной тасдиқ намудани нусхаи аслӣ медиҳад.", + "Switch Teams": "Хомӯш дастаҳои", + "Team Details": "Тафсилоти дастаи", + "Team Invitation": "Даъват ба дастаи", + "Team Members": "Аъзои дастаи", + "Team Name": "Номи дастаи", + "Team Owner": "Соҳиби дастаи", + "Team Settings": "Танзимоти дастаи", + "Terms of Service": "шартҳои хизматрасонӣ", + "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 a valid role.": ":attribute бояд ҳақиқии ролью.", + "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 and 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 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 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.": "Рақами :attribute бояд дорои на камтар аз :length аломат.", + "The provided password does not match your current password.": "Предоставленный рамз на мувофиқ текущему паролю.", + "The provided password was incorrect.": "Предоставленный рамз буд неверным.", + "The provided two factor authentication code was invalid.": "Предоставленный рамзи двухфакторной тасдиқ намудани нусхаи аслӣ буд недействителен.", + "The team's name and owner information.": "Номи даста ва маълумот дар бораи владельце.", + "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.": "Ин одамон даъват шуда буданд, дар худ дастаи ва дорем, ки даъват ба воситаи почтаи электронӣ. Онҳо метавонанд ҳамроҳ ба дастаи, тадбирҳои даъват ба воситаи почтаи электронӣ.", + "This device": "Ин дастгоҳ", + "This is a secure area of the application. Please confirm your password before continuing.": "Ин бехатар область барномаҳо. Лутфан, тасдиқ кунед, рамз, пеш аз давом додан.", + "This password does not match our records.": "Ин рамз на мувофиқ ба мо записями.", + "This user already belongs to the team.": "Ин истифодабаранда аллакай аз они дастаи.", + "This user has already been invited to the team.": "Ин истифодабаранда аллакай приглашен дар дастаи.", + "Token Name": "Ном токена", + "Two Factor Authentication": "Двухфакторная, шумо бояд ворид шавед", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Акнун фаъол карда мешавад двухфакторная, шумо бояд ворид шавед. Отсканируйте баъдӣ QR кодекс бо истифода аз барномаҳои authenticator телефони шумо.", + "Update Password": "Навсозӣ рамз", + "Update your account's profile information and email address.": "Навсозии маълумоти профили ҳисоби худ ва суроғаи почтаи электронӣ.", + "Use a recovery code": "Истифода рамзи барқарорсозии", + "Use an authentication code": "Истифода рамзи тасдиқ намудани нусхаи аслӣ", + "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.": "Агар фаъол карда мешавад двухфакторная, шумо бояд ворид шавед, дар вақти тасдиқ намудани нусхаи аслӣ ба шумо талаб карда мешавад, дохил бехатар тасодуфӣ токен. Шумо метавонед ин токен аз барномаҳо Google Authenticator телефони шумо.", + "Whoops! Something went wrong.": "Упс! Чизе вайрон шудааст.", + "You have been invited to join the :team team!": "Шумо даъватшудаи ҳамроҳ дастаи :team!", + "You have enabled two factor authentication.": "Шумо дохил двухфакторную аутентификацию.", + "You have not enabled two factor authentication.": "Шумо дохил двухфакторную аутентификацию.", + "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.": "Шумо наметавонед тарк сохтааст дастаи шумо." +} diff --git a/locales/tg/packages/nova.json b/locales/tg/packages/nova.json new file mode 100644 index 00000000000..f825723c9ee --- /dev/null +++ b/locales/tg/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Рӯз", + "60 Days": "60 Рӯз", + "90 Days": "90 Рӯз", + ":amount Total": "Аз ҳама :amount", + ":resource Details": ":resource Тафсилот", + ":resource Details: :title": ":resource Тафсилоти: соли :title сол", + "Action": "Амали", + "Action Happened At": "Рӯй", + "Action Initiated By": "Инициировано", + "Action Name": "Ном", + "Action Status": "Мақоми", + "Action Target": "Ҳадафи", + "Actions": "Амали", + "Add row": "Илова строку", + "Afghanistan": "Афғонистон", + "Aland Islands": "Аландские ҷазираҳои", + "Albania": "Албания", + "Algeria": "Алжир", + "All resources loaded.": "Ҳамаи захираҳои loaded.", + "American Samoa": "Американское Самоа", + "An error occured while uploading the file.": "Ҳангоми кушода файл хатогӣ ба вуҷуд омад.", + "Andorra": "Андорра", + "Angola": "Ангола", + "Anguilla": "Ангилья", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Дигар истифодабаранда обновил ин захираҳо аз лаҳзаи боркунӣ ин саҳифа. Лутфан, лутфан, аз нав саҳифаи ва амалро такрор кунед.", + "Antarctica": "Антарктида", + "Antigua And Barbuda": "Антигуа ва Барбуда", + "April": "Апрел", + "Are you sure you want to delete the selected resources?": "Шумо мутмаин ҳастед, ки мехоҳед, ки ба хориҷ выбранные захираҳои?", + "Are you sure you want to delete this file?": "Шумо мутмаин ҳастед, ки мехоҳед ба хориҷ аз ин файл?", + "Are you sure you want to delete this resource?": "Шумо мутмаин ҳастед, ки мехоҳед ба хориҷ аз ин захираҳо?", + "Are you sure you want to detach the selected resources?": "Шумо мутмаин ҳастед, ки мехоҳед отсоединить выбранные захираҳои?", + "Are you sure you want to detach this resource?": "Шумо мутмаин ҳастед, ки мехоҳед отсоединить ин захираҳо?", + "Are you sure you want to force delete the selected resources?": "Шумо мутмаин ҳастед, ки мехоҳед, ки маҷбуран хориҷ выбранные захираҳои?", + "Are you sure you want to force delete this resource?": "Шумо мутмаин ҳастед, ки мехоҳед, ки маҷбуран ба хориҷ аз ин захираҳо?", + "Are you sure you want to restore the selected resources?": "Шумо мутмаин ҳастед, ки мехоҳед барқарор выбранные захираҳои?", + "Are you sure you want to restore this resource?": "Шумо мутмаин ҳастед, ки мехоҳед барқарор ин захираҳо?", + "Are you sure you want to run this action?": "Шумо мутмаин ҳастед, ки мехоҳед, ки ба идора кардани ин амал?", + "Argentina": "Аргентина", + "Armenia": "Арманистон", + "Aruba": "Аруба", + "Attach": "Прикреплять", + "Attach & Attach Another": "Замима ва Замима кардани Боз Як", + "Attach :resource": "Замима кардани :resource", + "August": "Август", + "Australia": "Австралия", + "Austria": "Австрия", + "Azerbaijan": "Озарбойҷон", + "Bahamas": "Багамские ҷазираҳои", + "Bahrain": "Баҳрайн", + "Bangladesh": "Бангладеш", + "Barbados": "Барбадос", + "Belarus": "Беларус", + "Belgium": "Белгия", + "Belize": "Белиз", + "Benin": "Бенин", + "Bermuda": "Бермудские ҷазираҳои", + "Bhutan": "Бутан", + "Bolivia": "Боливия", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sabbath", + "Bosnia And Herzegovina": "Босния ва Герцеговина", + "Botswana": "Ботсвана", + "Bouvet Island": "Ҷазира Буве", + "Brazil": "Бразилия", + "British Indian Ocean Territory": "Як қаламрави дар бозори ҳиндустон таъсири буд, уқенус", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Болгария", + "Burkina Faso": "Буркина-Фасо", + "Burundi": "Бурунди", + "Cambodia": "Камбоҷа", + "Cameroon": "Камерун", + "Canada": "Канада", + "Cancel": "Бекор", + "Cape Verde": "Кабо-Верде", + "Cayman Islands": "Каймановы ҷазираҳои", + "Central African Republic": "Центральноафриканская Ҷумҳурии", + "Chad": "Чад", + "Changes": "Тағйироти", + "Chile": "Чили", + "China": "Чин", + "Choose": "Интихоб", + "Choose :field": "Интихоб :field", + "Choose :resource": "Интихоб :resource", + "Choose an option": "Интихоб кунед варианти", + "Choose date": "Интихоб санаи", + "Choose File": "Файл Интихоб Кунед", + "Choose Type": "Ро Интихоб Кунед, Намуди", + "Christmas Island": "Ҷазираи Мавлуди Исо", + "Click to choose": "Пахш кунед, интихоб", + "Cocos (Keeling) Islands": "Кокос (Килинг) Ҷазираҳои", + "Colombia": "Колумбия", + "Comoros": "Коморские ҷазираҳои", + "Confirm Password": "Тасдиқ Рамз", + "Congo": "Конго", + "Congo, Democratic Republic": "Конго, Демократическая Ҷумҳурии", + "Constant": "Доимии", + "Cook Islands": "Ҷазираҳои Кука", + "Costa Rica": "Коста-Рика", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "онро пайдо нашуд.", + "Create": "Таъсис диҳанд", + "Create & Add Another": "Эҷод ва Илова Боз Як", + "Create :resource": "Эҷод :resource", + "Croatia": "Хорватия", + "Cuba": "Куба", + "Curaçao": "Кюрасао", + "Customize": "Танзим", + "Cyprus": "Кипр", + "Czech Republic": "Чехия", + "Dashboard": "Панели", + "December": "Декабр", + "Decrease": "Маблағи", + "Delete": "Чӣ тавр ба хориҷ", + "Delete File": "Чӣ тавр ба хориҷ image", + "Delete Resource": "Чӣ тавр ба хориҷ захираҳо", + "Delete Selected": "Чӣ Тавр Ба Хориҷ Интихоб", + "Denmark": "Дания", + "Detach": "Отсоединить", + "Detach Resource": "Отсоединить захираҳо", + "Detach Selected": "Отсоединить Интихобшуда", + "Details": "Тафсилот", + "Djibouti": "Джибути", + "Do you really want to leave? You have unsaved changes.": "Шумо дар ҳақиқат мехоҳед ба даст дур? Шумо несохраненные тағйир.", + "Dominica": "Якшанбе", + "Dominican Republic": "Доминикан Олимпии Ҷумҳурии", + "Download": "Download", + "Ecuador": "Эквадор", + "Edit": "Таҳрир", + "Edit :resource": "Правка :resource", + "Edit Attached": "Правка Замима", + "Egypt": "Миср", + "El Salvador": "Наҷотдиҳанда", + "Email Address": "суроғаи почтаи электронӣ", + "Equatorial Guinea": "Экваториальная Гвинея", + "Eritrea": "Эритрея", + "Estonia": "Estonia", + "Ethiopia": "Эфиопия", + "Falkland Islands (Malvinas)": "Фолклендские (Мальвинские) ҷазираҳои)", + "Faroe Islands": "Фарерские ҷазираҳои", + "February": "Феврал", + "Fiji": "Фиджи", + "Finland": "Финляндия", + "Force Delete": "Маҷбуран uninstall", + "Force Delete Resource": "Маҷбуран рафъ захираҳо", + "Force Delete Selected": "Маҷбуран Рафъ Интихобшуда", + "Forgot Your Password?": "Фаромӯш Гузарвожаи Худро?", + "Forgot your password?": "Фаромӯш гузарвожаи худро?", + "France": "Фаронса", + "French Guiana": "Zijin Дар Гвиана", + "French Polynesia": "Ифтитоҳи Нахустин Полинезия", + "French Southern Territories": "Имзои Южные қаламрави", + "Gabon": "Габон", + "Gambia": "Гамбия", + "Georgia": "Гурҷистон", + "Germany": "Олмон", + "Ghana": "Гана", + "Gibraltar": "Гибралтар", + "Go Home": "рафта ба хона", + "Greece": "Юнон", + "Greenland": "Гренландия", + "Grenada": "Гренада", + "Guadeloupe": "Гваделупа", + "Guam": "Гуам", + "Guatemala": "Гватемала", + "Guernsey": "Гернси", + "Guinea": "Гвинея", + "Guinea-Bissau": "Гвинея-Бисау", + "Guyana": "Гайана", + "Haiti": "Гаити", + "Heard Island & Mcdonald Islands": "Ҷазираҳои Херд ва Макдональд", + "Hide Content": "Пинҳон content", + "Hold Up!": "- Погоди!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Гондурас", + "Hong Kong": "Гонконг", + "Hungary": "Маҷористон", + "Iceland": "Исландия", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "Агар шумо запросили рамз бозгашт, ягон минбаъдаи амалиети аст, талаб карда намешавад.", + "Increase": "Афзоиши", + "India": "Ҳиндустон", + "Indonesia": "Индонезия", + "Iran, Islamic Republic Of": "Эрон", + "Iraq": "Ироқ", + "Ireland": "Ирландия", + "Isle Of Man": "Ҷазираи Садри", + "Israel": "Исроил", + "Italy": "Италия", + "Jamaica": "Ямайка", + "January": "Январ", + "Japan": "Ҷопон", + "Jersey": "Jersey", + "Jordan": "Урдун", + "July": "Июл", + "June": "Июн", + "Kazakhstan": "Қазоқистон", + "Kenya": "Кения", + "Key": "Калиди", + "Kiribati": "Кирибати", + "Korea": "Кореяи Ҷанубӣ", + "Korea, Democratic People's Republic of": "Кореяи Шимолӣ", + "Kosovo": "Косово", + "Kuwait": "Кувайт", + "Kyrgyzstan": "Қирғизистон", + "Lao People's Democratic Republic": "Лаос", + "Latvia": "Латвия", + "Lebanon": "Лубнон", + "Lens": "Линзаи", + "Lesotho": "Лесото", + "Liberia": "Либерия", + "Libyan Arab Jamahiriya": "Ливия", + "Liechtenstein": "Лихтенштейн", + "Lithuania": "Литва", + "Load :perPage More": "Дарефти боз :per Саҳифа", + "Login": "Авторизоваться", + "Logout": "Баромадан аз системаи", + "Luxembourg": "Luxembourg", + "Macao": "Макао", + "Macedonia": "Шимолӣ Македония", + "Madagascar": "Мадагаскар", + "Malawi": "Малави", + "Malaysia": "Малайзия", + "Maldives": "Малдив", + "Mali": "Хурд", + "Malta": "Мальта", + "March": "Март", + "Marshall Islands": "Ҷазираҳои маршал", + "Martinique": "Мартиника", + "Mauritania": "Мавритания", + "Mauritius": "Маврикий", + "May": "Май", + "Mayotte": "Майотт", + "Mexico": "Мексика", + "Micronesia, Federated States Of": "Микронезия", + "Moldova": "Молдова", + "Monaco": "Монако", + "Mongolia": "Монголия", + "Montenegro": "Черногория", + "Month To Date": "Як Моҳ Пеш Ҳамин Вақт", + "Montserrat": "Монтсеррат", + "Morocco": "Марокаш", + "Mozambique": "Мозамбик", + "Myanmar": "Мянма", + "Namibia": "Намибия", + "Nauru": "Науру", + "Nepal": "Непал", + "Netherlands": "Нидерланд", + "New": "Нав", + "New :resource": "Нав :resource", + "New Caledonia": "Нав Каледония", + "New Zealand": "Зеландияи Нав", + "Next": "Баъдӣ", + "Nicaragua": "Никарагуа", + "Niger": "Нигер", + "Nigeria": "Нигерия", + "Niue": "Ниуэ", + "No": "Не", + "No :resource matched the given criteria.": "№ :resource соответствовал заданным мешаванд.", + "No additional information...": "Ягон маълумоти иловагӣ...", + "No Current Data": "Не Ҷорӣ Маълумот", + "No Data": "Нест, Маълумот Дар", + "no file selected": "файл на интихоб", + "No Increase": "Ягон Афзоиши", + "No Prior Data": "Ягон Натиҷаҳои Пешакии Маълумот", + "No Results Found.": "Ягон Натиҷаҳои Нест Дарефт.", + "Norfolk Island": "Ҷазираи Норфолк", + "Northern Mariana Islands": "Северные Марианские ҷазираҳои", + "Norway": "Норвегия", + "Nova User": "Корбар Нова", + "November": "Ноябр", + "October": "Oct", + "of": "аз", + "Oman": "Умон", + "Only Trashed": "Танҳо Разгромили", + "Original": "Аслии", + "Pakistan": "Покистон", + "Palau": "Палау", + "Palestinian Territory, Occupied": "Палестинские қаламрави", + "Panama": "Панама", + "Papua New Guinea": "Папуа-Нав Гвинея", + "Paraguay": "Парагвай", + "Password": "Рамз", + "Per Page": "Ба Саҳифаи", + "Peru": "Перу", + "Philippines": "Филиппин", + "Pitcairn": "Ҷазираҳои Питкэрн", + "Poland": "Полша", + "Portugal": "Португалия", + "Press \/ to search": "Пахш кунед \/ барои ҷустуҷӯ", + "Preview": "Пешнамоиш", + "Previous": "Previous", + "Puerto Rico": "Пуэрто-Рико", + "Qatar": "Qatar", + "Quarter To Date": "Семоҳаи I-Уми То Ҳамин Вақт", + "Reload": "Жой", + "Remember Me": "Зиннатҳои Ман", + "Reset Filters": "Барои аз нав танзимкунии филтри", + "Reset Password": "рамз бозгашт", + "Reset Password Notification": "Огоҳинома дар бораи Сбросе Рамз", + "resource": "захираҳо", + "Resources": "Захираҳои", + "resources": "захираҳои", + "Restore": "Восстанавливать", + "Restore Resource": "Барқарор кардани захираҳо", + "Restore Selected": "Барқарор Интихоб", + "Reunion": "Реюньон", + "Romania": "Руминия", + "Run Action": "Анҷом додани амали", + "Russian Federation": "Федератсияи Русия", + "Rwanda": "Руанда", + "Saint Barthelemy": "Муқаддас Варфоломей", + "Saint Helena": "Ҷазираи Муқаддас Елены", + "Saint Kitts And Nevis": "Сент-Китс ва Невис", + "Saint Lucia": "Сент-Люсия", + "Saint Martin": "Муқаддас Мартин", + "Saint Pierre And Miquelon": "Сен-Пйер ва Микелон", + "Saint Vincent And Grenadines": "Сент-Винсент и Гренадины", + "Samoa": "Самоа", + "San Marino": "Сан-Марино", + "Sao Tome And Principe": "Сан-Томе ва Принсипи", + "Saudi Arabia": "Арабистони Саудӣ", + "Search": "Ҷустуҷӯи", + "Select Action": "Амал Интихоб Кунед", + "Select All": "интихоб кардани ҳамаи", + "Select All Matching": "Ро Интихоб Кунед, Ҳамаи Совпадающие", + "Send Password Reset Link": "Ирсоли Пайванди Рамз Бозгашт", + "Senegal": "Сенегал", + "September": "September", + "Serbia": "Сербия", + "Seychelles": "Сейшельские ҷазираҳои", + "Show All Fields": "Нишон Додани Ҳамаи Соҳаи", + "Show Content": "Нишон content", + "Sierra Leone": "Сиерра-Леоне", + "Singapore": "Сингапур", + "Sint Maarten (Dutch part)": "Синт Мартен", + "Slovakia": "Словакия", + "Slovenia": "Словения-шикастани ба зинаи", + "Solomon Islands": "Соломоновы ҷазираҳои", + "Somalia": "Сомалӣ", + "Something went wrong.": "Чизе вайрон шудааст.", + "Sorry! You are not authorized to perform this action.": "Бубахш! Шумо барои назорат бурдан ба иҷрои ин амал.", + "Sorry, your session has expired.": "Бубахшед, шумо сеанс гузаштааст.", + "South Africa": "Африқои Ҷанубӣ", + "South Georgia And Sandwich Isl.": "Ҷанубӣ Георгия ва Южные Сандвичевы ҷазираҳои", + "South Sudan": "Southern Судан", + "Spain": "Испания", + "Sri Lanka": "Шри-Ланка", + "Start Polling": "Оғози пурсиш", + "Stop Polling": "Бас пурсиш", + "Sudan": "Судан", + "Suriname": "Узбакистон", + "Svalbard And Jan Mayen": "Шпицберген ва Ian-Майен", + "Swaziland": "Eswatini", + "Sweden": "Шветсия", + "Switzerland": "Швейтсария", + "Syrian Arab Republic": "Сурия", + "Taiwan": "Тайван", + "Tajikistan": "Тоҷикистон", + "Tanzania": "Танзания", + "Thailand": "Таиланд", + "The :resource was created!": ":resource офарида шудааст!", + "The :resource was deleted!": ":resource буд файлҳои!", + "The :resource was restored!": ":resource-ум буд, барқарор намояд!", + "The :resource was updated!": ":resource-ум буд, аз нав!", + "The action ran successfully!": "Аксияи роҳбари бомуваффақият!", + "The file was deleted!": "Файл буд файлҳои!", + "The government won't let us show you what's behind these doors": "Ҳукумат имкон медиҳад, ки мо ба шумо биемузад, ки чӣ аст, дар ин дверями", + "The HasOne relationship has already been filled.": "Муносибатҳои hasOne аллакай сер.", + "The resource was updated!": "Захираи буд updated!", + "There are no available options for this resource.": "Барои ин хизматрасонӣ не имконоти дастрас.", + "There was a problem executing the action.": "Ба миен омадааст, ки масъалаи иҷрои амали.", + "There was a problem submitting the form.": "Ба миен омадааст, ки масъалаи бо пешниҳоди шакли.", + "This file field is read-only.": "Ин соҳа файл дастрас аст, танҳо барои хондан аст.", + "This image": "Ин тарзи", + "This resource no longer exists": "Ин захираҳо бештар вуҷуд надорад", + "Timor-Leste": "Тимор-Лешти", + "Today": "Имрӯз", + "Togo": "Аз он", + "Tokelau": "Токелау", + "Tonga": "Бие", + "total": "тамоми", + "Trashed": "Разгромлен", + "Trinidad And Tobago": "Тринидад ва Тобаго", + "Tunisia": "Тунис", + "Turkey": "Мурғи марҷон", + "Turkmenistan": "Туркманистон", + "Turks And Caicos Islands": "Ҷазираҳои Теркс ва Кайкос", + "Tuvalu": "Тувалу", + "Uganda": "Уганда", + "Ukraine": "Украина", + "United Arab Emirates": "Аморати Муттаҳидаи Араб", + "United Kingdom": "Объединенное Салтанат", + "United States": "Иелоти Муттаҳидаи Амрико", + "United States Outlying Islands": "Отдаленные ҷазираҳои ИМА", + "Update": "Навсозии", + "Update & Continue Editing": "Таҷдид ва Идомаи Таҳриркунӣ", + "Update :resource": "Навсозии :resource", + "Update :resource: :title": "Навсозии :resource: :title", + "Update attached :resource: :title": "Навсозии замима :resource: :title", + "Uruguay": "Уругвай", + "Uzbekistan": "Ўзбекистон", + "Value": "Арзиши", + "Vanuatu": "Вануату", + "Venezuela": "Венесуэла", + "Viet Nam": "Vietnam", + "View": "Watch", + "Virgin Islands, British": "Ҷазираҳои виргинияи британия", + "Virgin Islands, U.S.": "Виргинские ҷазираҳои ИМА", + "Wallis And Futuna": "Уоллис ва Футуна", + "We're lost in space. The page you were trying to view does not exist.": "Мо потерялись дар фазо. Саҳифа, ки шумо кӯшиш ба дидани, вуҷуд надорад.", + "Welcome Back!": "Бо Бозгашти!", + "Western Sahara": "Западная Сахара", + "Whoops": "Упс", + "Whoops!": "Упс!", + "With Trashed": "Бо Разгромленным", + "Write": "Навиштани", + "Year To Date": "Сол То Ҳамин Вақт", + "Yemen": "Яман", + "Yes": "Ҳа", + "You are receiving this email because we received a password reset request for your account.": "Шумо ба он даст ба ин нома, зеро ки мо дорем, дархости рамз бозгашт барои аккаунти шумо.", + "Zambia": "Замбия", + "Zimbabwe": "Зимбабве" +} diff --git a/locales/tg/packages/spark-paddle.json b/locales/tg/packages/spark-paddle.json new file mode 100644 index 00000000000..de1ba8b6903 --- /dev/null +++ b/locales/tg/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "шартҳои хизматрасонӣ", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Упс! Чизе вайрон шудааст.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/tg/packages/spark-stripe.json b/locales/tg/packages/spark-stripe.json new file mode 100644 index 00000000000..40a2955a69e --- /dev/null +++ b/locales/tg/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Афғонистон", + "Albania": "Албания", + "Algeria": "Алжир", + "American Samoa": "Американское Самоа", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Андорра", + "Angola": "Ангола", + "Anguilla": "Ангилья", + "Antarctica": "Антарктида", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Аргентина", + "Armenia": "Арманистон", + "Aruba": "Аруба", + "Australia": "Австралия", + "Austria": "Австрия", + "Azerbaijan": "Озарбойҷон", + "Bahamas": "Багамские ҷазираҳои", + "Bahrain": "Баҳрайн", + "Bangladesh": "Бангладеш", + "Barbados": "Барбадос", + "Belarus": "Беларус", + "Belgium": "Белгия", + "Belize": "Белиз", + "Benin": "Бенин", + "Bermuda": "Бермудские ҷазираҳои", + "Bhutan": "Бутан", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Ботсвана", + "Bouvet Island": "Ҷазира Буве", + "Brazil": "Бразилия", + "British Indian Ocean Territory": "Як қаламрави дар бозори ҳиндустон таъсири буд, уқенус", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Болгария", + "Burkina Faso": "Буркина-Фасо", + "Burundi": "Бурунди", + "Cambodia": "Камбоҷа", + "Cameroon": "Камерун", + "Canada": "Канада", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Кабо-Верде", + "Card": "Дар корти", + "Cayman Islands": "Каймановы ҷазираҳои", + "Central African Republic": "Центральноафриканская Ҷумҳурии", + "Chad": "Чад", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Чили", + "China": "Чин", + "Christmas Island": "Ҷазираи Мавлуди Исо", + "City": "City", + "Cocos (Keeling) Islands": "Кокос (Килинг) Ҷазираҳои", + "Colombia": "Колумбия", + "Comoros": "Коморские ҷазираҳои", + "Confirm Payment": "Тасдиқ Пардохт", + "Confirm your :amount payment": "Тасдиқ худро пардохт :amount", + "Congo": "Конго", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Ҷазираҳои Кука", + "Costa Rica": "Коста-Рика", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Хорватия", + "Cuba": "Куба", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Кипр", + "Czech Republic": "Чехия", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Дания", + "Djibouti": "Джибути", + "Dominica": "Якшанбе", + "Dominican Republic": "Доминикан Олимпии Ҷумҳурии", + "Download Receipt": "Download Receipt", + "Ecuador": "Эквадор", + "Egypt": "Миср", + "El Salvador": "Наҷотдиҳанда", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Экваториальная Гвинея", + "Eritrea": "Эритрея", + "Estonia": "Estonia", + "Ethiopia": "Эфиопия", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Барои коркарди шумо пардохт талаб иловагӣ тасдиқи. Лутфан мурур ба саҳифаи пардохт, ба воситаи ангуштзании тугмаи поен.", + "Falkland Islands (Malvinas)": "Фолклендские (Мальвинские) ҷазираҳои)", + "Faroe Islands": "Фарерские ҷазираҳои", + "Fiji": "Фиджи", + "Finland": "Финляндия", + "France": "Фаронса", + "French Guiana": "Zijin Дар Гвиана", + "French Polynesia": "Ифтитоҳи Нахустин Полинезия", + "French Southern Territories": "Имзои Южные қаламрави", + "Gabon": "Габон", + "Gambia": "Гамбия", + "Georgia": "Гурҷистон", + "Germany": "Олмон", + "Ghana": "Гана", + "Gibraltar": "Гибралтар", + "Greece": "Юнон", + "Greenland": "Гренландия", + "Grenada": "Гренада", + "Guadeloupe": "Гваделупа", + "Guam": "Гуам", + "Guatemala": "Гватемала", + "Guernsey": "Гернси", + "Guinea": "Гвинея", + "Guinea-Bissau": "Гвинея-Бисау", + "Guyana": "Гайана", + "Haiti": "Гаити", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Гондурас", + "Hong Kong": "Гонконг", + "Hungary": "Маҷористон", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Исландия", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Ҳиндустон", + "Indonesia": "Индонезия", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Ироқ", + "Ireland": "Ирландия", + "Isle of Man": "Isle of Man", + "Israel": "Исроил", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Италия", + "Jamaica": "Ямайка", + "Japan": "Ҷопон", + "Jersey": "Jersey", + "Jordan": "Урдун", + "Kazakhstan": "Қазоқистон", + "Kenya": "Кения", + "Kiribati": "Кирибати", + "Korea, Democratic People's Republic of": "Кореяи Шимолӣ", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Кувайт", + "Kyrgyzstan": "Қирғизистон", + "Lao People's Democratic Republic": "Лаос", + "Latvia": "Латвия", + "Lebanon": "Лубнон", + "Lesotho": "Лесото", + "Liberia": "Либерия", + "Libyan Arab Jamahiriya": "Ливия", + "Liechtenstein": "Лихтенштейн", + "Lithuania": "Литва", + "Luxembourg": "Luxembourg", + "Macao": "Макао", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Мадагаскар", + "Malawi": "Малави", + "Malaysia": "Малайзия", + "Maldives": "Малдив", + "Mali": "Хурд", + "Malta": "Мальта", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Ҷазираҳои маршал", + "Martinique": "Мартиника", + "Mauritania": "Мавритания", + "Mauritius": "Маврикий", + "Mayotte": "Майотт", + "Mexico": "Мексика", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Монако", + "Mongolia": "Монголия", + "Montenegro": "Черногория", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Монтсеррат", + "Morocco": "Марокаш", + "Mozambique": "Мозамбик", + "Myanmar": "Мянма", + "Namibia": "Намибия", + "Nauru": "Науру", + "Nepal": "Непал", + "Netherlands": "Нидерланд", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Нав Каледония", + "New Zealand": "Зеландияи Нав", + "Nicaragua": "Никарагуа", + "Niger": "Нигер", + "Nigeria": "Нигерия", + "Niue": "Ниуэ", + "Norfolk Island": "Ҷазираи Норфолк", + "Northern Mariana Islands": "Северные Марианские ҷазираҳои", + "Norway": "Норвегия", + "Oman": "Умон", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Покистон", + "Palau": "Палау", + "Palestinian Territory, Occupied": "Палестинские қаламрави", + "Panama": "Панама", + "Papua New Guinea": "Папуа-Нав Гвинея", + "Paraguay": "Парагвай", + "Payment Information": "Payment Information", + "Peru": "Перу", + "Philippines": "Филиппин", + "Pitcairn": "Ҷазираҳои Питкэрн", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Полша", + "Portugal": "Португалия", + "Puerto Rico": "Пуэрто-Рико", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Руминия", + "Russian Federation": "Федератсияи Русия", + "Rwanda": "Руанда", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Ҷазираи Муқаддас Елены", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Сент-Люсия", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Самоа", + "San Marino": "Сан-Марино", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Арабистони Саудӣ", + "Save": "Нигоҳ", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Сенегал", + "Serbia": "Сербия", + "Seychelles": "Сейшельские ҷазираҳои", + "Sierra Leone": "Сиерра-Леоне", + "Signed in as": "Signed in as", + "Singapore": "Сингапур", + "Slovakia": "Словакия", + "Slovenia": "Словения-шикастани ба зинаи", + "Solomon Islands": "Соломоновы ҷазираҳои", + "Somalia": "Сомалӣ", + "South Africa": "Африқои Ҷанубӣ", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Испания", + "Sri Lanka": "Шри-Ланка", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Судан", + "Suriname": "Узбакистон", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Шветсия", + "Switzerland": "Швейтсария", + "Syrian Arab Republic": "Сурия", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Тоҷикистон", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "шартҳои хизматрасонӣ", + "Thailand": "Таиланд", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Тимор-Лешти", + "Togo": "Аз он", + "Tokelau": "Токелау", + "Tonga": "Бие", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Тунис", + "Turkey": "Мурғи марҷон", + "Turkmenistan": "Туркманистон", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Тувалу", + "Uganda": "Уганда", + "Ukraine": "Украина", + "United Arab Emirates": "Аморати Муттаҳидаи Араб", + "United Kingdom": "Объединенное Салтанат", + "United States": "Иелоти Муттаҳидаи Амрико", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Навсозии", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Уругвай", + "Uzbekistan": "Ўзбекистон", + "Vanuatu": "Вануату", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Ҷазираҳои виргинияи британия", + "Virgin Islands, U.S.": "Виргинские ҷазираҳои ИМА", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Западная Сахара", + "Whoops! Something went wrong.": "Упс! Чизе вайрон шудааст.", + "Yearly": "Yearly", + "Yemen": "Яман", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Замбия", + "Zimbabwe": "Зимбабве", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/tg/tg.json b/locales/tg/tg.json index e209b996d00..be68bc585cd 100644 --- a/locales/tg/tg.json +++ b/locales/tg/tg.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Рӯз", - "60 Days": "60 Рӯз", - "90 Days": "90 Рӯз", - ":amount Total": "Аз ҳама :amount", - ":days day trial": ":days day trial", - ":resource Details": ":resource Тафсилот", - ":resource Details: :title": ":resource Тафсилоти: соли :title сол", "A fresh verification link has been sent to your email address.": "Ба суроғаи почтаи электронӣ буд отправлена тару ҳасиб проверочная пайванд.", - "A new verification link has been sent to the email address you provided during registration.": "Нав проверочная пайванд буд отправлена ба суроғаи почтаи электронӣ, ки Шумо ҳангоми бақайдгирӣ.", - "Accept Invitation": "Гирифтани Даъват", - "Action": "Амали", - "Action Happened At": "Рӯй", - "Action Initiated By": "Инициировано", - "Action Name": "Ном", - "Action Status": "Мақоми", - "Action Target": "Ҳадафи", - "Actions": "Амали", - "Add": "Добавь", - "Add a new team member to your team, allowing them to collaborate with you.": "Илова ба ин дар дастаи худ нав ва узви даста, то ки ӯ метавонист ҳамкорӣ бо шумо.", - "Add additional security to your account using two factor authentication.": "Илова иловагӣ бехатарӣ ба ҳисоби худ бо истифода аз двухфакторной тасдиқ намудани нусхаи аслӣ.", - "Add row": "Илова строку", - "Add Team Member": "Илова Узви Дастаи", - "Add VAT Number": "Add VAT Number", - "Added.": "Илова.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Admin", - "Administrator users can perform any action.": "Истифодабарандагон-администраторы метавонанд барои иҷрои ягон амал.", - "Afghanistan": "Афғонистон", - "Aland Islands": "Аландские ҷазираҳои", - "Albania": "Албания", - "Algeria": "Алжир", - "All of the people that are part of this team.": "Ҳамаи одамон, ки доранд, як қисми ин даста.", - "All resources loaded.": "Ҳамаи захираҳои loaded.", - "All rights reserved.": "Ҳамаи ҳуқуқ маҳфуз аст.", - "Already registered?": "Аллакай зарегистрировался?", - "American Samoa": "Американское Самоа", - "An error occured while uploading the file.": "Ҳангоми кушода файл хатогӣ ба вуҷуд омад.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Андорра", - "Angola": "Ангола", - "Anguilla": "Ангилья", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Дигар истифодабаранда обновил ин захираҳо аз лаҳзаи боркунӣ ин саҳифа. Лутфан, лутфан, аз нав саҳифаи ва амалро такрор кунед.", - "Antarctica": "Антарктида", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Антигуа ва Барбуда", - "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 имкон сторонним сервисам аутентифицироваться мо замимаи аз номи худ.", - "April": "Апрел", - "Are you sure you want to delete the selected resources?": "Шумо мутмаин ҳастед, ки мехоҳед, ки ба хориҷ выбранные захираҳои?", - "Are you sure you want to delete this file?": "Шумо мутмаин ҳастед, ки мехоҳед ба хориҷ аз ин файл?", - "Are you sure you want to delete this resource?": "Шумо мутмаин ҳастед, ки мехоҳед ба хориҷ аз ин захираҳо?", - "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.": "Шумо мутмаин ҳастед, ки мехоҳед, ки ба хориҷ худро ҳисоби? Чӣ тавр ба танҳо ба ҳисоби худ дур хоҳад, ҳамаи он захирањо ва маълумот хоҳад бебозгашт нест карда мешаванд. Лутфан, лутфан гузарвожаи худро, то тасдиқ, ки шумо мехоҳед, ки то абад тавр ба хориҷ virus худро ба ҳисоби шумо.", - "Are you sure you want to detach the selected resources?": "Шумо мутмаин ҳастед, ки мехоҳед отсоединить выбранные захираҳои?", - "Are you sure you want to detach this resource?": "Шумо мутмаин ҳастед, ки мехоҳед отсоединить ин захираҳо?", - "Are you sure you want to force delete the selected resources?": "Шумо мутмаин ҳастед, ки мехоҳед, ки маҷбуран хориҷ выбранные захираҳои?", - "Are you sure you want to force delete this resource?": "Шумо мутмаин ҳастед, ки мехоҳед, ки маҷбуран ба хориҷ аз ин захираҳо?", - "Are you sure you want to restore the selected resources?": "Шумо мутмаин ҳастед, ки мехоҳед барқарор выбранные захираҳои?", - "Are you sure you want to restore this resource?": "Шумо мутмаин ҳастед, ки мехоҳед барқарор ин захираҳо?", - "Are you sure you want to run this action?": "Шумо мутмаин ҳастед, ки мехоҳед, ки ба идора кардани ин амал?", - "Are you sure you would like to delete this API token?": "Шумо мутмаин ҳастед, ки мехоҳед ба хориҷ аз ин токен API?", - "Are you sure you would like to leave this team?": "Шумо мутмаин ҳастед, ки мехоҳед тарк ин дастаи?", - "Are you sure you would like to remove this person from the team?": "Шумо мутмаин ҳастед, ки мехоҳед ба хориҷ аз ин инсон аз дастаи?", - "Argentina": "Аргентина", - "Armenia": "Арманистон", - "Aruba": "Аруба", - "Attach": "Прикреплять", - "Attach & Attach Another": "Замима ва Замима кардани Боз Як", - "Attach :resource": "Замима кардани :resource", - "August": "Август", - "Australia": "Австралия", - "Austria": "Австрия", - "Azerbaijan": "Озарбойҷон", - "Bahamas": "Багамские ҷазираҳои", - "Bahrain": "Баҳрайн", - "Bangladesh": "Бангладеш", - "Barbados": "Барбадос", "Before proceeding, please check your email for a verification link.": "Пеш аз идома, лутфан, санҷед, электрониатонро ба мавҷудияти проверочной пайвандҳо.", - "Belarus": "Беларус", - "Belgium": "Белгия", - "Belize": "Белиз", - "Benin": "Бенин", - "Bermuda": "Бермудские ҷазираҳои", - "Bhutan": "Бутан", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Боливия", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sabbath", - "Bosnia And Herzegovina": "Босния ва Герцеговина", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Ботсвана", - "Bouvet Island": "Ҷазира Буве", - "Brazil": "Бразилия", - "British Indian Ocean Territory": "Як қаламрави дар бозори ҳиндустон таъсири буд, уқенус", - "Browser Sessions": "Сеансы браузери", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Болгария", - "Burkina Faso": "Буркина-Фасо", - "Burundi": "Бурунди", - "Cambodia": "Камбоҷа", - "Cameroon": "Камерун", - "Canada": "Канада", - "Cancel": "Бекор", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Кабо-Верде", - "Card": "Дар корти", - "Cayman Islands": "Каймановы ҷазираҳои", - "Central African Republic": "Центральноафриканская Ҷумҳурии", - "Chad": "Чад", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Тағйироти", - "Chile": "Чили", - "China": "Чин", - "Choose": "Интихоб", - "Choose :field": "Интихоб :field", - "Choose :resource": "Интихоб :resource", - "Choose an option": "Интихоб кунед варианти", - "Choose date": "Интихоб санаи", - "Choose File": "Файл Интихоб Кунед", - "Choose Type": "Ро Интихоб Кунед, Намуди", - "Christmas Island": "Ҷазираи Мавлуди Исо", - "City": "City", "click here to request another": "дар ин ҷо зер кунед, то дархост боз як", - "Click to choose": "Пахш кунед, интихоб", - "Close": "Закрывать", - "Cocos (Keeling) Islands": "Кокос (Килинг) Ҷазираҳои", - "Code": "Рамзи", - "Colombia": "Колумбия", - "Comoros": "Коморские ҷазираҳои", - "Confirm": "Подтверждать", - "Confirm Password": "Тасдиқ Рамз", - "Confirm Payment": "Тасдиқ Пардохт", - "Confirm your :amount payment": "Тасдиқ худро пардохт :amount", - "Congo": "Конго", - "Congo, Democratic Republic": "Конго, Демократическая Ҷумҳурии", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Доимии", - "Cook Islands": "Ҷазираҳои Кука", - "Costa Rica": "Коста-Рика", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "онро пайдо нашуд.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Таъсис диҳанд", - "Create & Add Another": "Эҷод ва Илова Боз Як", - "Create :resource": "Эҷод :resource", - "Create a new team to collaborate with others on projects.": "Эҷоди як дастаи нав барои якҷоя кор ба лоиҳа.", - "Create Account": "эҷоди ҳисоби", - "Create API Token": "Таъсиси токена API", - "Create New Team": "Эҷоди Як Дастаи Нав", - "Create Team": "Эҷод дастаи", - "Created.": "Офаридааст.", - "Croatia": "Хорватия", - "Cuba": "Куба", - "Curaçao": "Кюрасао", - "Current Password": "ҷорӣ рамз", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Танзим", - "Cyprus": "Кипр", - "Czech Republic": "Чехия", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Панели", - "December": "Декабр", - "Decrease": "Маблағи", - "Delete": "Чӣ тавр ба хориҷ", - "Delete Account": "Чӣ тавр ба хориҷ Ҳисоби", - "Delete API Token": "Чӣ тавр ба хориҷ аломати API", - "Delete File": "Чӣ тавр ба хориҷ image", - "Delete Resource": "Чӣ тавр ба хориҷ захираҳо", - "Delete Selected": "Чӣ Тавр Ба Хориҷ Интихоб", - "Delete Team": "Чӣ тавр ба хориҷ дастаи", - "Denmark": "Дания", - "Detach": "Отсоединить", - "Detach Resource": "Отсоединить захираҳо", - "Detach Selected": "Отсоединить Интихобшуда", - "Details": "Тафсилот", - "Disable": "Отключать", - "Djibouti": "Джибути", - "Do you really want to leave? You have unsaved changes.": "Шумо дар ҳақиқат мехоҳед ба даст дур? Шумо несохраненные тағйир.", - "Dominica": "Якшанбе", - "Dominican Republic": "Доминикан Олимпии Ҷумҳурии", - "Done.": "Анҷом.", - "Download": "Download", - "Download Receipt": "Download Receipt", "E-Mail Address": "Суроғаи почтаи электронӣ", - "Ecuador": "Эквадор", - "Edit": "Таҳрир", - "Edit :resource": "Правка :resource", - "Edit Attached": "Правка Замима", - "Editor": "Муҳаррири", - "Editor users have the ability to read, create, and update.": "Истифодабарандагони муњаррир доранд, имконияти хондан, эҷод ва навсозӣ.", - "Egypt": "Миср", - "El Salvador": "Наҷотдиҳанда", - "Email": "Почтаи электронӣ", - "Email Address": "суроғаи почтаи электронӣ", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Пайванд Барои Рамз бозгашт ба Почтаи электронӣ", - "Enable": "Даргиронидани", - "Ensure your account is using a long, random password to stay secure.": "Боварӣ ҳосил кунед, ки ҳисоби худро истифода мебарад, дароз random рамз, ба бехатар мемонад.", - "Equatorial Guinea": "Экваториальная Гвинея", - "Eritrea": "Эритрея", - "Estonia": "Estonia", - "Ethiopia": "Эфиопия", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Барои коркарди шумо пардохт талаб иловагӣ тасдиқи. Лутфан, тасдиқ кунед пардохт, пур биллинг дар поен.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Барои коркарди шумо пардохт талаб иловагӣ тасдиқи. Лутфан мурур ба саҳифаи пардохт, ба воситаи ангуштзании тугмаи поен.", - "Falkland Islands (Malvinas)": "Фолклендские (Мальвинские) ҷазираҳои)", - "Faroe Islands": "Фарерские ҷазираҳои", - "February": "Феврал", - "Fiji": "Фиджи", - "Finland": "Финляндия", - "For your security, please confirm your password to continue.": "Барои бехатарии худ, лутфан, тасдиқ гузарвожаи худро барои идома додан.", "Forbidden": "Запрещенный", - "Force Delete": "Маҷбуран uninstall", - "Force Delete Resource": "Маҷбуран рафъ захираҳо", - "Force Delete Selected": "Маҷбуран Рафъ Интихобшуда", - "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.": "Фаромӯш гузарвожаи худро? Бе мушкилӣ. Танҳо ба мо хабар ба суроғаи почтаи электронӣ худро дар, ва мо ирсол шумо пайванд барои рамз бозгашт, ки имкон медиҳад ба шумо интихоб кардани як нав.", - "France": "Фаронса", - "French Guiana": "Zijin Дар Гвиана", - "French Polynesia": "Ифтитоҳи Нахустин Полинезия", - "French Southern Territories": "Имзои Южные қаламрави", - "Full name": "Номи пурра", - "Gabon": "Габон", - "Gambia": "Гамбия", - "Georgia": "Гурҷистон", - "Germany": "Олмон", - "Ghana": "Гана", - "Gibraltar": "Гибралтар", - "Go back": "Бозгашт", - "Go Home": "рафта ба хона", "Go to page :page": "Бирав ба саҳифаи :page", - "Great! You have accepted the invitation to join the :team team.": "Аъло! Шумо ғамхорӣ даъват ҳамроҳ дастаи :team.", - "Greece": "Юнон", - "Greenland": "Гренландия", - "Grenada": "Гренада", - "Guadeloupe": "Гваделупа", - "Guam": "Гуам", - "Guatemala": "Гватемала", - "Guernsey": "Гернси", - "Guinea": "Гвинея", - "Guinea-Bissau": "Гвинея-Бисау", - "Guyana": "Гайана", - "Haiti": "Гаити", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Ҷазираҳои Херд ва Макдональд", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Салом!", - "Hide Content": "Пинҳон content", - "Hold Up!": "- Погоди!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Гондурас", - "Hong Kong": "Гонконг", - "Hungary": "Маҷористон", - "I agree to the :terms_of_service and :privacy_policy": "Ман розӣ ба :terms_of_service ва :privacy_policy", - "Iceland": "Исландия", - "ID": "ID", - "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 logout 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 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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Агар шумо душворӣ бо пахшкунии тугмаи \":actionText\", нусхабардорӣ ва хамираи URL-суроғаи дар поен\nдар худ, ки ба веб-браузер:", - "Increase": "Афзоиши", - "India": "Ҳиндустон", - "Indonesia": "Индонезия", "Invalid signature.": "Неверная сарлавҳа.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Эрон", - "Iraq": "Ироқ", - "Ireland": "Ирландия", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Ҷазираи Садри", - "Israel": "Исроил", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Италия", - "Jamaica": "Ямайка", - "January": "Январ", - "Japan": "Ҷопон", - "Jersey": "Jersey", - "Jordan": "Урдун", - "July": "Июл", - "June": "Июн", - "Kazakhstan": "Қазоқистон", - "Kenya": "Кения", - "Key": "Калиди", - "Kiribati": "Кирибати", - "Korea": "Кореяи Ҷанубӣ", - "Korea, Democratic People's Republic of": "Кореяи Шимолӣ", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Косово", - "Kuwait": "Кувайт", - "Kyrgyzstan": "Қирғизистон", - "Lao People's Democratic Republic": "Лаос", - "Last active": "Охир фаъол", - "Last used": "Охирин маротиба мавриди истифода қарор дода шуд", - "Latvia": "Латвия", - "Leave": "Тарк дастгоҳи", - "Leave Team": "Тарк дастаи", - "Lebanon": "Лубнон", - "Lens": "Линзаи", - "Lesotho": "Лесото", - "Liberia": "Либерия", - "Libyan Arab Jamahiriya": "Ливия", - "Liechtenstein": "Лихтенштейн", - "Lithuania": "Литва", - "Load :perPage More": "Дарефти боз :per Саҳифа", - "Log in": "Авторизоваться", "Log out": "Берун аз низоми", - "Log Out": "берун аз низоми", - "Log Out Other Browser Sessions": "Берун Аз Дигар Сеанс Браузери", - "Login": "Авторизоваться", - "Logout": "Баромадан аз системаи", "Logout Other Browser Sessions": "Баромадан Аз Дигар Сеанс Браузери", - "Luxembourg": "Luxembourg", - "Macao": "Макао", - "Macedonia": "Шимолӣ Македония", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Мадагаскар", - "Malawi": "Малави", - "Malaysia": "Малайзия", - "Maldives": "Малдив", - "Mali": "Хурд", - "Malta": "Мальта", - "Manage Account": "Идоракунии ҳисоб едатон", - "Manage and log out your active sessions on other browsers and devices.": "Управляйте фаъоли сеансами ва баромадан аз онҳо дар дигар браузерах ва дастгоҳҳои.", "Manage and logout your active sessions on other browsers and devices.": "Управляйте фаъоли сеансами ва баромадан аз онҳо дар дигар браузерах ва дастгоҳҳои.", - "Manage API Tokens": "Идоракунии токенами API", - "Manage Role": "Идоракунии ролью", - "Manage Team": "Идоракунии дастаи", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Март", - "Marshall Islands": "Ҷазираҳои маршал", - "Martinique": "Мартиника", - "Mauritania": "Мавритания", - "Mauritius": "Маврикий", - "May": "Май", - "Mayotte": "Майотт", - "Mexico": "Мексика", - "Micronesia, Federated States Of": "Микронезия", - "Moldova": "Молдова", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Монако", - "Mongolia": "Монголия", - "Montenegro": "Черногория", - "Month To Date": "Як Моҳ Пеш Ҳамин Вақт", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Монтсеррат", - "Morocco": "Марокаш", - "Mozambique": "Мозамбик", - "Myanmar": "Мянма", - "Name": "Ном", - "Namibia": "Намибия", - "Nauru": "Науру", - "Nepal": "Непал", - "Netherlands": "Нидерланд", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "На берите дар сари", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Нав", - "New :resource": "Нав :resource", - "New Caledonia": "Нав Каледония", - "New Password": "Пароли нав", - "New Zealand": "Зеландияи Нав", - "Next": "Баъдӣ", - "Nicaragua": "Никарагуа", - "Niger": "Нигер", - "Nigeria": "Нигерия", - "Niue": "Ниуэ", - "No": "Не", - "No :resource matched the given criteria.": "№ :resource соответствовал заданным мешаванд.", - "No additional information...": "Ягон маълумоти иловагӣ...", - "No Current Data": "Не Ҷорӣ Маълумот", - "No Data": "Нест, Маълумот Дар", - "no file selected": "файл на интихоб", - "No Increase": "Ягон Афзоиши", - "No Prior Data": "Ягон Натиҷаҳои Пешакии Маълумот", - "No Results Found.": "Ягон Натиҷаҳои Нест Дарефт.", - "Norfolk Island": "Ҷазираи Норфолк", - "Northern Mariana Islands": "Северные Марианские ҷазираҳои", - "Norway": "Норвегия", "Not Found": "ое дарефт", - "Nova User": "Корбар Нова", - "November": "Ноябр", - "October": "Oct", - "of": "аз", "Oh no": "Дар бораи не", - "Oman": "Умон", - "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 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 Trashed": "Танҳо Разгромили", - "Original": "Аслии", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Page Просрочена", "Pagination Navigation": "Дар новбари аст, ки бо страницам", - "Pakistan": "Покистон", - "Palau": "Палау", - "Palestinian Territory, Occupied": "Палестинские қаламрави", - "Panama": "Панама", - "Papua New Guinea": "Папуа-Нав Гвинея", - "Paraguay": "Парагвай", - "Password": "Рамз", - "Pay :amount": "Плати :amount", - "Payment Cancelled": "Пардохти Отменена", - "Payment Confirmation": "Тасдиқи пардохт", - "Payment Information": "Payment Information", - "Payment Successful": "Пардохти Сипарӣ Бомуваффақият", - "Pending Team Invitations": "Интизорӣ Даъватномаҳо Дастаи", - "Per Page": "Ба Саҳифаи", - "Permanently delete this team.": "То абад тоза ин дастаи.", - "Permanently delete your account.": "То абад тоза худро ба ҳисоби шумо.", - "Permissions": "Иҷозат", - "Peru": "Перу", - "Philippines": "Филиппин", - "Photo": "Расмҳои", - "Pitcairn": "Ҷазираҳои Питкэрн", "Please click the button below to verify your email address.": "Лутфан ба тугмаи поен барои тасдиқ суроғаи почтаи электронӣ шумо.", - "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 your password before continuing.": "Лутфан, тасдиқ кунед, рамз, пеш аз давом додан.", - "Please copy your new API token. For your security, it won't be shown again.": "Лутфан copy нави худ токен API. Барои бехатарии худ аз ӯ бештар хоҳад буд, нишон дода шудааст.", - "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 logout of your other browser sessions across all of your devices.": "Лутфан, лутфан гузарвожаи худро, то тасдиқ, ки шумо мехоҳед, ки ба берун аз дигар сеанс браузер дар ҳамаи дастгоҳҳои шумо.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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. The email address must be associated with an existing account.": "Лутфан, муайян намудани суроғаи почтаи электронӣ, ки шахсе, ки шумо мехоҳам илова ба ин дастаи. Суроғаи почтаи электронӣ бояд вобаста ба мавҷуда ҳисоби едатон.", - "Please provide your name.": "Лутфан номбар кунед номи худ.", - "Poland": "Полша", - "Portugal": "Португалия", - "Press \/ to search": "Пахш кунед \/ барои ҷустуҷӯ", - "Preview": "Пешнамоиш", - "Previous": "Previous", - "Privacy Policy": "сиесати корбурди маълумоти шахсӣ", - "Profile": "Профили", - "Profile Information": "Маълумот дар бораи профили", - "Puerto Rico": "Пуэрто-Рико", - "Qatar": "Qatar", - "Quarter To Date": "Семоҳаи I-Уми То Ҳамин Вақт", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Барқарор намудани рамз", "Regards": "Бо эҳтиром", - "Regenerate Recovery Codes": "Регенератсияи кислота рамзҳои Барқарорсозии", - "Register": "Қайд", - "Reload": "Жой", - "Remember me": "Зиннатҳои ман", - "Remember Me": "Зиннатҳои Ман", - "Remove": "Тоза", - "Remove Photo": "Чӣ Тавр Ба Хориҷ Акс", - "Remove Team Member": "Чӣ Тавр Ба Хориҷ Узви Дастаи", - "Resend Verification Email": "Такрорӣ Фиристодани Мактубҳои Проверочного", - "Reset Filters": "Барои аз нав танзимкунии филтри", - "Reset Password": "рамз бозгашт", - "Reset Password Notification": "Огоҳинома дар бораи Сбросе Рамз", - "resource": "захираҳо", - "Resources": "Захираҳои", - "resources": "захираҳои", - "Restore": "Восстанавливать", - "Restore Resource": "Барқарор кардани захираҳо", - "Restore Selected": "Барқарор Интихоб", "results": "натиҷаҳои", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Реюньон", - "Role": "Нақши", - "Romania": "Руминия", - "Run Action": "Анҷом додани амали", - "Russian Federation": "Федератсияи Русия", - "Rwanda": "Руанда", - "Réunion": "Réunion", - "Saint Barthelemy": "Муқаддас Варфоломей", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Ҷазираи Муқаддас Елены", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "Сент-Китс ва Невис", - "Saint Lucia": "Сент-Люсия", - "Saint Martin": "Муқаддас Мартин", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "Сен-Пйер ва Микелон", - "Saint Vincent And Grenadines": "Сент-Винсент и Гренадины", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Самоа", - "San Marino": "Сан-Марино", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "Сан-Томе ва Принсипи", - "Saudi Arabia": "Арабистони Саудӣ", - "Save": "Нигоҳ", - "Saved.": "Сохраненный.", - "Search": "Ҷустуҷӯи", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Интихоб Нав Акс", - "Select Action": "Амал Интихоб Кунед", - "Select All": "интихоб кардани ҳамаи", - "Select All Matching": "Ро Интихоб Кунед, Ҳамаи Совпадающие", - "Send Password Reset Link": "Ирсоли Пайванди Рамз Бозгашт", - "Senegal": "Сенегал", - "September": "September", - "Serbia": "Сербия", "Server Error": "Хатои сервер", "Service Unavailable": "Хизматрасонии Недоступна", - "Seychelles": "Сейшельские ҷазираҳои", - "Show All Fields": "Нишон Додани Ҳамаи Соҳаи", - "Show Content": "Нишон content", - "Show Recovery Codes": "Нишон Cheats Барқарорсозии", "Showing": "Намоиши", - "Sierra Leone": "Сиерра-Леоне", - "Signed in as": "Signed in as", - "Singapore": "Сингапур", - "Sint Maarten (Dutch part)": "Синт Мартен", - "Slovakia": "Словакия", - "Slovenia": "Словения-шикастани ба зинаи", - "Solomon Islands": "Соломоновы ҷазираҳои", - "Somalia": "Сомалӣ", - "Something went wrong.": "Чизе вайрон шудааст.", - "Sorry! You are not authorized to perform this action.": "Бубахш! Шумо барои назорат бурдан ба иҷрои ин амал.", - "Sorry, your session has expired.": "Бубахшед, шумо сеанс гузаштааст.", - "South Africa": "Африқои Ҷанубӣ", - "South Georgia And Sandwich Isl.": "Ҷанубӣ Георгия ва Южные Сандвичевы ҷазираҳои", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Southern Судан", - "Spain": "Испания", - "Sri Lanka": "Шри-Ланка", - "Start Polling": "Оғози пурсиш", - "State \/ County": "State \/ County", - "Stop Polling": "Бас пурсиш", - "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.": "Нигоҳ ин рамзҳои барқарорсозии дар бехатар менеджере паролей. Онҳо метавонад истифода шавад барои барқарор намудани дастрасӣ ба аккаунти шумо, агар шумо, ки дастгоҳ двухфакторной тасдиқ намудани нусхаи аслӣ медиҳад.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Судан", - "Suriname": "Узбакистон", - "Svalbard And Jan Mayen": "Шпицберген ва Ian-Майен", - "Swaziland": "Eswatini", - "Sweden": "Шветсия", - "Switch Teams": "Хомӯш дастаҳои", - "Switzerland": "Швейтсария", - "Syrian Arab Republic": "Сурия", - "Taiwan": "Тайван", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Тоҷикистон", - "Tanzania": "Танзания", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Тафсилоти дастаи", - "Team Invitation": "Даъват ба дастаи", - "Team Members": "Аъзои дастаи", - "Team Name": "Номи дастаи", - "Team Owner": "Соҳиби дастаи", - "Team Settings": "Танзимоти дастаи", - "Terms of Service": "шартҳои хизматрасонӣ", - "Thailand": "Таиланд", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute бояд ҳақиқии ролью.", - "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 and 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 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 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.": "Рақами :attribute бояд дорои на камтар аз :length аломат.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource офарида шудааст!", - "The :resource was deleted!": ":resource буд файлҳои!", - "The :resource was restored!": ":resource-ум буд, барқарор намояд!", - "The :resource was updated!": ":resource-ум буд, аз нав!", - "The action ran successfully!": "Аксияи роҳбари бомуваффақият!", - "The file was deleted!": "Файл буд файлҳои!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Ҳукумат имкон медиҳад, ки мо ба шумо биемузад, ки чӣ аст, дар ин дверями", - "The HasOne relationship has already been filled.": "Муносибатҳои hasOne аллакай сер.", - "The payment was successful.": "Пардохти сипарӣ бомуваффақият.", - "The provided coupon code is invalid.": "The provided coupon code is 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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Захираи буд updated!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Номи даста ва маълумот дар бораи владельце.", - "There are no available options for this resource.": "Барои ин хизматрасонӣ не имконоти дастрас.", - "There was a problem executing the action.": "Ба миен омадааст, ки масъалаи иҷрои амали.", - "There was a problem submitting the form.": "Ба миен омадааст, ки масъалаи бо пешниҳоди шакли.", - "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.": "Ин одамон даъват шуда буданд, дар худ дастаи ва дорем, ки даъват ба воситаи почтаи электронӣ. Онҳо метавонанд ҳамроҳ ба дастаи, тадбирҳои даъват ба воситаи почтаи электронӣ.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Ин амал аст несанкционированным.", - "This device": "Ин дастгоҳ", - "This file field is read-only.": "Ин соҳа файл дастрас аст, танҳо барои хондан аст.", - "This image": "Ин тарзи", - "This is a secure area of the application. Please confirm your password before continuing.": "Ин бехатар область барномаҳо. Лутфан, тасдиқ кунед, рамз, пеш аз давом додан.", - "This password does not match our records.": "Ин рамз на мувофиқ ба мо записями.", "This password reset link will expire in :count minutes.": "Ин маълумотнома барои рамз бозгашт ба мурур тавассути :count дақиқа.", - "This payment was already successfully confirmed.": "Ин аллакай пардохт шуда буд, бомуваффақият подтвержден.", - "This payment was cancelled.": "Ин пардохт бекор карда шуд.", - "This resource no longer exists": "Ин захираҳо бештар вуҷуд надорад", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Ин истифодабаранда аллакай аз они дастаи.", - "This user has already been invited to the team.": "Ин истифодабаранда аллакай приглашен дар дастаи.", - "Timor-Leste": "Тимор-Лешти", "to": "ба", - "Today": "Имрӯз", "Toggle navigation": "Хомӯш раҳебӣ бирав", - "Togo": "Аз он", - "Tokelau": "Токелау", - "Token Name": "Ном токена", - "Tonga": "Бие", "Too Many Attempts.": "Аз Ҳад Зиед Мекӯшад.", "Too Many Requests": "Аз Ҳад Зиед Дархости", - "total": "тамоми", - "Total:": "Total:", - "Trashed": "Разгромлен", - "Trinidad And Tobago": "Тринидад ва Тобаго", - "Tunisia": "Тунис", - "Turkey": "Мурғи марҷон", - "Turkmenistan": "Туркманистон", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Ҷазираҳои Теркс ва Кайкос", - "Tuvalu": "Тувалу", - "Two Factor Authentication": "Двухфакторная, шумо бояд ворид шавед", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Акнун фаъол карда мешавад двухфакторная, шумо бояд ворид шавед. Отсканируйте баъдӣ QR кодекс бо истифода аз барномаҳои authenticator телефони шумо.", - "Uganda": "Уганда", - "Ukraine": "Украина", "Unauthorized": "Неавторизованный", - "United Arab Emirates": "Аморати Муттаҳидаи Араб", - "United Kingdom": "Объединенное Салтанат", - "United States": "Иелоти Муттаҳидаи Амрико", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "Отдаленные ҷазираҳои ИМА", - "Update": "Навсозии", - "Update & Continue Editing": "Таҷдид ва Идомаи Таҳриркунӣ", - "Update :resource": "Навсозии :resource", - "Update :resource: :title": "Навсозии :resource: :title", - "Update attached :resource: :title": "Навсозии замима :resource: :title", - "Update Password": "Навсозӣ рамз", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Навсозии маълумоти профили ҳисоби худ ва суроғаи почтаи электронӣ.", - "Uruguay": "Уругвай", - "Use a recovery code": "Истифода рамзи барқарорсозии", - "Use an authentication code": "Истифода рамзи тасдиқ намудани нусхаи аслӣ", - "Uzbekistan": "Ўзбекистон", - "Value": "Арзиши", - "Vanuatu": "Вануату", - "VAT Number": "VAT Number", - "Venezuela": "Венесуэла", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Санҷед, Суроғаи Почтаи Электронӣ", "Verify Your Email Address": "Санҷед, Суроғаи Почтаи Электронӣ", - "Viet Nam": "Vietnam", - "View": "Watch", - "Virgin Islands, British": "Ҷазираҳои виргинияи британия", - "Virgin Islands, U.S.": "Виргинские ҷазираҳои ИМА", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Уоллис ва Футуна", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Мо нашуд пайдо гирифташуда истифодабаранда бо ин суроғаи почтаи электронӣ.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Мо дархости худро рамз боз дар давоми якчанд соат.", - "We're lost in space. The page you were trying to view does not exist.": "Мо потерялись дар фазо. Саҳифа, ки шумо кӯшиш ба дидани, вуҷуд надорад.", - "Welcome Back!": "Бо Бозгашти!", - "Western Sahara": "Западная Сахара", - "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 телефони шумо.", - "Whoops": "Упс", - "Whoops!": "Упс!", - "Whoops! Something went wrong.": "Упс! Чизе вайрон шудааст.", - "With Trashed": "Бо Разгромленным", - "Write": "Навиштани", - "Year To Date": "Сол То Ҳамин Вақт", - "Yearly": "Yearly", - "Yemen": "Яман", - "Yes": "Ҳа", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Шумо дар сомона дар системаи!", - "You are receiving this email because we received a password reset request for your account.": "Шумо ба он даст ба ин нома, зеро ки мо дорем, дархости рамз бозгашт барои аккаунти шумо.", - "You have been invited to join the :team team!": "Шумо даъватшудаи ҳамроҳ дастаи :team!", - "You have enabled two factor authentication.": "Шумо дохил двухфакторную аутентификацию.", - "You have not enabled two factor authentication.": "Шумо дохил двухфакторную аутентификацию.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.": "Шумо наметавонед тарк сохтааст дастаи шумо.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Почтаи электронии шумо аст проверен.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Замбия", - "Zimbabwe": "Зимбабве", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Почтаи электронии шумо аст проверен." } diff --git a/locales/th/packages/cashier.json b/locales/th/packages/cashier.json new file mode 100644 index 00000000000..3c745d3f499 --- /dev/null +++ b/locales/th/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "ทั้งลิขสิทธิ์ซักคนในนี้มั้ย", + "Card": "การ์ด", + "Confirm Payment": "ยืนยันการจ่ายเงิน", + "Confirm your :amount payment": "ยืนยันของคุณ :amount จ่ายเงิน", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "เพิ่มการยืนยันคือต้องการให้โพรเซสของคุณค่าตอบแทน? ได้โปรดยืนยันการจ่ายเงินคุณโดยเติมข้อของคุณจ่ายเงินรายละเอียดด้านล่างนี้", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "เพิ่มการยืนยันคือต้องการให้โพรเซสของคุณค่าตอบแทน? ได้โปรดต่อไปเพื่อจ่ายหน้าโดยการคลิกที่ปุ่มด้านล่างนี้", + "Full name": "ชื่อเต็ม", + "Go back": "กลับไป", + "Jane Doe": "Jane Doe", + "Pay :amount": "จ่าย :amount", + "Payment Cancelled": "ค่าจ้างถูกยกเลิก", + "Payment Confirmation": "ค่าจ้างรับการยืนยัน", + "Payment Successful": "จ่ายเงินสำเร็จ", + "Please provide your name.": "โปรดกำหนดชื่อของคุณ", + "The payment was successful.": "จ่ายเป็นคนที่ประสบผลสำเร็จเลย", + "This payment was already successfully confirmed.": "นี่จ่ายเงินแล้วเรียบร้อยแล้ยืนยันแล้ว", + "This payment was cancelled.": "นี่เงินถูกยกเลิกแล้ว" +} diff --git a/locales/th/packages/fortify.json b/locales/th/packages/fortify.json new file mode 100644 index 00000000000..9dc5cfb98a1 --- /dev/null +++ b/locales/th/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 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 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.": "ที่ :attribute ต้องเป็นอย่างน้อย :length ตัวอักษร", + "The provided password does not match your current password.": "ที่เตรียมไว้ให้ด้านล่างรหัสผ่านไม่ตรงกับของคุณปัจจุบันรหัสผ่าน", + "The provided password was incorrect.": "ที่เตรียมไว้ให้ด้านล่างรหัสผ่านไม่ถูกต้อง", + "The provided two factor authentication code was invalid.": "ที่เตรียมไว้ให้ด้านล่างสองคนปัจจัการตรวจสอบสิทธิ์ของรหัสเป็นไม่ถูกต้อง" +} diff --git a/locales/th/packages/jetstream.json b/locales/th/packages/jetstream.json new file mode 100644 index 00000000000..b9abd448dfb --- /dev/null +++ b/locales/th/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "ใหม่ปลายทางเชื่อมโยงถูกส่งไปที่อยู่อีเมลที่คุณให้ตอบทะเบียนรถด้วย.", + "Accept Invitation": "ยอมรับการเชื้อเชิญ", + "Add": "เพิ่ม", + "Add a new team member to your team, allowing them to collaborate with you.": "เพิ่มเป็นสมาชิกทีมคนใหม่ของทีมยอมให้พวกเขาให้ความร่วมมือกับคุณ", + "Add additional security to your account using two factor authentication.": "เพิ่มนามสกุลเพิ่มเติมเพื่อบัญชีของคุณใช้สองคนปัจจัการตรวจสอบสิทธิ์โปรด", + "Add Team Member": "เพิ่มสมาชิกทีม", + "Added.": "เพิ่มเติม", + "Administrator": "ผู้ดูแลระบบ", + "Administrator users can perform any action.": "ผู้ดูแลระบบผู้ใช้สามารถแสดงการกระทำที่เป็นการบุกรุก.", + "All of the people that are part of this team.": "ทั้งหมดของคนนั่นเป็นส่วนหนึ่งของทีมนี้", + "Already registered?": "แล้วจดทะเบียน?", + "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 สัญลักษณ์อนุญาตให้คนที่สาม-งานปาร์ตี้บริการทำการตรวจสอบสิทธิ์ของโปรแกรมในนามของคุณให้แล้วกันนะ", + "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 delete this API token?": "คุณแน่ใจหรือว่าคุณจะชอบแบบอักษรเพื่อทำการลบนี้รูปแบบ api ตั๋วเข้าใช้งาน?", + "Are you sure you would like to leave this team?": "คุณแน่ใจหรือว่าคุณอยากจะออกไปจากทีม?", + "Are you sure you would like to remove this person from the team?": "คุณแน่ใจหรือว่าคุณอยากจะลบคนคนนี้ออกจากทีม?", + "Browser Sessions": "เบราว์เซอร์วาระการใช้งาน@Action:Inmenu Go", + "Cancel": "ยกเลิก", + "Close": "ปิด", + "Code": "รหัส", + "Confirm": "ยืนยัน", + "Confirm Password": "ยืนยันรหัสผ่าน", + "Create": "สร้าง", + "Create a new team to collaborate with others on projects.": "สร้างทีมใหม่ของให้ความร่วมมือกับคนอื่นในโครงการของ.", + "Create Account": "สร้างบัญชีผู้ใช้", + "Create API Token": "สร้างรูปแบบ api ตั๋วเข้าใช้งาน", + "Create New Team": "สร้างใหม่ของทีม", + "Create Team": "สร้างทีม", + "Created.": "สร้างขึ้นมา", + "Current Password": "รหัสผ่านปัจจุบัน", + "Dashboard": "แดชบอร์ด", + "Delete": "ลบ", + "Delete Account": "ลบบัญชีผู้ใช้", + "Delete API Token": "ลบรูปแบบ api ตั๋วเข้าใช้งาน", + "Delete Team": "ลบออกทีม", + "Disable": "ปิดการใช้งาน", + "Done.": "เสร็จแล้ว", + "Editor": "เครื่องมือแก้ไข", + "Editor users have the ability to read, create, and update.": "เครื่องมือแก้ไขผู้ใช้มีความสามารถที่จะอ่านหนังสือสร้างและปรับปรุง", + "Email": "อีเมล", + "Email Password Reset Link": "รหัสผ่านอีเมลปรับค่าเชื่อมโยง", + "Enable": "เปิดใช้งาน", + "Ensure your account is using a long, random password to stay secure.": "ให้แน่ใจว่าบัญชีของคุณคือการใช้ยาวมากสุ่มรหัสผ่านที่อยู่ปลอดภัย", + "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.": "ลืมรหัสผ่านของคุณ? ไม่มีปัญหา แค่ปล่อยให้พวกเรารู้ที่อยู่อีเมลของคุณและเราจะส่งอีเมลคุณตั้งค่ารหัสผ่านเชื่อมโยงที่จะทำให้คุณต้องเลือกใหม่หนึ่ง", + "Great! You have accepted the invitation to join the :team team.": "เยี่ยม! คุณต้องยอมรับการเชื้อเชิญเข้าร่วมขบวนการ :team ทีม", + "I agree to the :terms_of_service and :privacy_policy": "ฉันเห็นด้วยกั :terms_of_service และ :privacy_policy", + "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.": "ถ้าจำเป็นคุณอาจจะออกจากระบบของทั้งหมดของคุณอีกเบราว์เซอร์วาระการใช้งานอีกฝั่งของคุณทั้งหมดอุปกรณ์. บางอย่างที่นายเพิ่งกลุ่มงานชื่อด้านล่างนี้อย่างไรก็ตามองรายการนี้อาจจะไม่ exhaustive. ถ้าคุณรู้สึกบัญชีของคุณมีอยู่ในอันตรายคุณควรจะปรับปรุงรหัสผ่านของคุณ.", + "If you already have an account, you may accept this invitation by clicking the button below:": "ถ้าคุณจะทำไปเรียบร้อยแล้วบัญชีไว้บัญชีนึงคุณอาจจะยอมรับการเชื้อเชิญนี้ได้โดยการคลิกที่ปุ่มด้านล่าง:", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "ถ้าคุณยังไม่มีบัญชีไว้บัญชีนึงคุณอาจจะสร้างหนึ่งโดยการคลิกที่ปุ่มด้านล่างนี้ หลังจากการสร้างบัญชีไว้บัญชีนึงคุณอาจจะอคลิกที่การเชื้อเชิญการยอมรับปุ่มนี้ทางอีเมลเพื่อยอมรับการเชิญเข้าร่วมทีม:", + "Last active": "สุดท้ายที่ทำงานอยู่", + "Last used": "ใช้มันครั้งสุดท้าย", + "Leave": "ทิ้ง", + "Leave Team": "ทิ้งทีม", + "Log in": "ปูมบันทึกอยู่ใน", + "Log Out": "ปูมบันทึกออกไป", + "Log Out Other Browser Sessions": "ปูมบันทึกออกไปอีกเบราว์เซอร์วาระการใช้งาน@Action:Inmenu Go", + "Manage Account": "จัดการบัญชีผู้ใช้", + "Manage and log out your active sessions on other browsers and devices.": "จัดการและออกจากระบบของวาระงานที่ใช้งานอยู่บนอื่น browsers และอุปกรณ์.", + "Manage API Tokens": "จัดการรูปแบบ api สัญลักษณ์", + "Manage Role": "จัดการบทบาท", + "Manage Team": "จัดการทีม", + "Name": "ชื่อ", + "New Password": "รหัสผ่านใหม่", + "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 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.": "เมื่อบัญชีของคุณคือกลบออกไป,ทั้งหมดของทรัพยากรและข้อมูลจะถูกลบออกไปอย่างถาวร. ก่อนจะทำการลบบัญชีของคุณได้โปรดดาวน์โหลดข้อมูลหรือข้อมูลที่คุณต้องจ้าง.", + "Password": "รหัสผ่าน", + "Pending Team Invitations": "ค้างคาวมทีมการเชื้อเชิญ", + "Permanently delete this team.": "อย่างถาวรลบทีมนี้", + "Permanently delete your account.": "อย่างถาวรลบบัญชีของคุณ.", + "Permissions": "สิทธิ์ที่อนุญาต", + "Photo": "ภาพถ่าย", + "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 copy your new API token. For your security, it won't be shown again.": "ได้โปรดคัดลอกใหม่ของคุณรูปแบบ api ตั๋วเข้าใช้งาน. สำหรับมรปภ.ของคุณมันจะไม่ถูกแสดงอีกครั้ง", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "โปรดป้อนรหัสผ่านของคุณเพื่อยืนยันคุณอยากจะออกจากระบบของของคุณอีกเบราว์เซอร์วาระการใช้งานอีกฝั่งของคุณทั้งหมดอุปกรณ์.", + "Please provide the email address of the person you would like to add to this team.": "โปรดกำหนดที่อยู่อีเมลของคนที่คุณอยากจะเพิ่มไปยังทีมนี้", + "Privacy Policy": "ข้อกำหนดความเป็นส่วนตัว", + "Profile": "โพรไฟล์", + "Profile Information": "โพรไฟล์ข้อมูล", + "Recovery Code": "การรักษารหัส", + "Regenerate Recovery Codes": "Regenerate หารหัส", + "Register": "สมัครสมาชิก", + "Remember me": "จำฉันได้ไหม", + "Remove": "ลบ", + "Remove Photo": "ลบรูปภาพ", + "Remove Team Member": "ลบสมาชิกทีม", + "Resend Verification Email": "ส่งอีกครั้งปลายทางอีเมล", + "Reset Password": "รีเซตรหัสผ่าน", + "Role": "บทบาท", + "Save": "บันทึก", + "Saved.": "ปลอดภัย", + "Select A New Photo": "เลือกภาพถ่ายใหม่", + "Show Recovery Codes": "แสดงการรักษารหัส", + "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.": "ร้านขายพวกนี้รักษารหัสในความปลอดภัยไว้ซึ่งรหัสผ่านผู้จัดการ พวกเขาสามารถถูกใช้เพื่อฟื้นตัวจากการเจ็บป่เข้าถึงบัญชีของคุณถ้าคุณสองคนปัจจัการตรวจสอบสิทธิ์ของอุปกรณ์กำลังเสียฐานที่มั่นซึริบาชิ", + "Switch Teams": "เปลี่ยนทีม", + "Team Details": "ทีมรายละเอียด", + "Team Invitation": "ทีมการเชื้อเชิญ", + "Team Members": "สมาชิกทีม", + "Team Name": "ชื่อของทีม", + "Team Owner": "เจ้าของทีม", + "Team Settings": "ทีมการตั้งค่า", + "Terms of Service": "เงื่อนไขของบริการ", + "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 a valid role.": "ที่ :attribute ต้องเป็นที่ถูกต้องบทก่อน", + "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 and 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 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 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.": "ที่ :attribute ต้องเป็นอย่างน้อย :length ตัวอักษร", + "The provided password does not match your current password.": "ที่เตรียมไว้ให้ด้านล่างรหัสผ่านไม่ตรงกับของคุณปัจจุบันรหัสผ่าน", + "The provided password was incorrect.": "ที่เตรียมไว้ให้ด้านล่างรหัสผ่านไม่ถูกต้อง", + "The provided two factor authentication code was invalid.": "ที่เตรียมไว้ให้ด้านล่างสองคนปัจจัการตรวจสอบสิทธิ์ของรหัสเป็นไม่ถูกต้อง", + "The team's name and owner information.": "ทีมขอชื่อเจ้าของข้อมูล", + "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.": "คนพวกนี้ได้ถูกเชิญของทีมและส่งการเชื้อเชิญส่งเมล พวกเขาอาจจะเข้าร่วมกับทีมด้วยการยอมรับทางการเชื้อเชิญผ่านทางอีเมล.", + "This device": "อุปกรณ์นี้", + "This is a secure area of the application. Please confirm your password before continuing.": "นี่เป็นพื้นที่ปลอดภัยของการทำงานของโปรแกรม ได้โปรดยืนยันรหัสผ่านของคุณก่อนต่อ.", + "This password does not match our records.": "นี่รหัสผ่านไม่ตรงกับบันทึกของเรา", + "This user already belongs to the team.": "นี่ของผู้ใช้แล้วเป็นของทีม", + "This user has already been invited to the team.": "นี่ของผู้ใช้คนเพิ่งถูกเชิญไปเข้าร่วมกับองทีม", + "Token Name": "ชื่อขอตั๋วเข้าใช้งาน", + "Two Factor Authentication": "สองคนปัจจัการตรวจสอบสิทธิ์", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "สองคนปัจจัการตรวจสอบสิทธิ์ตอนนี้เปิดการทำงาน ตรวจค้นคลังตาม QR รหัสโดยใช้โทรศัพท์ของคุณเป็นอีกด้วรทำงานของโปรแกรม", + "Update Password": "ปรับปรุงรหัสผ่าน", + "Update your account's profile information and email address.": "ปรับปรุงบัญชีของคุณคือโพรไฟล์ข้อมูลและที่อยู่อีเมล.", + "Use a recovery code": "ใช้การรักษารหัส", + "Use an authentication code": "ใช้การตรวจสอบสิทธิ์ของรหัส", + "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.": "เมื่อสองคนปัจจักเปิดใช้ตัวเลือกการตรวจสอบสิทธิ์ของคุณจะถูกถามสำหรับความปลอดภัยแบบสุ่มตั๋วเข้าใช้งานระหว่างการตรวจสอบสิทธิ์โปรด คุณอาจจะดึงข้อมูนี้ตั๋วเข้าใช้งานจากโทรศัพท์ของคุณเป็นของกูเกิ้ลอีกด้วรทำงานของโปรแกรม", + "Whoops! Something went wrong.": "ฉันหวังว่าพวกเธอจะแก้ไขเรื่! มีบางอย่างผิดพลาดเกิดขึ้น", + "You have been invited to join the :team team!": "คุณได้รับเชิญเข้าร่วม :team ทีม!", + "You have enabled two factor authentication.": "คุณต้องเปิดใช้งานสองคนปัจจัการตรวจสอบสิทธิ์โปรด", + "You have not enabled two factor authentication.": "คุณยังไม่ได้เปิดใช้งานสองคนปัจจัการตรวจสอบสิทธิ์โปรด", + "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.": "คุณอาจจะไม่ออกจากทีมว่าคุณสร้างขึ้นมา" +} diff --git a/locales/th/packages/nova.json b/locales/th/packages/nova.json new file mode 100644 index 00000000000..383c305b7d1 --- /dev/null +++ b/locales/th/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 วัน", + "60 Days": "60 วัน", + "90 Days": "90 วัน", + ":amount Total": ":amount ทั้งหมด", + ":resource Details": ":resource รายละเอียด", + ":resource Details: :title": ":resource รายละเอียด::title", + "Action": "การกระทำ", + "Action Happened At": "เกิดอะไรขึ้นที่", + "Action Initiated By": "เริ่มโดย", + "Action Name": "ชื่อ", + "Action Status": "สถานะ", + "Action Target": "เป้าหมาย", + "Actions": "การกระทำ", + "Add row": "เพิ่มแถว", + "Afghanistan": "อัฟกานิสถาน", + "Aland Islands": "หมู่เกาะอาลันด์ Name", + "Albania": "อัลเบเนีย name", + "Algeria": "พอร์ตอนุกรม", + "All resources loaded.": "ทั้งทรัพยากรงานหนักมากและไม่เคยหยุด", + "American Samoa": "อเมริกันซามัว Name", + "An error occured while uploading the file.": "เกิดข้อผิดพลาด occured ระหว่างอัพโหลดแฟ้มได้", + "Andorra": "แอนโดรา", + "Angola": "แองโกลา name", + "Anguilla": "แองกีลา name", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "ผู้ใช้อีกคนหนึ่งมีอัพเดทเรื่องทรัพยากรตั้งแต่หน้านี้เป็นงานหนักมากและไม่เคยหยุด ได้โปรดปรับปรุงหน้าแล้วลองใหม่อีกครั้ง", + "Antarctica": "แอนตาร์กติกา", + "Antigua And Barbuda": "อันทิกัวและบาร์บูดา name", + "April": "เอพริล", + "Are you sure you want to delete the selected resources?": "คุณแน่ใจหรือว่าคุณต้องการที่จะลบที่เลือกไว้แล้วเหรอครับ?", + "Are you sure you want to delete this file?": "คุณแน่ใจหรือว่าคุณต้องการจะลบแฟ้มนี้?", + "Are you sure you want to delete this resource?": "คุณแน่ใจหรือว่าคุณต้องการจะลบเรื่องทรัพยากรได้?", + "Are you sure you want to detach the selected resources?": "คุณแน่ใจหรือว่าต้องการที่จะยกเลิกแนบรางที่เลือกไว้แล้วเหรอครับ?", + "Are you sure you want to detach this resource?": "คุณแน่ใจหรือว่าต้องการที่จะยกเลิกแนบรางเรื่องทรัพยากรได้?", + "Are you sure you want to force delete the selected resources?": "คุณแน่ใจหรือว่าต้องการจะบังคับให้ลบที่เลือกไว้แล้วเหรอครับ?", + "Are you sure you want to force delete this resource?": "คุณแน่ใจหรือว่าต้องการจะบังคับให้ลบเรื่องทรัพยากรได้?", + "Are you sure you want to restore the selected resources?": "คุณแน่ใจหรือว่าต้องการจะเรียกคืนข้อมูลที่เลือกไว้แล้วเหรอครับ?", + "Are you sure you want to restore this resource?": "คุณแน่ใจหรือว่าต้องการจะลบทรัพยากร?", + "Are you sure you want to run this action?": "คุณแน่ใจนะว่าคุณต้องการประมวลผลการกระทำนี้?", + "Argentina": "อาร์เจนตินา", + "Armenia": "อาร์เมเนีย name", + "Aruba": "อรูบา name", + "Attach": "ให้แนบเป็นสิ่งที่แนบมาด้วย", + "Attach & Attach Another": "ให้แนบเป็นสิ่งที่แนบมาด้วย&ให้แนบเป็นสิ่งที่แนบมาด้วยอีก", + "Attach :resource": "ให้แนบเป็นสิ่งที่แนบมาด้วย :resource", + "August": "เดือนสิงหาคม", + "Australia": "ออสเตรเลีย", + "Austria": "ออสเตรีย name", + "Azerbaijan": "อาร์เซอร์ไบจัน name", + "Bahamas": "บาฮามา name", + "Bahrain": "บาห์เรน", + "Bangladesh": "บังคลาเทศ name", + "Barbados": "บาร์บาดอส", + "Belarus": "เบลารุส name", + "Belgium": "เบลเยียม name", + "Belize": "เบลไลซ์ name", + "Benin": "เบนิน name", + "Bermuda": "เบอร์มิวดา", + "Bhutan": "ภูฏาน name", + "Bolivia": "โบลิเวีย", + "Bonaire, Sint Eustatius and Saba": "Bonaire,Sint Eustatius และ Sábado", + "Bosnia And Herzegovina": "บอสเนียและเฮอร์เซโกวินา", + "Botswana": "บอทสวานา name", + "Bouvet Island": "เกาะบูเวท์", + "Brazil": "บราซิล", + "British Indian Ocean Territory": "ชาวอังกฤษอินเดียนมหาสมุทรบอกอาณาเขต", + "Brunei Darussalam": "Brunei", + "Bulgaria": "บัลแกเรีย name", + "Burkina Faso": "เบอร์กินาฟาโซ Name", + "Burundi": "บูรันดิ name", + "Cambodia": "สื่อข้อมูลของกล้อง", + "Cameroon": "คาเมรูน name", + "Canada": "แคนาดา", + "Cancel": "ยกเลิก", + "Cape Verde": "แหลมเวอร์ดี", + "Cayman Islands": "หมู่เกาะเคย์แมน", + "Central African Republic": "สาธารณรัฐอัฟริกากลาง", + "Chad": "แชด", + "Changes": "เปลี่ยนแปลง", + "Chile": "ชิลี", + "China": "ประเทศจีน", + "Choose": "เลือก", + "Choose :field": "เลือก :field", + "Choose :resource": "เลือก :resource", + "Choose an option": "เลือกทางเลือก", + "Choose date": "เลือกวัน", + "Choose File": "เลือกแฟ้ม", + "Choose Type": "เลือกประเภท", + "Christmas Island": "เกาะคริสต์มาส", + "Click to choose": "คลิกเพื่อเลือก", + "Cocos (Keeling) Islands": "หมู่เกาะโคคอส(Keeling)Name", + "Colombia": "โคลัมเบีย", + "Comoros": "โคโมรอส name", + "Confirm Password": "ยืนยันรหัสผ่าน", + "Congo": "คองโก name", + "Congo, Democratic Republic": "คองโก,งเสมอภาคนังสาธารณรัฐ", + "Constant": "อย่างต่อเนื่อง", + "Cook Islands": "หมู่เกาะคุก Name", + "Costa Rica": "คอสตาริก้า", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "ไม่สามารถถูกพบก็ได้", + "Create": "สร้าง", + "Create & Add Another": "สร้างเพิ่มอีก", + "Create :resource": "สร้าง :resource", + "Croatia": "โครเอเชีย", + "Cuba": "คิวบา", + "Curaçao": "คูราซาว", + "Customize": "ปรับแต่ง", + "Cyprus": "ไซปรัส name", + "Czech Republic": "Name", + "Dashboard": "แดชบอร์ด", + "December": "ธันวาคม", + "Decrease": "ล", + "Delete": "ลบ", + "Delete File": "ลบแฟ้ม", + "Delete Resource": "ลบทรัพยากร", + "Delete Selected": "ลบรายการที่เลือกไว้", + "Denmark": "เดนมาร์ก", + "Detach": "ยกเลิกแนบราง", + "Detach Resource": "ยกเลิกแนบรางทรัพยากร", + "Detach Selected": "ยกเลิกแนบรางที่เลือกไว้", + "Details": "รายละเอียด", + "Djibouti": "จิบูติ", + "Do you really want to leave? You have unsaved changes.": "คุณต้องการที่จะไปเหรอ? คุณยังไม่ได้บันทึกการเปลี่ยนแปลง", + "Dominica": "วันอาทิตย์", + "Dominican Republic": "สาธารณรัฐโดมินิกัน", + "Download": "ดาวน์โหลด", + "Ecuador": "เอกวาดอร์ name", + "Edit": "แก้ไข", + "Edit :resource": "แก้ไข :resource", + "Edit Attached": "แก้ไขติด", + "Egypt": "อียิปต์", + "El Salvador": "ซัลวาดอร์", + "Email Address": "ที่อยู่อีเมล", + "Equatorial Guinea": "กินีตรงเส้นศูนย์สูตร Name", + "Eritrea": "เอริเทรีย name", + "Estonia": "เอสโทเนีย name", + "Ethiopia": "เอธิโอเปีย", + "Falkland Islands (Malvinas)": "หมู่เกาะฟอล์คแลนด์(Malvinas)", + "Faroe Islands": "หมู่เกาะฟาโร Name", + "February": "เดือนกุมภาพันธ์", + "Fiji": "ฟิจิ", + "Finland": "ฟินแลนด์ name", + "Force Delete": "กำลังลบ", + "Force Delete Resource": "กำลังลบทรัพยากร", + "Force Delete Selected": "กำลังลบรายการที่เลือกไว้", + "Forgot Your Password?": "ลืมรหัสผ่าน?", + "Forgot your password?": "ลืมรหัสผ่านของคุณ?", + "France": "ฝรั่งเศส", + "French Guiana": "ฝรั่งเศสโพลีนีเซีย Name", + "French Polynesia": "ฝรั่งเศสโพลีนีเซีย", + "French Southern Territories": "มาจากทางใต้ทางใต้ของฝรั่งเศสแด", + "Gabon": "กาบอน name", + "Gambia": "แกมเบีย name", + "Georgia": "จอร์เจีย", + "Germany": "เยอรมัน", + "Ghana": "กานา name", + "Gibraltar": "ยิบรอลตาร์", + "Go Home": "ไปหน้าหลัก", + "Greece": "กรีซ", + "Greenland": "กรีนแลนด์ name", + "Grenada": "เกรนาดา", + "Guadeloupe": "เกาะกัวเดอลูป name", + "Guam": "กวม", + "Guatemala": "กัวเตมาลา", + "Guernsey": "เกอร์นซี", + "Guinea": "กินี", + "Guinea-Bissau": "กินี-บิสซอ", + "Guyana": "กูยาน่า name", + "Haiti": "เฮติ", + "Heard Island & Mcdonald Islands": "ได้ยินเกาะนี้และ McDonald หมู่เกาะ", + "Hide Content": "ซ่อนเนื้อหา", + "Hold Up!": "ก่อน!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "ฮอนดูรัส name", + "Hong Kong": "ฮ่องกง", + "Hungary": "ฮังการี name", + "Iceland": "ไอซ์แลนด์ name", + "ID": "หมายเลข", + "If you did not request a password reset, no further action is required.": "หากคุณไม่ได้ดำเนินการรีเซตรหัสผ่าน, คุณไม่จำเป็นต้องดำเนินการใดๆ.", + "Increase": "เพิ่มขึ้น", + "India": "อินเดีย", + "Indonesia": "อินโดนีเซีย", + "Iran, Islamic Republic Of": "อิหร่าน", + "Iraq": "อิรัก", + "Ireland": "ไอร์แลนด์มันแตกต่างกันยัง", + "Isle Of Man": "เกาะแห่งคน", + "Israel": "อิสราเอล", + "Italy": "อิตาลี", + "Jamaica": "จาไมก้า name", + "January": "เดือนมกราคม", + "Japan": "ญี่ปุ่น", + "Jersey": "เจอร์ซีย์", + "Jordan": "จอร์แดน", + "July": "กรกฎาคม", + "June": "มิถุนายน", + "Kazakhstan": "คาซัคสถาน name", + "Kenya": "เคนยา name", + "Key": "กุญแจ", + "Kiribati": "คิริบาติ name", + "Korea": "เกาหลีใต้ Name", + "Korea, Democratic People's Republic of": "เกาหลีเหนือ", + "Kosovo": "Kosovo", + "Kuwait": "คูเวต", + "Kyrgyzstan": "คีจิสถาน name", + "Lao People's Democratic Republic": "ลาว", + "Latvia": "ลัธเวีย name", + "Lebanon": "เลบานอน name", + "Lens": "เลนส์", + "Lesotho": "เลโซโต name", + "Liberia": "ไลบีเรีย", + "Libyan Arab Jamahiriya": "ลิเบีย", + "Liechtenstein": "ลิชเทนสไตน์", + "Lithuania": "ลิธัวเนีย name", + "Load :perPage More": "โหลด :perPage มากกว่า", + "Login": "เข้าสู่ระบบ", + "Logout": "ออกจากระบบ", + "Luxembourg": "ลักเซมเบิร์ก", + "Macao": "มาเก๊า", + "Macedonia": "ทางเหนือมาเซโดเนีย Name", + "Madagascar": "มาดากัสกา name", + "Malawi": "มาลาวี name", + "Malaysia": "มาเลเซีย", + "Maldives": "มัลดิฟ name", + "Mali": "เล็ก", + "Malta": "มอลตา name", + "March": "มีนาคม", + "Marshall Islands": "หมู่เกาะมาแชล Name", + "Martinique": "มาทินิค name", + "Mauritania": "มอริทาเนีย name", + "Mauritius": "มอริเชียส", + "May": "อาจจะ", + "Mayotte": "บันทึกผู้สร้าง", + "Mexico": "เม็กซิโก", + "Micronesia, Federated States Of": "ไมโครนีเซีย", + "Moldova": "มอลโดวา name", + "Monaco": "โมนาโค", + "Mongolia": "มองโกเลีย name", + "Montenegro": "มอนเตเนโกร", + "Month To Date": "เดือนนึงไปเดท", + "Montserrat": "มอนต์เซอร์รัต", + "Morocco": "โมร็อคโค", + "Mozambique": "โมแซมบิก name", + "Myanmar": "ปฏิทินของฉัน", + "Namibia": "นามิเบีย name", + "Nauru": "ภาษานาอุรุ name", + "Nepal": "แสงธรรมชาติ", + "Netherlands": "เนเธอร์แลนด์", + "New": "คนใหม่", + "New :resource": "ใหม่ :resource", + "New Caledonia": "นิวคาเลโดเนีย Name", + "New Zealand": "นิวซีแลนด์", + "Next": "ต่อไป", + "Nicaragua": "นิคารากัว", + "Niger": "ไนเจอร์ name", + "Nigeria": "ไนจีเรีย", + "Niue": "นิอุเอ", + "No": "ไม่", + "No :resource matched the given criteria.": "ไม่ :resource นตรงกันกับที่ได้รับเงื่อนไขการเรียงลำดับ.", + "No additional information...": "ไม่มีข้อมูลเพิ่มเติม...", + "No Current Data": "ไม่มีข้อมูลปัจจุบัน", + "No Data": "ไม่มีข้อมูล", + "no file selected": "ไม่มีแฟ้มที่เลือกไว้", + "No Increase": "ไม่เพิ่ม", + "No Prior Data": "ไม่มีข้อมูลก่อน", + "No Results Found.": "ไม่พบผลลัพธ์ใดๆ", + "Norfolk Island": "เกาะนอร์ฟอล์ค", + "Northern Mariana Islands": "หมู่เกาะมาเรียนเหนือ", + "Norway": "นอร์เวย์ name", + "Nova User": "โนวาสโคของผู้ใช้", + "November": "พฤศจิกายน", + "October": "ตุลาคม", + "of": "ของ", + "Oman": "โอมาน name", + "Only Trashed": "เดียวกลางรื้อ", + "Original": "ดั้งเดิม", + "Pakistan": "ปากีสถาน", + "Palau": "เกาะพาเลา name", + "Palestinian Territory, Occupied": "ปาเลสไตน์แด", + "Panama": "ปานามา", + "Papua New Guinea": "ปาปัวนิวกินี", + "Paraguay": "ปารากวัย name", + "Password": "รหัสผ่าน", + "Per Page": "ต่อหน้า", + "Peru": "เปรู", + "Philippines": "ฟิลิปปินส์", + "Pitcairn": "หมู่เกาะพิตแคร์น", + "Poland": "โปแลนด์ name", + "Portugal": "โปรตุเกส", + "Press \/ to search": "กด\/ต้องการค้นหา", + "Preview": "แสดงตัวอย่าง", + "Previous": "ก่อนหน้านี้", + "Puerto Rico": "เปอร์โตริโก", + "Qatar": "Qatar", + "Quarter To Date": "หนึ่งส่วนสี่เดทกัน", + "Reload": "เรียกใหม่", + "Remember Me": "จดจำรหัสผ่าน", + "Reset Filters": "ตั้งค่าตัวกรอง", + "Reset Password": "รีเซตรหัสผ่าน", + "Reset Password Notification": "รีเซตการแจ้งเตือนรหัสผ่าน", + "resource": "ทรัพยากร", + "Resources": "ทรัพยากร", + "resources": "ทรัพยากร", + "Restore": "เรียกคืน", + "Restore Resource": "เรียกคืนของทรัพยากรได้", + "Restore Selected": "เรียกคืนที่เลือกไว้", + "Reunion": "ประชุม", + "Romania": "โรมาเนีย", + "Run Action": "วิ่งการกระทำ", + "Russian Federation": "สมาพันธรัฐรัสเซีย", + "Rwanda": "รวันด้า name", + "Saint Barthelemy": "เซนต์ Barthélemy", + "Saint Helena": "เซนต์เฮเลน่า", + "Saint Kitts And Nevis": "เซนต์กิตส์และเนวิส", + "Saint Lucia": "เซนต์ลูเซีย", + "Saint Martin": "เซนต์มาร์ติน", + "Saint Pierre And Miquelon": "เซนต์ปิแอร์และมีเกอลง", + "Saint Vincent And Grenadines": "เซนต์วินเซนต์และ Grenadines", + "Samoa": "ซามัว name", + "San Marino": "ซานมาริโน่", + "Sao Tome And Principe": "Africa. kgm", + "Saudi Arabia": "ซาอุดิอราเบีย", + "Search": "การค้นหา", + "Select Action": "เลือกการกระทำ", + "Select All": "เลือกทั้งหมด", + "Select All Matching": "เลือกทั้งคู่", + "Send Password Reset Link": "ส่งลิงค์สำหรับรีเซตรหัสผ่าน", + "Senegal": "เซนีกัล name", + "September": "กันยายน", + "Serbia": "เซอร์เบีย", + "Seychelles": "เซย์เชลล์ name", + "Show All Fields": "แสดงช่องข้อมูล", + "Show Content": "แสดงเนื้อหา", + "Sierra Leone": "เซียร์ราลีโอน Name", + "Singapore": "สิงคโปร์", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "สโลวาเกีย name", + "Slovenia": "สโลเวเนีย name", + "Solomon Islands": "หมู่เกาะโซโลมอน", + "Somalia": "โซมาเลีย", + "Something went wrong.": "มีบางอย่างผิดพลาดเกิดขึ้น", + "Sorry! You are not authorized to perform this action.": "ขอโทษ! คุณยังไม่ได้รับอนุญาตให้แสดงการทำการกระทำนี้", + "Sorry, your session has expired.": "ขอโทษของกลุ่มงานอย่างน้อยก็หลับซะบ้าง", + "South Africa": "แอฟริกาใต้", + "South Georgia And Sandwich Isl.": "ใต้จอร์เจียใต้หมู่เกาะแซนด์วิช", + "South Sudan": "ใต้แสงอาทิตย์", + "Spain": "สเปน", + "Sri Lanka": "ศรีลังกา Name", + "Start Polling": "เริ่มต้นดเลือกตั้งในพื้น", + "Stop Polling": "หยุดเลือกตั้งในพื้น", + "Sudan": "ซูดาน", + "Suriname": "แสงอาทิตย์ยามเช้าตรู่", + "Svalbard And Jan Mayen": "Svalbard และแจ Mayen", + "Swaziland": "Eswatini", + "Sweden": "สวีเดน", + "Switzerland": "สวิตเซอร์แลนด์", + "Syrian Arab Republic": "ซีเรีย name", + "Taiwan": "ไต้หวัน name", + "Tajikistan": "ทาจีกิสถาน name", + "Tanzania": "แทนซาเนีย", + "Thailand": "ราชอาณาจักรไทย name", + "The :resource was created!": "ที่ :resource ถูกสร้างขึ้น!", + "The :resource was deleted!": "ที่ :resource ถูกลบออกไป!", + "The :resource was restored!": "ที่ :resource นถูกเรียกคืน!", + "The :resource was updated!": "ที่ :resource ถูกปรับปรุง!", + "The action ran successfully!": "กการวิ่งเรียบร้อยแล้!", + "The file was deleted!": "แฟ้มที่ถูกลบออกไป!", + "The government won't let us show you what's behind these doors": "รัฐบาลจะไม่ปล่อยให้พวกเราแสดงให้พวกเธอเห็นว่าอะไรอยู่เบื้องหลังประตูพวกนี้", + "The HasOne relationship has already been filled.": "ที่ HasOne ความสัมพันธ์มีคนอยู่แล้ว", + "The resource was updated!": "ทรัพยากรถูกปรับปรุง!", + "There are no available options for this resource.": "มันไม่มีอยู่ตัวเลือกสำหรับทรัพยากรนี้", + "There was a problem executing the action.": "นั่นเป็นปัญหาระหว่างประมวลผลทางการการกระทำ", + "There was a problem submitting the form.": "มีปัญหา submitting ที่เป็นแบบนี้", + "This file field is read-only.": "แฟ้มนี้สอนอ่านได้อย่างเดียว", + "This image": "ภาพนี้", + "This resource no longer exists": "นี่ทรัพยากรไม่มีอีกต่อไป", + "Timor-Leste": "ติมอร์ตะวันออก", + "Today": "วันนี้", + "Togo": "โตโก name", + "Tokelau": "โทเคเลา name", + "Tonga": "เข้ามา", + "total": "ทั้งหมด", + "Trashed": "รื้", + "Trinidad And Tobago": "ตรีนิแดดและโทบาโก name", + "Tunisia": "ตูนีเซีย", + "Turkey": "ไก่งวง", + "Turkmenistan": "เตอร์กเมนิสถาน", + "Turks And Caicos Islands": "เกาะเติร์กและเคคอส name", + "Tuvalu": "ตูวาลู name", + "Uganda": "ยูกันดา name", + "Ukraine": "ยูเครน", + "United Arab Emirates": "สหรัฐอาหรับอีมิเรตส์", + "United Kingdom": "สหราชอาณาจักร", + "United States": "สหรัฐอเมริกา", + "United States Outlying Islands": "สหรัฐอเมริกา Outlying หมู่เกาะ", + "Update": "ปรับปรุง", + "Update & Continue Editing": "ปรับปรุง&ต่อการแก้ไข", + "Update :resource": "ปรับปรุง :resource", + "Update :resource: :title": "ปรับปรุง :resource::title", + "Update attached :resource: :title": "ปรับปรุงติด :resource::title", + "Uruguay": "อุรุกวัย", + "Uzbekistan": "อุซเบกิสถาน name", + "Value": "ค่า", + "Vanuatu": "แวนัวตู name", + "Venezuela": "เวเนซุเอลา name", + "Viet Nam": "Vietnam", + "View": "มุมมอง", + "Virgin Islands, British": "หมู่เกาะบริติชเวอร์จิน", + "Virgin Islands, U.S.": "สหรัฐอเมริกาหมู่เกาะเวอร์จิน", + "Wallis And Futuna": "วอลลิสและฟูทูนา name", + "We're lost in space. The page you were trying to view does not exist.": "เราสูญเสียนองในอวกาศ หน้าคุณกำลังพยายามองมุมมองไม่มีตัวตน", + "Welcome Back!": "ยินดีต้อนรับกลับมา!", + "Western Sahara": "ซาฮาร่าตะวันตก", + "Whoops": "ฉันหวังว่าพวกเธอจะแก้ไขเรื่", + "Whoops!": "อุปส์!", + "With Trashed": "กับขยะ", + "Write": "เขียน", + "Year To Date": "ปีเพื่อวัน", + "Yemen": "Yemeni", + "Yes": "ใช่แล้ว", + "You are receiving this email because we received a password reset request for your account.": "คุณได้รับอีเมลสำหรับรีเซตรหัสผ่าน เนื่องจากเราได้รับคำร้องขอรีเซตรหัสผ่านสำหรับบัญชีของคุณ.", + "Zambia": "แซมเบีย", + "Zimbabwe": "ซิมบับเว" +} diff --git a/locales/th/packages/spark-paddle.json b/locales/th/packages/spark-paddle.json new file mode 100644 index 00000000000..62d5dc03373 --- /dev/null +++ b/locales/th/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "เงื่อนไขของบริการ", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "ฉันหวังว่าพวกเธอจะแก้ไขเรื่! มีบางอย่างผิดพลาดเกิดขึ้น", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/th/packages/spark-stripe.json b/locales/th/packages/spark-stripe.json new file mode 100644 index 00000000000..c063244a80e --- /dev/null +++ b/locales/th/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "อัฟกานิสถาน", + "Albania": "อัลเบเนีย name", + "Algeria": "พอร์ตอนุกรม", + "American Samoa": "อเมริกันซามัว Name", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "แอนโดรา", + "Angola": "แองโกลา name", + "Anguilla": "แองกีลา name", + "Antarctica": "แอนตาร์กติกา", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "อาร์เจนตินา", + "Armenia": "อาร์เมเนีย name", + "Aruba": "อรูบา name", + "Australia": "ออสเตรเลีย", + "Austria": "ออสเตรีย name", + "Azerbaijan": "อาร์เซอร์ไบจัน name", + "Bahamas": "บาฮามา name", + "Bahrain": "บาห์เรน", + "Bangladesh": "บังคลาเทศ name", + "Barbados": "บาร์บาดอส", + "Belarus": "เบลารุส name", + "Belgium": "เบลเยียม name", + "Belize": "เบลไลซ์ name", + "Benin": "เบนิน name", + "Bermuda": "เบอร์มิวดา", + "Bhutan": "ภูฏาน name", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "บอทสวานา name", + "Bouvet Island": "เกาะบูเวท์", + "Brazil": "บราซิล", + "British Indian Ocean Territory": "ชาวอังกฤษอินเดียนมหาสมุทรบอกอาณาเขต", + "Brunei Darussalam": "Brunei", + "Bulgaria": "บัลแกเรีย name", + "Burkina Faso": "เบอร์กินาฟาโซ Name", + "Burundi": "บูรันดิ name", + "Cambodia": "สื่อข้อมูลของกล้อง", + "Cameroon": "คาเมรูน name", + "Canada": "แคนาดา", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "แหลมเวอร์ดี", + "Card": "การ์ด", + "Cayman Islands": "หมู่เกาะเคย์แมน", + "Central African Republic": "สาธารณรัฐอัฟริกากลาง", + "Chad": "แชด", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "ชิลี", + "China": "ประเทศจีน", + "Christmas Island": "เกาะคริสต์มาส", + "City": "City", + "Cocos (Keeling) Islands": "หมู่เกาะโคคอส(Keeling)Name", + "Colombia": "โคลัมเบีย", + "Comoros": "โคโมรอส name", + "Confirm Payment": "ยืนยันการจ่ายเงิน", + "Confirm your :amount payment": "ยืนยันของคุณ :amount จ่ายเงิน", + "Congo": "คองโก name", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "หมู่เกาะคุก Name", + "Costa Rica": "คอสตาริก้า", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "โครเอเชีย", + "Cuba": "คิวบา", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "ไซปรัส name", + "Czech Republic": "Name", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "เดนมาร์ก", + "Djibouti": "จิบูติ", + "Dominica": "วันอาทิตย์", + "Dominican Republic": "สาธารณรัฐโดมินิกัน", + "Download Receipt": "Download Receipt", + "Ecuador": "เอกวาดอร์ name", + "Egypt": "อียิปต์", + "El Salvador": "ซัลวาดอร์", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "กินีตรงเส้นศูนย์สูตร Name", + "Eritrea": "เอริเทรีย name", + "Estonia": "เอสโทเนีย name", + "Ethiopia": "เอธิโอเปีย", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "เพิ่มการยืนยันคือต้องการให้โพรเซสของคุณค่าตอบแทน? ได้โปรดต่อไปเพื่อจ่ายหน้าโดยการคลิกที่ปุ่มด้านล่างนี้", + "Falkland Islands (Malvinas)": "หมู่เกาะฟอล์คแลนด์(Malvinas)", + "Faroe Islands": "หมู่เกาะฟาโร Name", + "Fiji": "ฟิจิ", + "Finland": "ฟินแลนด์ name", + "France": "ฝรั่งเศส", + "French Guiana": "ฝรั่งเศสโพลีนีเซีย Name", + "French Polynesia": "ฝรั่งเศสโพลีนีเซีย", + "French Southern Territories": "มาจากทางใต้ทางใต้ของฝรั่งเศสแด", + "Gabon": "กาบอน name", + "Gambia": "แกมเบีย name", + "Georgia": "จอร์เจีย", + "Germany": "เยอรมัน", + "Ghana": "กานา name", + "Gibraltar": "ยิบรอลตาร์", + "Greece": "กรีซ", + "Greenland": "กรีนแลนด์ name", + "Grenada": "เกรนาดา", + "Guadeloupe": "เกาะกัวเดอลูป name", + "Guam": "กวม", + "Guatemala": "กัวเตมาลา", + "Guernsey": "เกอร์นซี", + "Guinea": "กินี", + "Guinea-Bissau": "กินี-บิสซอ", + "Guyana": "กูยาน่า name", + "Haiti": "เฮติ", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "ฮอนดูรัส name", + "Hong Kong": "ฮ่องกง", + "Hungary": "ฮังการี name", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "ไอซ์แลนด์ name", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "อินเดีย", + "Indonesia": "อินโดนีเซีย", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "อิรัก", + "Ireland": "ไอร์แลนด์มันแตกต่างกันยัง", + "Isle of Man": "Isle of Man", + "Israel": "อิสราเอล", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "อิตาลี", + "Jamaica": "จาไมก้า name", + "Japan": "ญี่ปุ่น", + "Jersey": "เจอร์ซีย์", + "Jordan": "จอร์แดน", + "Kazakhstan": "คาซัคสถาน name", + "Kenya": "เคนยา name", + "Kiribati": "คิริบาติ name", + "Korea, Democratic People's Republic of": "เกาหลีเหนือ", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "คูเวต", + "Kyrgyzstan": "คีจิสถาน name", + "Lao People's Democratic Republic": "ลาว", + "Latvia": "ลัธเวีย name", + "Lebanon": "เลบานอน name", + "Lesotho": "เลโซโต name", + "Liberia": "ไลบีเรีย", + "Libyan Arab Jamahiriya": "ลิเบีย", + "Liechtenstein": "ลิชเทนสไตน์", + "Lithuania": "ลิธัวเนีย name", + "Luxembourg": "ลักเซมเบิร์ก", + "Macao": "มาเก๊า", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "มาดากัสกา name", + "Malawi": "มาลาวี name", + "Malaysia": "มาเลเซีย", + "Maldives": "มัลดิฟ name", + "Mali": "เล็ก", + "Malta": "มอลตา name", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "หมู่เกาะมาแชล Name", + "Martinique": "มาทินิค name", + "Mauritania": "มอริทาเนีย name", + "Mauritius": "มอริเชียส", + "Mayotte": "บันทึกผู้สร้าง", + "Mexico": "เม็กซิโก", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "โมนาโค", + "Mongolia": "มองโกเลีย name", + "Montenegro": "มอนเตเนโกร", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "มอนต์เซอร์รัต", + "Morocco": "โมร็อคโค", + "Mozambique": "โมแซมบิก name", + "Myanmar": "ปฏิทินของฉัน", + "Namibia": "นามิเบีย name", + "Nauru": "ภาษานาอุรุ name", + "Nepal": "แสงธรรมชาติ", + "Netherlands": "เนเธอร์แลนด์", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "นิวคาเลโดเนีย Name", + "New Zealand": "นิวซีแลนด์", + "Nicaragua": "นิคารากัว", + "Niger": "ไนเจอร์ name", + "Nigeria": "ไนจีเรีย", + "Niue": "นิอุเอ", + "Norfolk Island": "เกาะนอร์ฟอล์ค", + "Northern Mariana Islands": "หมู่เกาะมาเรียนเหนือ", + "Norway": "นอร์เวย์ name", + "Oman": "โอมาน name", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "ปากีสถาน", + "Palau": "เกาะพาเลา name", + "Palestinian Territory, Occupied": "ปาเลสไตน์แด", + "Panama": "ปานามา", + "Papua New Guinea": "ปาปัวนิวกินี", + "Paraguay": "ปารากวัย name", + "Payment Information": "Payment Information", + "Peru": "เปรู", + "Philippines": "ฟิลิปปินส์", + "Pitcairn": "หมู่เกาะพิตแคร์น", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "โปแลนด์ name", + "Portugal": "โปรตุเกส", + "Puerto Rico": "เปอร์โตริโก", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "โรมาเนีย", + "Russian Federation": "สมาพันธรัฐรัสเซีย", + "Rwanda": "รวันด้า name", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "เซนต์เฮเลน่า", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "เซนต์ลูเซีย", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "ซามัว name", + "San Marino": "ซานมาริโน่", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "ซาอุดิอราเบีย", + "Save": "บันทึก", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "เซนีกัล name", + "Serbia": "เซอร์เบีย", + "Seychelles": "เซย์เชลล์ name", + "Sierra Leone": "เซียร์ราลีโอน Name", + "Signed in as": "Signed in as", + "Singapore": "สิงคโปร์", + "Slovakia": "สโลวาเกีย name", + "Slovenia": "สโลเวเนีย name", + "Solomon Islands": "หมู่เกาะโซโลมอน", + "Somalia": "โซมาเลีย", + "South Africa": "แอฟริกาใต้", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "สเปน", + "Sri Lanka": "ศรีลังกา Name", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "ซูดาน", + "Suriname": "แสงอาทิตย์ยามเช้าตรู่", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "สวีเดน", + "Switzerland": "สวิตเซอร์แลนด์", + "Syrian Arab Republic": "ซีเรีย name", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "ทาจีกิสถาน name", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "เงื่อนไขของบริการ", + "Thailand": "ราชอาณาจักรไทย name", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "ติมอร์ตะวันออก", + "Togo": "โตโก name", + "Tokelau": "โทเคเลา name", + "Tonga": "เข้ามา", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "ตูนีเซีย", + "Turkey": "ไก่งวง", + "Turkmenistan": "เตอร์กเมนิสถาน", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "ตูวาลู name", + "Uganda": "ยูกันดา name", + "Ukraine": "ยูเครน", + "United Arab Emirates": "สหรัฐอาหรับอีมิเรตส์", + "United Kingdom": "สหราชอาณาจักร", + "United States": "สหรัฐอเมริกา", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "ปรับปรุง", + "Update Payment Information": "Update Payment Information", + "Uruguay": "อุรุกวัย", + "Uzbekistan": "อุซเบกิสถาน name", + "Vanuatu": "แวนัวตู name", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "หมู่เกาะบริติชเวอร์จิน", + "Virgin Islands, U.S.": "สหรัฐอเมริกาหมู่เกาะเวอร์จิน", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "ซาฮาร่าตะวันตก", + "Whoops! Something went wrong.": "ฉันหวังว่าพวกเธอจะแก้ไขเรื่! มีบางอย่างผิดพลาดเกิดขึ้น", + "Yearly": "Yearly", + "Yemen": "Yemeni", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "แซมเบีย", + "Zimbabwe": "ซิมบับเว", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/th/th.json b/locales/th/th.json index 11a066f9632..f94264a584f 100644 --- a/locales/th/th.json +++ b/locales/th/th.json @@ -1,710 +1,48 @@ { - "30 Days": "30 วัน", - "60 Days": "60 วัน", - "90 Days": "90 วัน", - ":amount Total": ":amount ทั้งหมด", - ":days day trial": ":days day trial", - ":resource Details": ":resource รายละเอียด", - ":resource Details: :title": ":resource รายละเอียด::title", "A fresh verification link has been sent to your email address.": "ลิงค์สำหรับยืนยันได้ถูกส่งไปยังอีเมลของคุณแล้ว.", - "A new verification link has been sent to the email address you provided during registration.": "ใหม่ปลายทางเชื่อมโยงถูกส่งไปที่อยู่อีเมลที่คุณให้ตอบทะเบียนรถด้วย.", - "Accept Invitation": "ยอมรับการเชื้อเชิญ", - "Action": "การกระทำ", - "Action Happened At": "เกิดอะไรขึ้นที่", - "Action Initiated By": "เริ่มโดย", - "Action Name": "ชื่อ", - "Action Status": "สถานะ", - "Action Target": "เป้าหมาย", - "Actions": "การกระทำ", - "Add": "เพิ่ม", - "Add a new team member to your team, allowing them to collaborate with you.": "เพิ่มเป็นสมาชิกทีมคนใหม่ของทีมยอมให้พวกเขาให้ความร่วมมือกับคุณ", - "Add additional security to your account using two factor authentication.": "เพิ่มนามสกุลเพิ่มเติมเพื่อบัญชีของคุณใช้สองคนปัจจัการตรวจสอบสิทธิ์โปรด", - "Add row": "เพิ่มแถว", - "Add Team Member": "เพิ่มสมาชิกทีม", - "Add VAT Number": "Add VAT Number", - "Added.": "เพิ่มเติม", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "ผู้ดูแลระบบ", - "Administrator users can perform any action.": "ผู้ดูแลระบบผู้ใช้สามารถแสดงการกระทำที่เป็นการบุกรุก.", - "Afghanistan": "อัฟกานิสถาน", - "Aland Islands": "หมู่เกาะอาลันด์ Name", - "Albania": "อัลเบเนีย name", - "Algeria": "พอร์ตอนุกรม", - "All of the people that are part of this team.": "ทั้งหมดของคนนั่นเป็นส่วนหนึ่งของทีมนี้", - "All resources loaded.": "ทั้งทรัพยากรงานหนักมากและไม่เคยหยุด", - "All rights reserved.": "ทั้งลิขสิทธิ์ซักคนในนี้มั้ย", - "Already registered?": "แล้วจดทะเบียน?", - "American Samoa": "อเมริกันซามัว Name", - "An error occured while uploading the file.": "เกิดข้อผิดพลาด occured ระหว่างอัพโหลดแฟ้มได้", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "แอนโดรา", - "Angola": "แองโกลา name", - "Anguilla": "แองกีลา name", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "ผู้ใช้อีกคนหนึ่งมีอัพเดทเรื่องทรัพยากรตั้งแต่หน้านี้เป็นงานหนักมากและไม่เคยหยุด ได้โปรดปรับปรุงหน้าแล้วลองใหม่อีกครั้ง", - "Antarctica": "แอนตาร์กติกา", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "อันทิกัวและบาร์บูดา name", - "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 สัญลักษณ์อนุญาตให้คนที่สาม-งานปาร์ตี้บริการทำการตรวจสอบสิทธิ์ของโปรแกรมในนามของคุณให้แล้วกันนะ", - "April": "เอพริล", - "Are you sure you want to delete the selected resources?": "คุณแน่ใจหรือว่าคุณต้องการที่จะลบที่เลือกไว้แล้วเหรอครับ?", - "Are you sure you want to delete this file?": "คุณแน่ใจหรือว่าคุณต้องการจะลบแฟ้มนี้?", - "Are you sure you want to delete this resource?": "คุณแน่ใจหรือว่าคุณต้องการจะลบเรื่องทรัพยากรได้?", - "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 detach the selected resources?": "คุณแน่ใจหรือว่าต้องการที่จะยกเลิกแนบรางที่เลือกไว้แล้วเหรอครับ?", - "Are you sure you want to detach this resource?": "คุณแน่ใจหรือว่าต้องการที่จะยกเลิกแนบรางเรื่องทรัพยากรได้?", - "Are you sure you want to force delete the selected resources?": "คุณแน่ใจหรือว่าต้องการจะบังคับให้ลบที่เลือกไว้แล้วเหรอครับ?", - "Are you sure you want to force delete this resource?": "คุณแน่ใจหรือว่าต้องการจะบังคับให้ลบเรื่องทรัพยากรได้?", - "Are you sure you want to restore the selected resources?": "คุณแน่ใจหรือว่าต้องการจะเรียกคืนข้อมูลที่เลือกไว้แล้วเหรอครับ?", - "Are you sure you want to restore this resource?": "คุณแน่ใจหรือว่าต้องการจะลบทรัพยากร?", - "Are you sure you want to run this action?": "คุณแน่ใจนะว่าคุณต้องการประมวลผลการกระทำนี้?", - "Are you sure you would like to delete this API token?": "คุณแน่ใจหรือว่าคุณจะชอบแบบอักษรเพื่อทำการลบนี้รูปแบบ api ตั๋วเข้าใช้งาน?", - "Are you sure you would like to leave this team?": "คุณแน่ใจหรือว่าคุณอยากจะออกไปจากทีม?", - "Are you sure you would like to remove this person from the team?": "คุณแน่ใจหรือว่าคุณอยากจะลบคนคนนี้ออกจากทีม?", - "Argentina": "อาร์เจนตินา", - "Armenia": "อาร์เมเนีย name", - "Aruba": "อรูบา name", - "Attach": "ให้แนบเป็นสิ่งที่แนบมาด้วย", - "Attach & Attach Another": "ให้แนบเป็นสิ่งที่แนบมาด้วย&ให้แนบเป็นสิ่งที่แนบมาด้วยอีก", - "Attach :resource": "ให้แนบเป็นสิ่งที่แนบมาด้วย :resource", - "August": "เดือนสิงหาคม", - "Australia": "ออสเตรเลีย", - "Austria": "ออสเตรีย name", - "Azerbaijan": "อาร์เซอร์ไบจัน name", - "Bahamas": "บาฮามา name", - "Bahrain": "บาห์เรน", - "Bangladesh": "บังคลาเทศ name", - "Barbados": "บาร์บาดอส", "Before proceeding, please check your email for a verification link.": "ก่อนดำเนินการใดๆ, กรุณาตรวจสอบลิงค์ยืนยันที่ถูกส่งไปยังอีเมลของคุณ", - "Belarus": "เบลารุส name", - "Belgium": "เบลเยียม name", - "Belize": "เบลไลซ์ name", - "Benin": "เบนิน name", - "Bermuda": "เบอร์มิวดา", - "Bhutan": "ภูฏาน name", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "โบลิเวีย", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire,Sint Eustatius และ Sábado", - "Bosnia And Herzegovina": "บอสเนียและเฮอร์เซโกวินา", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "บอทสวานา name", - "Bouvet Island": "เกาะบูเวท์", - "Brazil": "บราซิล", - "British Indian Ocean Territory": "ชาวอังกฤษอินเดียนมหาสมุทรบอกอาณาเขต", - "Browser Sessions": "เบราว์เซอร์วาระการใช้งาน@Action:Inmenu Go", - "Brunei Darussalam": "Brunei", - "Bulgaria": "บัลแกเรีย name", - "Burkina Faso": "เบอร์กินาฟาโซ Name", - "Burundi": "บูรันดิ name", - "Cambodia": "สื่อข้อมูลของกล้อง", - "Cameroon": "คาเมรูน name", - "Canada": "แคนาดา", - "Cancel": "ยกเลิก", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "แหลมเวอร์ดี", - "Card": "การ์ด", - "Cayman Islands": "หมู่เกาะเคย์แมน", - "Central African Republic": "สาธารณรัฐอัฟริกากลาง", - "Chad": "แชด", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "เปลี่ยนแปลง", - "Chile": "ชิลี", - "China": "ประเทศจีน", - "Choose": "เลือก", - "Choose :field": "เลือก :field", - "Choose :resource": "เลือก :resource", - "Choose an option": "เลือกทางเลือก", - "Choose date": "เลือกวัน", - "Choose File": "เลือกแฟ้ม", - "Choose Type": "เลือกประเภท", - "Christmas Island": "เกาะคริสต์มาส", - "City": "City", "click here to request another": "คลิ๊กที่นี่ เพื่อขออีเมลใหม่", - "Click to choose": "คลิกเพื่อเลือก", - "Close": "ปิด", - "Cocos (Keeling) Islands": "หมู่เกาะโคคอส(Keeling)Name", - "Code": "รหัส", - "Colombia": "โคลัมเบีย", - "Comoros": "โคโมรอส name", - "Confirm": "ยืนยัน", - "Confirm Password": "ยืนยันรหัสผ่าน", - "Confirm Payment": "ยืนยันการจ่ายเงิน", - "Confirm your :amount payment": "ยืนยันของคุณ :amount จ่ายเงิน", - "Congo": "คองโก name", - "Congo, Democratic Republic": "คองโก,งเสมอภาคนังสาธารณรัฐ", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "อย่างต่อเนื่อง", - "Cook Islands": "หมู่เกาะคุก Name", - "Costa Rica": "คอสตาริก้า", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "ไม่สามารถถูกพบก็ได้", - "Country": "Country", - "Coupon": "Coupon", - "Create": "สร้าง", - "Create & Add Another": "สร้างเพิ่มอีก", - "Create :resource": "สร้าง :resource", - "Create a new team to collaborate with others on projects.": "สร้างทีมใหม่ของให้ความร่วมมือกับคนอื่นในโครงการของ.", - "Create Account": "สร้างบัญชีผู้ใช้", - "Create API Token": "สร้างรูปแบบ api ตั๋วเข้าใช้งาน", - "Create New Team": "สร้างใหม่ของทีม", - "Create Team": "สร้างทีม", - "Created.": "สร้างขึ้นมา", - "Croatia": "โครเอเชีย", - "Cuba": "คิวบา", - "Curaçao": "คูราซาว", - "Current Password": "รหัสผ่านปัจจุบัน", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "ปรับแต่ง", - "Cyprus": "ไซปรัส name", - "Czech Republic": "Name", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "แดชบอร์ด", - "December": "ธันวาคม", - "Decrease": "ล", - "Delete": "ลบ", - "Delete Account": "ลบบัญชีผู้ใช้", - "Delete API Token": "ลบรูปแบบ api ตั๋วเข้าใช้งาน", - "Delete File": "ลบแฟ้ม", - "Delete Resource": "ลบทรัพยากร", - "Delete Selected": "ลบรายการที่เลือกไว้", - "Delete Team": "ลบออกทีม", - "Denmark": "เดนมาร์ก", - "Detach": "ยกเลิกแนบราง", - "Detach Resource": "ยกเลิกแนบรางทรัพยากร", - "Detach Selected": "ยกเลิกแนบรางที่เลือกไว้", - "Details": "รายละเอียด", - "Disable": "ปิดการใช้งาน", - "Djibouti": "จิบูติ", - "Do you really want to leave? You have unsaved changes.": "คุณต้องการที่จะไปเหรอ? คุณยังไม่ได้บันทึกการเปลี่ยนแปลง", - "Dominica": "วันอาทิตย์", - "Dominican Republic": "สาธารณรัฐโดมินิกัน", - "Done.": "เสร็จแล้ว", - "Download": "ดาวน์โหลด", - "Download Receipt": "Download Receipt", "E-Mail Address": "อีเมล", - "Ecuador": "เอกวาดอร์ name", - "Edit": "แก้ไข", - "Edit :resource": "แก้ไข :resource", - "Edit Attached": "แก้ไขติด", - "Editor": "เครื่องมือแก้ไข", - "Editor users have the ability to read, create, and update.": "เครื่องมือแก้ไขผู้ใช้มีความสามารถที่จะอ่านหนังสือสร้างและปรับปรุง", - "Egypt": "อียิปต์", - "El Salvador": "ซัลวาดอร์", - "Email": "อีเมล", - "Email Address": "ที่อยู่อีเมล", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "รหัสผ่านอีเมลปรับค่าเชื่อมโยง", - "Enable": "เปิดใช้งาน", - "Ensure your account is using a long, random password to stay secure.": "ให้แน่ใจว่าบัญชีของคุณคือการใช้ยาวมากสุ่มรหัสผ่านที่อยู่ปลอดภัย", - "Equatorial Guinea": "กินีตรงเส้นศูนย์สูตร Name", - "Eritrea": "เอริเทรีย name", - "Estonia": "เอสโทเนีย name", - "Ethiopia": "เอธิโอเปีย", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "เพิ่มการยืนยันคือต้องการให้โพรเซสของคุณค่าตอบแทน? ได้โปรดยืนยันการจ่ายเงินคุณโดยเติมข้อของคุณจ่ายเงินรายละเอียดด้านล่างนี้", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "เพิ่มการยืนยันคือต้องการให้โพรเซสของคุณค่าตอบแทน? ได้โปรดต่อไปเพื่อจ่ายหน้าโดยการคลิกที่ปุ่มด้านล่างนี้", - "Falkland Islands (Malvinas)": "หมู่เกาะฟอล์คแลนด์(Malvinas)", - "Faroe Islands": "หมู่เกาะฟาโร Name", - "February": "เดือนกุมภาพันธ์", - "Fiji": "ฟิจิ", - "Finland": "ฟินแลนด์ name", - "For your security, please confirm your password to continue.": "สำหรับมรปภ.ของคุณโปรดยืนยันรหัสผ่านของคุณดำเนินการต่อไปอีกไม่ได้", "Forbidden": "ต้องห้าม", - "Force Delete": "กำลังลบ", - "Force Delete Resource": "กำลังลบทรัพยากร", - "Force Delete Selected": "กำลังลบรายการที่เลือกไว้", - "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.": "ลืมรหัสผ่านของคุณ? ไม่มีปัญหา แค่ปล่อยให้พวกเรารู้ที่อยู่อีเมลของคุณและเราจะส่งอีเมลคุณตั้งค่ารหัสผ่านเชื่อมโยงที่จะทำให้คุณต้องเลือกใหม่หนึ่ง", - "France": "ฝรั่งเศส", - "French Guiana": "ฝรั่งเศสโพลีนีเซีย Name", - "French Polynesia": "ฝรั่งเศสโพลีนีเซีย", - "French Southern Territories": "มาจากทางใต้ทางใต้ของฝรั่งเศสแด", - "Full name": "ชื่อเต็ม", - "Gabon": "กาบอน name", - "Gambia": "แกมเบีย name", - "Georgia": "จอร์เจีย", - "Germany": "เยอรมัน", - "Ghana": "กานา name", - "Gibraltar": "ยิบรอลตาร์", - "Go back": "กลับไป", - "Go Home": "ไปหน้าหลัก", "Go to page :page": "ไปยังหน้าที่ :page", - "Great! You have accepted the invitation to join the :team team.": "เยี่ยม! คุณต้องยอมรับการเชื้อเชิญเข้าร่วมขบวนการ :team ทีม", - "Greece": "กรีซ", - "Greenland": "กรีนแลนด์ name", - "Grenada": "เกรนาดา", - "Guadeloupe": "เกาะกัวเดอลูป name", - "Guam": "กวม", - "Guatemala": "กัวเตมาลา", - "Guernsey": "เกอร์นซี", - "Guinea": "กินี", - "Guinea-Bissau": "กินี-บิสซอ", - "Guyana": "กูยาน่า name", - "Haiti": "เฮติ", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "ได้ยินเกาะนี้และ McDonald หมู่เกาะ", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "สวัสดี! ", - "Hide Content": "ซ่อนเนื้อหา", - "Hold Up!": "ก่อน!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "ฮอนดูรัส name", - "Hong Kong": "ฮ่องกง", - "Hungary": "ฮังการี name", - "I agree to the :terms_of_service and :privacy_policy": "ฉันเห็นด้วยกั :terms_of_service และ :privacy_policy", - "Iceland": "ไอซ์แลนด์ name", - "ID": "หมายเลข", - "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.": "ถ้าจำเป็นคุณอาจจะออกจากระบบของทั้งหมดของคุณอีกเบราว์เซอร์วาระการใช้งานอีกฝั่งของคุณทั้งหมดอุปกรณ์. บางอย่างที่นายเพิ่งกลุ่มงานชื่อด้านล่างนี้อย่างไรก็ตามองรายการนี้อาจจะไม่ exhaustive. ถ้าคุณรู้สึกบัญชีของคุณมีอยู่ในอันตรายคุณควรจะปรับปรุงรหัสผ่านของคุณ.", "If necessary, you may logout 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.": "ถ้าจำเป็นคุณอาจจะออกจากระบบ comment ของทั้งหมดของคุณอีกเบราว์เซอร์วาระการใช้งานอีกฝั่งของคุณทั้งหมดอุปกรณ์. บางอย่างที่นายเพิ่งกลุ่มงานชื่อด้านล่างนี้อย่างไรก็ตามองรายการนี้อาจจะไม่ exhaustive. ถ้าคุณรู้สึกบัญชีของคุณมีอยู่ในอันตรายคุณควรจะปรับปรุงรหัสผ่านของคุณ.", - "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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "ถ้าคุณกำลังมีปัญหาการคลิกที่\":actionText ปุ่ม\"คัดลอกและวางตำแหน่งที่อยู่ด้านล่างนี้\nเข้าไปในเว็บเบราว์เซอร์ของคุณ:", - "Increase": "เพิ่มขึ้น", - "India": "อินเดีย", - "Indonesia": "อินโดนีเซีย", "Invalid signature.": "ลายเซ็นใช้ไม่ได้", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "อิหร่าน", - "Iraq": "อิรัก", - "Ireland": "ไอร์แลนด์มันแตกต่างกันยัง", - "Isle of Man": "Isle of Man", - "Isle Of Man": "เกาะแห่งคน", - "Israel": "อิสราเอล", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "อิตาลี", - "Jamaica": "จาไมก้า name", - "January": "เดือนมกราคม", - "Japan": "ญี่ปุ่น", - "Jersey": "เจอร์ซีย์", - "Jordan": "จอร์แดน", - "July": "กรกฎาคม", - "June": "มิถุนายน", - "Kazakhstan": "คาซัคสถาน name", - "Kenya": "เคนยา name", - "Key": "กุญแจ", - "Kiribati": "คิริบาติ name", - "Korea": "เกาหลีใต้ Name", - "Korea, Democratic People's Republic of": "เกาหลีเหนือ", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "คูเวต", - "Kyrgyzstan": "คีจิสถาน name", - "Lao People's Democratic Republic": "ลาว", - "Last active": "สุดท้ายที่ทำงานอยู่", - "Last used": "ใช้มันครั้งสุดท้าย", - "Latvia": "ลัธเวีย name", - "Leave": "ทิ้ง", - "Leave Team": "ทิ้งทีม", - "Lebanon": "เลบานอน name", - "Lens": "เลนส์", - "Lesotho": "เลโซโต name", - "Liberia": "ไลบีเรีย", - "Libyan Arab Jamahiriya": "ลิเบีย", - "Liechtenstein": "ลิชเทนสไตน์", - "Lithuania": "ลิธัวเนีย name", - "Load :perPage More": "โหลด :perPage มากกว่า", - "Log in": "ปูมบันทึกอยู่ใน", "Log out": "ปูมบันทึกออกไป", - "Log Out": "ปูมบันทึกออกไป", - "Log Out Other Browser Sessions": "ปูมบันทึกออกไปอีกเบราว์เซอร์วาระการใช้งาน@Action:Inmenu Go", - "Login": "เข้าสู่ระบบ", - "Logout": "ออกจากระบบ", "Logout Other Browser Sessions": "ออกจากระบบ Comment อื่นเบราว์เซอร์วาระการใช้งาน@Action:Inmenu Go", - "Luxembourg": "ลักเซมเบิร์ก", - "Macao": "มาเก๊า", - "Macedonia": "ทางเหนือมาเซโดเนีย Name", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "มาดากัสกา name", - "Malawi": "มาลาวี name", - "Malaysia": "มาเลเซีย", - "Maldives": "มัลดิฟ name", - "Mali": "เล็ก", - "Malta": "มอลตา name", - "Manage Account": "จัดการบัญชีผู้ใช้", - "Manage and log out your active sessions on other browsers and devices.": "จัดการและออกจากระบบของวาระงานที่ใช้งานอยู่บนอื่น browsers และอุปกรณ์.", "Manage and logout your active sessions on other browsers and devices.": "จัดการและออกจากระบบ comment ของวาระงานที่ใช้งานอยู่บนอื่น browsers และอุปกรณ์.", - "Manage API Tokens": "จัดการรูปแบบ api สัญลักษณ์", - "Manage Role": "จัดการบทบาท", - "Manage Team": "จัดการทีม", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "มีนาคม", - "Marshall Islands": "หมู่เกาะมาแชล Name", - "Martinique": "มาทินิค name", - "Mauritania": "มอริทาเนีย name", - "Mauritius": "มอริเชียส", - "May": "อาจจะ", - "Mayotte": "บันทึกผู้สร้าง", - "Mexico": "เม็กซิโก", - "Micronesia, Federated States Of": "ไมโครนีเซีย", - "Moldova": "มอลโดวา name", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "โมนาโค", - "Mongolia": "มองโกเลีย name", - "Montenegro": "มอนเตเนโกร", - "Month To Date": "เดือนนึงไปเดท", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "มอนต์เซอร์รัต", - "Morocco": "โมร็อคโค", - "Mozambique": "โมแซมบิก name", - "Myanmar": "ปฏิทินของฉัน", - "Name": "ชื่อ", - "Namibia": "นามิเบีย name", - "Nauru": "ภาษานาอุรุ name", - "Nepal": "แสงธรรมชาติ", - "Netherlands": "เนเธอร์แลนด์", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "ฉันบอกแกว่าอย๋าเปิด", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "คนใหม่", - "New :resource": "ใหม่ :resource", - "New Caledonia": "นิวคาเลโดเนีย Name", - "New Password": "รหัสผ่านใหม่", - "New Zealand": "นิวซีแลนด์", - "Next": "ต่อไป", - "Nicaragua": "นิคารากัว", - "Niger": "ไนเจอร์ name", - "Nigeria": "ไนจีเรีย", - "Niue": "นิอุเอ", - "No": "ไม่", - "No :resource matched the given criteria.": "ไม่ :resource นตรงกันกับที่ได้รับเงื่อนไขการเรียงลำดับ.", - "No additional information...": "ไม่มีข้อมูลเพิ่มเติม...", - "No Current Data": "ไม่มีข้อมูลปัจจุบัน", - "No Data": "ไม่มีข้อมูล", - "no file selected": "ไม่มีแฟ้มที่เลือกไว้", - "No Increase": "ไม่เพิ่ม", - "No Prior Data": "ไม่มีข้อมูลก่อน", - "No Results Found.": "ไม่พบผลลัพธ์ใดๆ", - "Norfolk Island": "เกาะนอร์ฟอล์ค", - "Northern Mariana Islands": "หมู่เกาะมาเรียนเหนือ", - "Norway": "นอร์เวย์ name", "Not Found": "ไม่พบ", - "Nova User": "โนวาสโคของผู้ใช้", - "November": "พฤศจิกายน", - "October": "ตุลาคม", - "of": "ของ", "Oh no": "ไม่นะ", - "Oman": "โอมาน name", - "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 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 Trashed": "เดียวกลางรื้อ", - "Original": "ดั้งเดิม", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "หน้าที่ร้องขอหมดอายุแล้ว", "Pagination Navigation": "Pagination องการนำทาง", - "Pakistan": "ปากีสถาน", - "Palau": "เกาะพาเลา name", - "Palestinian Territory, Occupied": "ปาเลสไตน์แด", - "Panama": "ปานามา", - "Papua New Guinea": "ปาปัวนิวกินี", - "Paraguay": "ปารากวัย name", - "Password": "รหัสผ่าน", - "Pay :amount": "จ่าย :amount", - "Payment Cancelled": "ค่าจ้างถูกยกเลิก", - "Payment Confirmation": "ค่าจ้างรับการยืนยัน", - "Payment Information": "Payment Information", - "Payment Successful": "จ่ายเงินสำเร็จ", - "Pending Team Invitations": "ค้างคาวมทีมการเชื้อเชิญ", - "Per Page": "ต่อหน้า", - "Permanently delete this team.": "อย่างถาวรลบทีมนี้", - "Permanently delete your account.": "อย่างถาวรลบบัญชีของคุณ.", - "Permissions": "สิทธิ์ที่อนุญาต", - "Peru": "เปรู", - "Philippines": "ฟิลิปปินส์", - "Photo": "ภาพถ่าย", - "Pitcairn": "หมู่เกาะพิตแคร์น", "Please click the button below to verify your email address.": "กรุณาคลิ๊กปุ่มด้านล่างเพื่อยืนยันอีเมลของคุณ.", - "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 your password before continuing.": "ได้โปรดยืนยันรหัสผ่านของคุณก่อนต่อ.", - "Please copy your new API token. For your security, it won't be shown again.": "ได้โปรดคัดลอกใหม่ของคุณรูปแบบ api ตั๋วเข้าใช้งาน. สำหรับมรปภ.ของคุณมันจะไม่ถูกแสดงอีกครั้ง", - "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 logout of your other browser sessions across all of your devices.": "โปรดป้อนรหัสผ่านของคุณเพื่อยืนยันคุณอยากจะออกจากระบบ comment นคนอื่นๆของนายเบราว์เซอร์วาระการใช้งานอีกฝั่งของคุณทั้งหมดอุปกรณ์.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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. The email address must be associated with an existing account.": "โปรดกำหนดที่อยู่อีเมลของคนที่คุณอยากจะเพิ่มไปยังทีมนี้ ที่อยู่อีเมลที่ต้องเป็นที่เกี่ยวข้องกับที่มีอยู่แล้วขึ้นบัญชี", - "Please provide your name.": "โปรดกำหนดชื่อของคุณ", - "Poland": "โปแลนด์ name", - "Portugal": "โปรตุเกส", - "Press \/ to search": "กด\/ต้องการค้นหา", - "Preview": "แสดงตัวอย่าง", - "Previous": "ก่อนหน้านี้", - "Privacy Policy": "ข้อกำหนดความเป็นส่วนตัว", - "Profile": "โพรไฟล์", - "Profile Information": "โพรไฟล์ข้อมูล", - "Puerto Rico": "เปอร์โตริโก", - "Qatar": "Qatar", - "Quarter To Date": "หนึ่งส่วนสี่เดทกัน", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "การรักษารหัส", "Regards": "ฝากฝัง", - "Regenerate Recovery Codes": "Regenerate หารหัส", - "Register": "สมัครสมาชิก", - "Reload": "เรียกใหม่", - "Remember me": "จำฉันได้ไหม", - "Remember Me": "จดจำรหัสผ่าน", - "Remove": "ลบ", - "Remove Photo": "ลบรูปภาพ", - "Remove Team Member": "ลบสมาชิกทีม", - "Resend Verification Email": "ส่งอีกครั้งปลายทางอีเมล", - "Reset Filters": "ตั้งค่าตัวกรอง", - "Reset Password": "รีเซตรหัสผ่าน", - "Reset Password Notification": "รีเซตการแจ้งเตือนรหัสผ่าน", - "resource": "ทรัพยากร", - "Resources": "ทรัพยากร", - "resources": "ทรัพยากร", - "Restore": "เรียกคืน", - "Restore Resource": "เรียกคืนของทรัพยากรได้", - "Restore Selected": "เรียกคืนที่เลือกไว้", "results": "ผลตรวจ", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "ประชุม", - "Role": "บทบาท", - "Romania": "โรมาเนีย", - "Run Action": "วิ่งการกระทำ", - "Russian Federation": "สมาพันธรัฐรัสเซีย", - "Rwanda": "รวันด้า name", - "Réunion": "Réunion", - "Saint Barthelemy": "เซนต์ Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "เซนต์เฮเลน่า", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "เซนต์กิตส์และเนวิส", - "Saint Lucia": "เซนต์ลูเซีย", - "Saint Martin": "เซนต์มาร์ติน", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "เซนต์ปิแอร์และมีเกอลง", - "Saint Vincent And Grenadines": "เซนต์วินเซนต์และ Grenadines", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "ซามัว name", - "San Marino": "ซานมาริโน่", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "Africa. kgm", - "Saudi Arabia": "ซาอุดิอราเบีย", - "Save": "บันทึก", - "Saved.": "ปลอดภัย", - "Search": "การค้นหา", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "เลือกภาพถ่ายใหม่", - "Select Action": "เลือกการกระทำ", - "Select All": "เลือกทั้งหมด", - "Select All Matching": "เลือกทั้งคู่", - "Send Password Reset Link": "ส่งลิงค์สำหรับรีเซตรหัสผ่าน", - "Senegal": "เซนีกัล name", - "September": "กันยายน", - "Serbia": "เซอร์เบีย", "Server Error": "เซิร์ฟเวอร์เกิดข้อผิดพลาด", "Service Unavailable": "ระบบไม่พร้อมให้บริการ", - "Seychelles": "เซย์เชลล์ name", - "Show All Fields": "แสดงช่องข้อมูล", - "Show Content": "แสดงเนื้อหา", - "Show Recovery Codes": "แสดงการรักษารหัส", "Showing": "แสดง", - "Sierra Leone": "เซียร์ราลีโอน Name", - "Signed in as": "Signed in as", - "Singapore": "สิงคโปร์", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "สโลวาเกีย name", - "Slovenia": "สโลเวเนีย name", - "Solomon Islands": "หมู่เกาะโซโลมอน", - "Somalia": "โซมาเลีย", - "Something went wrong.": "มีบางอย่างผิดพลาดเกิดขึ้น", - "Sorry! You are not authorized to perform this action.": "ขอโทษ! คุณยังไม่ได้รับอนุญาตให้แสดงการทำการกระทำนี้", - "Sorry, your session has expired.": "ขอโทษของกลุ่มงานอย่างน้อยก็หลับซะบ้าง", - "South Africa": "แอฟริกาใต้", - "South Georgia And Sandwich Isl.": "ใต้จอร์เจียใต้หมู่เกาะแซนด์วิช", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "ใต้แสงอาทิตย์", - "Spain": "สเปน", - "Sri Lanka": "ศรีลังกา Name", - "Start Polling": "เริ่มต้นดเลือกตั้งในพื้น", - "State \/ County": "State \/ County", - "Stop Polling": "หยุดเลือกตั้งในพื้น", - "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.": "ร้านขายพวกนี้รักษารหัสในความปลอดภัยไว้ซึ่งรหัสผ่านผู้จัดการ พวกเขาสามารถถูกใช้เพื่อฟื้นตัวจากการเจ็บป่เข้าถึงบัญชีของคุณถ้าคุณสองคนปัจจัการตรวจสอบสิทธิ์ของอุปกรณ์กำลังเสียฐานที่มั่นซึริบาชิ", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "ซูดาน", - "Suriname": "แสงอาทิตย์ยามเช้าตรู่", - "Svalbard And Jan Mayen": "Svalbard และแจ Mayen", - "Swaziland": "Eswatini", - "Sweden": "สวีเดน", - "Switch Teams": "เปลี่ยนทีม", - "Switzerland": "สวิตเซอร์แลนด์", - "Syrian Arab Republic": "ซีเรีย name", - "Taiwan": "ไต้หวัน name", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "ทาจีกิสถาน name", - "Tanzania": "แทนซาเนีย", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "ทีมรายละเอียด", - "Team Invitation": "ทีมการเชื้อเชิญ", - "Team Members": "สมาชิกทีม", - "Team Name": "ชื่อของทีม", - "Team Owner": "เจ้าของทีม", - "Team Settings": "ทีมการตั้งค่า", - "Terms of Service": "เงื่อนไขของบริการ", - "Thailand": "ราชอาณาจักรไทย name", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "ที่ :attribute ต้องเป็นที่ถูกต้องบทก่อน", - "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 and 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 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 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.": "ที่ :attribute ต้องเป็นอย่างน้อย :length ตัวอักษร", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "ที่ :resource ถูกสร้างขึ้น!", - "The :resource was deleted!": "ที่ :resource ถูกลบออกไป!", - "The :resource was restored!": "ที่ :resource นถูกเรียกคืน!", - "The :resource was updated!": "ที่ :resource ถูกปรับปรุง!", - "The action ran successfully!": "กการวิ่งเรียบร้อยแล้!", - "The file was deleted!": "แฟ้มที่ถูกลบออกไป!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "รัฐบาลจะไม่ปล่อยให้พวกเราแสดงให้พวกเธอเห็นว่าอะไรอยู่เบื้องหลังประตูพวกนี้", - "The HasOne relationship has already been filled.": "ที่ HasOne ความสัมพันธ์มีคนอยู่แล้ว", - "The payment was successful.": "จ่ายเป็นคนที่ประสบผลสำเร็จเลย", - "The provided coupon code is invalid.": "The provided coupon code is 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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "ทรัพยากรถูกปรับปรุง!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "ทีมขอชื่อเจ้าของข้อมูล", - "There are no available options for this resource.": "มันไม่มีอยู่ตัวเลือกสำหรับทรัพยากรนี้", - "There was a problem executing the action.": "นั่นเป็นปัญหาระหว่างประมวลผลทางการการกระทำ", - "There was a problem submitting the form.": "มีปัญหา submitting ที่เป็นแบบนี้", - "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.": "คนพวกนี้ได้ถูกเชิญของทีมและส่งการเชื้อเชิญส่งเมล พวกเขาอาจจะเข้าร่วมกับทีมด้วยการยอมรับทางการเชื้อเชิญผ่านทางอีเมล.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "การกระทำนี้เป็นโดยพลการ", - "This device": "อุปกรณ์นี้", - "This file field is read-only.": "แฟ้มนี้สอนอ่านได้อย่างเดียว", - "This image": "ภาพนี้", - "This is a secure area of the application. Please confirm your password before continuing.": "นี่เป็นพื้นที่ปลอดภัยของการทำงานของโปรแกรม ได้โปรดยืนยันรหัสผ่านของคุณก่อนต่อ.", - "This password does not match our records.": "นี่รหัสผ่านไม่ตรงกับบันทึกของเรา", "This password reset link will expire in :count minutes.": "นี่รหัสผ่านใหม่เชื่อมโยงจะหมดอายุใน :count นาที", - "This payment was already successfully confirmed.": "นี่จ่ายเงินแล้วเรียบร้อยแล้ยืนยันแล้ว", - "This payment was cancelled.": "นี่เงินถูกยกเลิกแล้ว", - "This resource no longer exists": "นี่ทรัพยากรไม่มีอีกต่อไป", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "นี่ของผู้ใช้แล้วเป็นของทีม", - "This user has already been invited to the team.": "นี่ของผู้ใช้คนเพิ่งถูกเชิญไปเข้าร่วมกับองทีม", - "Timor-Leste": "ติมอร์ตะวันออก", "to": "ต้อง", - "Today": "วันนี้", "Toggle navigation": "แสดง\/ซ่อนแถบนำทาง comment", - "Togo": "โตโก name", - "Tokelau": "โทเคเลา name", - "Token Name": "ชื่อขอตั๋วเข้าใช้งาน", - "Tonga": "เข้ามา", "Too Many Attempts.": "มากมายพยายาม.", "Too Many Requests": "มีการส่งคำร้องมากเกินไป", - "total": "ทั้งหมด", - "Total:": "Total:", - "Trashed": "รื้", - "Trinidad And Tobago": "ตรีนิแดดและโทบาโก name", - "Tunisia": "ตูนีเซีย", - "Turkey": "ไก่งวง", - "Turkmenistan": "เตอร์กเมนิสถาน", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "เกาะเติร์กและเคคอส name", - "Tuvalu": "ตูวาลู name", - "Two Factor Authentication": "สองคนปัจจัการตรวจสอบสิทธิ์", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "สองคนปัจจัการตรวจสอบสิทธิ์ตอนนี้เปิดการทำงาน ตรวจค้นคลังตาม QR รหัสโดยใช้โทรศัพท์ของคุณเป็นอีกด้วรทำงานของโปรแกรม", - "Uganda": "ยูกันดา name", - "Ukraine": "ยูเครน", "Unauthorized": "ไม่มีสิทธิ", - "United Arab Emirates": "สหรัฐอาหรับอีมิเรตส์", - "United Kingdom": "สหราชอาณาจักร", - "United States": "สหรัฐอเมริกา", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "สหรัฐอเมริกา Outlying หมู่เกาะ", - "Update": "ปรับปรุง", - "Update & Continue Editing": "ปรับปรุง&ต่อการแก้ไข", - "Update :resource": "ปรับปรุง :resource", - "Update :resource: :title": "ปรับปรุง :resource::title", - "Update attached :resource: :title": "ปรับปรุงติด :resource::title", - "Update Password": "ปรับปรุงรหัสผ่าน", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "ปรับปรุงบัญชีของคุณคือโพรไฟล์ข้อมูลและที่อยู่อีเมล.", - "Uruguay": "อุรุกวัย", - "Use a recovery code": "ใช้การรักษารหัส", - "Use an authentication code": "ใช้การตรวจสอบสิทธิ์ของรหัส", - "Uzbekistan": "อุซเบกิสถาน name", - "Value": "ค่า", - "Vanuatu": "แวนัวตู name", - "VAT Number": "VAT Number", - "Venezuela": "เวเนซุเอลา name", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "ยืนยันอีเมล", "Verify Your Email Address": "ยืนยันอีเมลของคุณ", - "Viet Nam": "Vietnam", - "View": "มุมมอง", - "Virgin Islands, British": "หมู่เกาะบริติชเวอร์จิน", - "Virgin Islands, U.S.": "สหรัฐอเมริกาหมู่เกาะเวอร์จิน", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "วอลลิสและฟูทูนา name", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "เราไม่สามารถหาจดทะเบียนผู้ใช้กับเรื่องนี้อยู่อีเมลที่.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "เราไม่ให้ถามสำหรับรหัสผ่านของคุณอีกครั้งสำหรับก่อนหน้านี้ไม่กี่ชั่วโมง", - "We're lost in space. The page you were trying to view does not exist.": "เราสูญเสียนองในอวกาศ หน้าคุณกำลังพยายามองมุมมองไม่มีตัวตน", - "Welcome Back!": "ยินดีต้อนรับกลับมา!", - "Western Sahara": "ซาฮาร่าตะวันตก", - "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.": "เมื่อสองคนปัจจักเปิดใช้ตัวเลือกการตรวจสอบสิทธิ์ของคุณจะถูกถามสำหรับความปลอดภัยแบบสุ่มตั๋วเข้าใช้งานระหว่างการตรวจสอบสิทธิ์โปรด คุณอาจจะดึงข้อมูนี้ตั๋วเข้าใช้งานจากโทรศัพท์ของคุณเป็นของกูเกิ้ลอีกด้วรทำงานของโปรแกรม", - "Whoops": "ฉันหวังว่าพวกเธอจะแก้ไขเรื่", - "Whoops!": "อุปส์!", - "Whoops! Something went wrong.": "ฉันหวังว่าพวกเธอจะแก้ไขเรื่! มีบางอย่างผิดพลาดเกิดขึ้น", - "With Trashed": "กับขยะ", - "Write": "เขียน", - "Year To Date": "ปีเพื่อวัน", - "Yearly": "Yearly", - "Yemen": "Yemeni", - "Yes": "ใช่แล้ว", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "คุณเข้าสู่ระบบแล้ว!", - "You are receiving this email because we received a password reset request for your account.": "คุณได้รับอีเมลสำหรับรีเซตรหัสผ่าน เนื่องจากเราได้รับคำร้องขอรีเซตรหัสผ่านสำหรับบัญชีของคุณ.", - "You have been invited to join the :team team!": "คุณได้รับเชิญเข้าร่วม :team ทีม!", - "You have enabled two factor authentication.": "คุณต้องเปิดใช้งานสองคนปัจจัการตรวจสอบสิทธิ์โปรด", - "You have not enabled two factor authentication.": "คุณยังไม่ได้เปิดใช้งานสองคนปัจจัการตรวจสอบสิทธิ์โปรด", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.": "คุณอาจจะไม่ออกจากทีมว่าคุณสร้างขึ้นมา", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "ที่อยู่อีเมลของคุณไม่ได้ยืนยันก่อน", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "แซมเบีย", - "Zimbabwe": "ซิมบับเว", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "ที่อยู่อีเมลของคุณไม่ได้ยืนยันก่อน" } diff --git a/locales/tk/packages/cashier.json b/locales/tk/packages/cashier.json new file mode 100644 index 00000000000..d815141a0b5 --- /dev/null +++ b/locales/tk/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "All rights reserved.", + "Card": "Card", + "Confirm Payment": "Confirm Payment", + "Confirm your :amount payment": "Confirm your :amount payment", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", + "Full name": "Full name", + "Go back": "Go back", + "Jane Doe": "Jane Doe", + "Pay :amount": "Pay :amount", + "Payment Cancelled": "Payment Cancelled", + "Payment Confirmation": "Payment Confirmation", + "Payment Successful": "Payment Successful", + "Please provide your name.": "Please provide your name.", + "The payment was successful.": "The payment was successful.", + "This payment was already successfully confirmed.": "This payment was already successfully confirmed.", + "This payment was cancelled.": "This payment was cancelled." +} diff --git a/locales/tk/packages/fortify.json b/locales/tk/packages/fortify.json new file mode 100644 index 00000000000..fa4b05c7684 --- /dev/null +++ b/locales/tk/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 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 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." +} diff --git a/locales/tk/packages/jetstream.json b/locales/tk/packages/jetstream.json new file mode 100644 index 00000000000..0f42c7ba1ac --- /dev/null +++ b/locales/tk/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "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.", + "Accept Invitation": "Accept Invitation", + "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 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", + "Added.": "Added.", + "Administrator": "Administrator", + "Administrator users can perform any action.": "Administrator users can perform any action.", + "All of the people that are part of this team.": "All of the people that are part of this team.", + "Already registered?": "Already registered?", + "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.", + "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 delete this API token?": "Are you sure you would like to delete this API token?", + "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?", + "Browser Sessions": "Browser Sessions", + "Cancel": "Cancel", + "Close": "Close", + "Code": "Code", + "Confirm": "Confirm", + "Confirm Password": "Confirm Password", + "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 API Token": "Create API Token", + "Create New Team": "Create New Team", + "Create Team": "Create Team", + "Created.": "Created.", + "Current Password": "Current Password", + "Dashboard": "Dashboard", + "Delete": "Delete", + "Delete Account": "Delete Account", + "Delete API Token": "Delete API Token", + "Delete Team": "Delete Team", + "Disable": "Disable", + "Done.": "Done.", + "Editor": "Editor", + "Editor users have the ability to read, create, and update.": "Editor users have the ability to read, create, and update.", + "Email": "Email", + "Email Password Reset Link": "Email Password Reset Link", + "Enable": "Enable", + "Ensure your account is using a long, random password to stay secure.": "Ensure your account is using a long, random password to stay secure.", + "For your security, please confirm your password to continue.": "For your security, please confirm your password to continue.", + "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.", + "Great! You have accepted the invitation to join the :team team.": "Great! You have accepted the invitation to join the :team team.", + "I agree to the :terms_of_service and :privacy_policy": "I agree to the :terms_of_service and :privacy_policy", + "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 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 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 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:", + "Last active": "Last active", + "Last used": "Last used", + "Leave": "Leave", + "Leave Team": "Leave Team", + "Log in": "Log in", + "Log Out": "Log Out", + "Log Out Other Browser Sessions": "Log Out Other Browser Sessions", + "Manage Account": "Manage Account", + "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 Role": "Manage Role", + "Manage Team": "Manage Team", + "Name": "Name", + "New Password": "New Password", + "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 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.", + "Password": "Password", + "Pending Team Invitations": "Pending Team Invitations", + "Permanently delete this team.": "Permanently delete this team.", + "Permanently delete your account.": "Permanently delete your account.", + "Permissions": "Permissions", + "Photo": "Photo", + "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 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 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.", + "Privacy Policy": "Privacy Policy", + "Profile": "Profile", + "Profile Information": "Profile Information", + "Recovery Code": "Recovery Code", + "Regenerate Recovery Codes": "Regenerate Recovery Codes", + "Register": "Register", + "Remember me": "Remember me", + "Remove": "Remove", + "Remove Photo": "Remove Photo", + "Remove Team Member": "Remove Team Member", + "Resend Verification Email": "Resend Verification Email", + "Reset Password": "Reset Password", + "Role": "Role", + "Save": "Save", + "Saved.": "Saved.", + "Select A New Photo": "Select A New Photo", + "Show Recovery Codes": "Show Recovery Codes", + "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.", + "Switch Teams": "Switch Teams", + "Team Details": "Team Details", + "Team Invitation": "Team Invitation", + "Team Members": "Team Members", + "Team Name": "Team Name", + "Team Owner": "Team Owner", + "Team Settings": "Team Settings", + "Terms of Service": "Terms of Service", + "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 a valid role.": "The :attribute must be a valid role.", + "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 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 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 team's name and owner information.": "The team's name and owner information.", + "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.", + "This device": "This device", + "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 password does not match our records.": "This password does not match our records.", + "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.", + "Token Name": "Token Name", + "Two Factor Authentication": "Two Factor Authentication", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.", + "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", + "Use an authentication code": "Use an authentication code", + "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.", + "Whoops! Something went wrong.": "Whoops! Something went wrong.", + "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 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." +} diff --git a/locales/tk/packages/nova.json b/locales/tk/packages/nova.json new file mode 100644 index 00000000000..4b295ddfca3 --- /dev/null +++ b/locales/tk/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Days", + "60 Days": "60 Days", + "90 Days": "90 Days", + ":amount Total": ":amount Total", + ":resource Details": ":resource Details", + ":resource Details: :title": ":resource Details: :title", + "Action": "Action", + "Action Happened At": "Happened At", + "Action Initiated By": "Initiated By", + "Action Name": "Name", + "Action Status": "Status", + "Action Target": "Target", + "Actions": "Actions", + "Add row": "Add row", + "Afghanistan": "Afghanistan", + "Aland Islands": "Åland Islands", + "Albania": "Albania", + "Algeria": "Algeria", + "All resources loaded.": "All resources loaded.", + "American Samoa": "American Samoa", + "An error occured while uploading the file.": "An error occured while uploading the file.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Another user has updated this resource since this page was loaded. Please refresh the page and try again.", + "Antarctica": "Antarctica", + "Antigua And Barbuda": "Antigua and Barbuda", + "April": "April", + "Are you sure you want to delete the selected resources?": "Are you sure you want to delete the selected resources?", + "Are you sure you want to delete this file?": "Are you sure you want to delete this file?", + "Are you sure you want to delete this resource?": "Are you sure you want to delete this resource?", + "Are you sure you want to detach the selected resources?": "Are you sure you want to detach the selected resources?", + "Are you sure you want to detach this resource?": "Are you sure you want to detach this resource?", + "Are you sure you want to force delete the selected resources?": "Are you sure you want to force delete the selected resources?", + "Are you sure you want to force delete this resource?": "Are you sure you want to force delete this resource?", + "Are you sure you want to restore the selected resources?": "Are you sure you want to restore the selected resources?", + "Are you sure you want to restore this resource?": "Are you sure you want to restore this resource?", + "Are you sure you want to run this action?": "Are you sure you want to run this action?", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Attach": "Attach", + "Attach & Attach Another": "Attach & Attach Another", + "Attach :resource": "Attach :resource", + "August": "August", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgium", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Saba", + "Bosnia And Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brazil", + "British Indian Ocean Territory": "British Indian Ocean Territory", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Cameroon", + "Canada": "Canada", + "Cancel": "Cancel", + "Cape Verde": "Cape Verde", + "Cayman Islands": "Cayman Islands", + "Central African Republic": "Central African Republic", + "Chad": "Chad", + "Changes": "Changes", + "Chile": "Chile", + "China": "China", + "Choose": "Choose", + "Choose :field": "Choose :field", + "Choose :resource": "Choose :resource", + "Choose an option": "Choose an option", + "Choose date": "Choose date", + "Choose File": "Choose File", + "Choose Type": "Choose Type", + "Christmas Island": "Christmas Island", + "Click to choose": "Click to choose", + "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", + "Colombia": "Colombia", + "Comoros": "Comoros", + "Confirm Password": "Confirm Password", + "Congo": "Congo", + "Congo, Democratic Republic": "Congo, Democratic Republic", + "Constant": "Constant", + "Cook Islands": "Cook Islands", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "could not be found.", + "Create": "Create", + "Create & Add Another": "Create & Add Another", + "Create :resource": "Create :resource", + "Croatia": "Croatia", + "Cuba": "Cuba", + "Curaçao": "Curaçao", + "Customize": "Customize", + "Cyprus": "Cyprus", + "Czech Republic": "Czechia", + "Dashboard": "Dashboard", + "December": "December", + "Decrease": "Decrease", + "Delete": "Delete", + "Delete File": "Delete File", + "Delete Resource": "Delete Resource", + "Delete Selected": "Delete Selected", + "Denmark": "Denmark", + "Detach": "Detach", + "Detach Resource": "Detach Resource", + "Detach Selected": "Detach Selected", + "Details": "Details", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Do you really want to leave? You have unsaved changes.", + "Dominica": "Dominica", + "Dominican Republic": "Dominican Republic", + "Download": "Download", + "Ecuador": "Ecuador", + "Edit": "Edit", + "Edit :resource": "Edit :resource", + "Edit Attached": "Edit Attached", + "Egypt": "Egypt", + "El Salvador": "El Salvador", + "Email Address": "Email Address", + "Equatorial Guinea": "Equatorial Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Ethiopia", + "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", + "Faroe Islands": "Faroe Islands", + "February": "February", + "Fiji": "Fiji", + "Finland": "Finland", + "Force Delete": "Force Delete", + "Force Delete Resource": "Force Delete Resource", + "Force Delete Selected": "Force Delete Selected", + "Forgot Your Password?": "Forgot Your Password?", + "Forgot your password?": "Forgot your password?", + "France": "France", + "French Guiana": "French Guiana", + "French Polynesia": "French Polynesia", + "French Southern Territories": "French Southern Territories", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Germany", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "Go Home", + "Greece": "Greece", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Heard Island and McDonald Islands", + "Hide Content": "Hide Content", + "Hold Up!": "Hold Up!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungary", + "Iceland": "Iceland", + "ID": "ID", + "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.", + "Increase": "Increase", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Iraq", + "Ireland": "Ireland", + "Isle Of Man": "Isle of Man", + "Israel": "Israel", + "Italy": "Italy", + "Jamaica": "Jamaica", + "January": "January", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "July": "July", + "June": "June", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Key": "Key", + "Kiribati": "Kiribati", + "Korea": "South Korea", + "Korea, Democratic People's Republic of": "North Korea", + "Kosovo": "Kosovo", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvia", + "Lebanon": "Lebanon", + "Lens": "Lens", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lithuania", + "Load :perPage More": "Load :perPage More", + "Login": "Login", + "Logout": "Logout", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia": "North Macedonia", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Mali", + "Malta": "Malta", + "March": "March", + "Marshall Islands": "Marshall Islands", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "May": "May", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States Of": "Micronesia", + "Moldova": "Moldova", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Month To Date": "Month To Date", + "Montserrat": "Montserrat", + "Morocco": "Morocco", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Netherlands", + "New": "New", + "New :resource": "New :resource", + "New Caledonia": "New Caledonia", + "New Zealand": "New Zealand", + "Next": "Next", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "No", + "No :resource matched the given criteria.": "No :resource matched the given criteria.", + "No additional information...": "No additional information...", + "No Current Data": "No Current Data", + "No Data": "No Data", + "no file selected": "no file selected", + "No Increase": "No Increase", + "No Prior Data": "No Prior Data", + "No Results Found.": "No Results Found.", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Northern Mariana Islands", + "Norway": "Norway", + "Nova User": "Nova User", + "November": "November", + "October": "October", + "of": "of", + "Oman": "Oman", + "Only Trashed": "Only Trashed", + "Original": "Original", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinian Territories", + "Panama": "Panama", + "Papua New Guinea": "Papua New Guinea", + "Paraguay": "Paraguay", + "Password": "Password", + "Per Page": "Per Page", + "Peru": "Peru", + "Philippines": "Philippines", + "Pitcairn": "Pitcairn Islands", + "Poland": "Poland", + "Portugal": "Portugal", + "Press \/ to search": "Press \/ to search", + "Preview": "Preview", + "Previous": "Previous", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Quarter To Date", + "Reload": "Reload", + "Remember Me": "Remember Me", + "Reset Filters": "Reset Filters", + "Reset Password": "Reset Password", + "Reset Password Notification": "Reset Password Notification", + "resource": "resource", + "Resources": "Resources", + "resources": "resources", + "Restore": "Restore", + "Restore Resource": "Restore Resource", + "Restore Selected": "Restore Selected", + "Reunion": "Réunion", + "Romania": "Romania", + "Run Action": "Run Action", + "Russian Federation": "Russian Federation", + "Rwanda": "Rwanda", + "Saint Barthelemy": "St. Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts And Nevis": "St. Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin": "St. Martin", + "Saint Pierre And Miquelon": "St. Pierre and Miquelon", + "Saint Vincent And Grenadines": "St. Vincent and Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "São Tomé and Príncipe", + "Saudi Arabia": "Saudi Arabia", + "Search": "Search", + "Select Action": "Select Action", + "Select All": "Select All", + "Select All Matching": "Select All Matching", + "Send Password Reset Link": "Send Password Reset Link", + "Senegal": "Senegal", + "September": "September", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Show All Fields": "Show All Fields", + "Show Content": "Show Content", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapore", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Solomon Islands", + "Somalia": "Somalia", + "Something went wrong.": "Something went wrong.", + "Sorry! You are not authorized to perform this action.": "Sorry! You are not authorized to perform this action.", + "Sorry, your session has expired.": "Sorry, your session has expired.", + "South Africa": "South Africa", + "South Georgia And Sandwich Isl.": "South Georgia and South Sandwich Islands", + "South Sudan": "South Sudan", + "Spain": "Spain", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Start Polling", + "Stop Polling": "Stop Polling", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sweden", + "Switzerland": "Switzerland", + "Syrian Arab Republic": "Syria", + "Taiwan": "Taiwan", + "Tajikistan": "Tajikistan", + "Tanzania": "Tanzania", + "Thailand": "Thailand", + "The :resource was created!": "The :resource was created!", + "The :resource was deleted!": "The :resource was deleted!", + "The :resource was restored!": "The :resource was restored!", + "The :resource was updated!": "The :resource was updated!", + "The action ran successfully!": "The action ran successfully!", + "The file was deleted!": "The file was deleted!", + "The government won't let us show you what's behind these doors": "The government won't let us show you what's behind these doors", + "The HasOne relationship has already been filled.": "The HasOne relationship has already been filled.", + "The resource was updated!": "The resource was updated!", + "There are no available options for this resource.": "There are no available options for this resource.", + "There was a problem executing the action.": "There was a problem executing the action.", + "There was a problem submitting the form.": "There was a problem submitting the form.", + "This file field is read-only.": "This file field is read-only.", + "This image": "This image", + "This resource no longer exists": "This resource no longer exists", + "Timor-Leste": "Timor-Leste", + "Today": "Today", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "total": "total", + "Trashed": "Trashed", + "Trinidad And Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turkey", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "United Arab Emirates", + "United Kingdom": "United Kingdom", + "United States": "United States", + "United States Outlying Islands": "U.S. Outlying Islands", + "Update": "Update", + "Update & Continue Editing": "Update & Continue Editing", + "Update :resource": "Update :resource", + "Update :resource: :title": "Update :resource: :title", + "Update attached :resource: :title": "Update attached :resource: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Value": "Value", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "View", + "Virgin Islands, British": "British Virgin Islands", + "Virgin Islands, U.S.": "U.S. Virgin Islands", + "Wallis And Futuna": "Wallis and Futuna", + "We're lost in space. The page you were trying to view does not exist.": "We're lost in space. The page you were trying to view does not exist.", + "Welcome Back!": "Welcome Back!", + "Western Sahara": "Western Sahara", + "Whoops": "Whoops", + "Whoops!": "Whoops!", + "With Trashed": "With Trashed", + "Write": "Write", + "Year To Date": "Year To Date", + "Yemen": "Yemen", + "Yes": "Yes", + "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.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/tk/packages/spark-paddle.json b/locales/tk/packages/spark-paddle.json new file mode 100644 index 00000000000..d3b44a5fcae --- /dev/null +++ b/locales/tk/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Terms of Service", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Whoops! Something went wrong.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/tk/packages/spark-stripe.json b/locales/tk/packages/spark-stripe.json new file mode 100644 index 00000000000..69f478bd749 --- /dev/null +++ b/locales/tk/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afghanistan", + "Albania": "Albania", + "Algeria": "Algeria", + "American Samoa": "American Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarctica", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgium", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brazil", + "British Indian Ocean Territory": "British Indian Ocean Territory", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Cameroon", + "Canada": "Canada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Cape Verde", + "Card": "Card", + "Cayman Islands": "Cayman Islands", + "Central African Republic": "Central African Republic", + "Chad": "Chad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Chile", + "China": "China", + "Christmas Island": "Christmas Island", + "City": "City", + "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", + "Colombia": "Colombia", + "Comoros": "Comoros", + "Confirm Payment": "Confirm Payment", + "Confirm your :amount payment": "Confirm your :amount payment", + "Congo": "Congo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Cook Islands", + "Costa Rica": "Costa Rica", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Croatia", + "Cuba": "Cuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Cyprus", + "Czech Republic": "Czechia", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Denmark", + "Djibouti": "Djibouti", + "Dominica": "Dominica", + "Dominican Republic": "Dominican Republic", + "Download Receipt": "Download Receipt", + "Ecuador": "Ecuador", + "Egypt": "Egypt", + "El Salvador": "El Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Equatorial Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Ethiopia", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", + "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", + "Faroe Islands": "Faroe Islands", + "Fiji": "Fiji", + "Finland": "Finland", + "France": "France", + "French Guiana": "French Guiana", + "French Polynesia": "French Polynesia", + "French Southern Territories": "French Southern Territories", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Germany", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Greece", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungary", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Iceland", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Iraq", + "Ireland": "Ireland", + "Isle of Man": "Isle of Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italy", + "Jamaica": "Jamaica", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "North Korea", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvia", + "Lebanon": "Lebanon", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lithuania", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Mali", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marshall Islands", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Morocco", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Netherlands", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "New Caledonia", + "New Zealand": "New Zealand", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Northern Mariana Islands", + "Norway": "Norway", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinian Territories", + "Panama": "Panama", + "Papua New Guinea": "Papua New Guinea", + "Paraguay": "Paraguay", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Philippines", + "Pitcairn": "Pitcairn Islands", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Poland", + "Portugal": "Portugal", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Romania", + "Russian Federation": "Russian Federation", + "Rwanda": "Rwanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saudi Arabia", + "Save": "Save", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapore", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Solomon Islands", + "Somalia": "Somalia", + "South Africa": "South Africa", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Spain", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sweden", + "Switzerland": "Switzerland", + "Syrian Arab Republic": "Syria", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tajikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Terms of Service", + "Thailand": "Thailand", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turkey", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "United Arab Emirates", + "United Kingdom": "United Kingdom", + "United States": "United States", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Update", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "British Virgin Islands", + "Virgin Islands, U.S.": "U.S. Virgin Islands", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Western Sahara", + "Whoops! Something went wrong.": "Whoops! Something went wrong.", + "Yearly": "Yearly", + "Yemen": "Yemen", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/tk/tk.json b/locales/tk/tk.json index 7fe2e63dd96..62151bbcded 100644 --- a/locales/tk/tk.json +++ b/locales/tk/tk.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Days", - "60 Days": "60 Days", - "90 Days": "90 Days", - ":amount Total": ":amount Total", - ":days day trial": ":days day trial", - ":resource Details": ":resource Details", - ":resource Details: :title": ":resource Details: :title", "A fresh verification link has been sent to your email address.": "A fresh verification link has been sent to your email address.", - "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.", - "Accept Invitation": "Accept Invitation", - "Action": "Action", - "Action Happened At": "Happened At", - "Action Initiated By": "Initiated By", - "Action Name": "Name", - "Action Status": "Status", - "Action Target": "Target", - "Actions": "Actions", - "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 additional security to your account using two factor authentication.": "Add additional security to your account using two factor authentication.", - "Add row": "Add row", - "Add Team Member": "Add Team Member", - "Add VAT Number": "Add VAT Number", - "Added.": "Added.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administrator", - "Administrator users can perform any action.": "Administrator users can perform any action.", - "Afghanistan": "Afghanistan", - "Aland Islands": "Åland Islands", - "Albania": "Albania", - "Algeria": "Algeria", - "All of the people that are part of this team.": "All of the people that are part of this team.", - "All resources loaded.": "All resources loaded.", - "All rights reserved.": "All rights reserved.", - "Already registered?": "Already registered?", - "American Samoa": "American Samoa", - "An error occured while uploading the file.": "An error occured while uploading the file.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Another user has updated this resource since this page was loaded. Please refresh the page and try again.", - "Antarctica": "Antarctica", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua and Barbuda", - "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.", - "April": "April", - "Are you sure you want to delete the selected resources?": "Are you sure you want to delete the selected resources?", - "Are you sure you want to delete this file?": "Are you sure you want to delete this file?", - "Are you sure you want to delete this resource?": "Are you sure you want to delete this resource?", - "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 want to detach the selected resources?": "Are you sure you want to detach the selected resources?", - "Are you sure you want to detach this resource?": "Are you sure you want to detach this resource?", - "Are you sure you want to force delete the selected resources?": "Are you sure you want to force delete the selected resources?", - "Are you sure you want to force delete this resource?": "Are you sure you want to force delete this resource?", - "Are you sure you want to restore the selected resources?": "Are you sure you want to restore the selected resources?", - "Are you sure you want to restore this resource?": "Are you sure you want to restore this resource?", - "Are you sure you want to run this action?": "Are you sure you want to run this action?", - "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 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?", - "Argentina": "Argentina", - "Armenia": "Armenia", - "Aruba": "Aruba", - "Attach": "Attach", - "Attach & Attach Another": "Attach & Attach Another", - "Attach :resource": "Attach :resource", - "August": "August", - "Australia": "Australia", - "Austria": "Austria", - "Azerbaijan": "Azerbaijan", - "Bahamas": "Bahamas", - "Bahrain": "Bahrain", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Before proceeding, please check your email for a verification link.", - "Belarus": "Belarus", - "Belgium": "Belgium", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bhutan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Saba", - "Bosnia And Herzegovina": "Bosnia and Herzegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvet Island", - "Brazil": "Brazil", - "British Indian Ocean Territory": "British Indian Ocean Territory", - "Browser Sessions": "Browser Sessions", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgaria", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Cambodia", - "Cameroon": "Cameroon", - "Canada": "Canada", - "Cancel": "Cancel", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Cape Verde", - "Card": "Card", - "Cayman Islands": "Cayman Islands", - "Central African Republic": "Central African Republic", - "Chad": "Chad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Changes", - "Chile": "Chile", - "China": "China", - "Choose": "Choose", - "Choose :field": "Choose :field", - "Choose :resource": "Choose :resource", - "Choose an option": "Choose an option", - "Choose date": "Choose date", - "Choose File": "Choose File", - "Choose Type": "Choose Type", - "Christmas Island": "Christmas Island", - "City": "City", "click here to request another": "click here to request another", - "Click to choose": "Click to choose", - "Close": "Close", - "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", - "Code": "Code", - "Colombia": "Colombia", - "Comoros": "Comoros", - "Confirm": "Confirm", - "Confirm Password": "Confirm Password", - "Confirm Payment": "Confirm Payment", - "Confirm your :amount payment": "Confirm your :amount payment", - "Congo": "Congo", - "Congo, Democratic Republic": "Congo, Democratic Republic", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Constant", - "Cook Islands": "Cook Islands", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "could not be found.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Create", - "Create & Add Another": "Create & Add Another", - "Create :resource": "Create :resource", - "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 API Token": "Create API Token", - "Create New Team": "Create New Team", - "Create Team": "Create Team", - "Created.": "Created.", - "Croatia": "Croatia", - "Cuba": "Cuba", - "Curaçao": "Curaçao", - "Current Password": "Current Password", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Customize", - "Cyprus": "Cyprus", - "Czech Republic": "Czechia", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Dashboard", - "December": "December", - "Decrease": "Decrease", - "Delete": "Delete", - "Delete Account": "Delete Account", - "Delete API Token": "Delete API Token", - "Delete File": "Delete File", - "Delete Resource": "Delete Resource", - "Delete Selected": "Delete Selected", - "Delete Team": "Delete Team", - "Denmark": "Denmark", - "Detach": "Detach", - "Detach Resource": "Detach Resource", - "Detach Selected": "Detach Selected", - "Details": "Details", - "Disable": "Disable", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Do you really want to leave? You have unsaved changes.", - "Dominica": "Dominica", - "Dominican Republic": "Dominican Republic", - "Done.": "Done.", - "Download": "Download", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-Mail Address", - "Ecuador": "Ecuador", - "Edit": "Edit", - "Edit :resource": "Edit :resource", - "Edit Attached": "Edit Attached", - "Editor": "Editor", - "Editor users have the ability to read, create, and update.": "Editor users have the ability to read, create, and update.", - "Egypt": "Egypt", - "El Salvador": "El Salvador", - "Email": "Email", - "Email Address": "Email Address", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Email Password Reset Link", - "Enable": "Enable", - "Ensure your account is using a long, random password to stay secure.": "Ensure your account is using a long, random password to stay secure.", - "Equatorial Guinea": "Equatorial Guinea", - "Eritrea": "Eritrea", - "Estonia": "Estonia", - "Ethiopia": "Ethiopia", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", - "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", - "Faroe Islands": "Faroe Islands", - "February": "February", - "Fiji": "Fiji", - "Finland": "Finland", - "For your security, please confirm your password to continue.": "For your security, please confirm your password to continue.", "Forbidden": "Forbidden", - "Force Delete": "Force Delete", - "Force Delete Resource": "Force Delete Resource", - "Force Delete Selected": "Force Delete Selected", - "Forgot Your Password?": "Forgot Your Password?", - "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.", - "France": "France", - "French Guiana": "French Guiana", - "French Polynesia": "French Polynesia", - "French Southern Territories": "French Southern Territories", - "Full name": "Full name", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Georgia", - "Germany": "Germany", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Go back", - "Go Home": "Go Home", "Go to page :page": "Go to page :page", - "Great! You have accepted the invitation to join the :team team.": "Great! You have accepted the invitation to join the :team team.", - "Greece": "Greece", - "Greenland": "Greenland", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Heard Island and McDonald Islands", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Hello!", - "Hide Content": "Hide Content", - "Hold Up!": "Hold Up!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Hungary", - "I agree to the :terms_of_service and :privacy_policy": "I agree to the :terms_of_service and :privacy_policy", - "Iceland": "Iceland", - "ID": "ID", - "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 necessary, you may logout 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 logout 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 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 receive the email": "If you did not receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "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:", - "Increase": "Increase", - "India": "India", - "Indonesia": "Indonesia", "Invalid signature.": "Invalid signature.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Iraq", - "Ireland": "Ireland", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Isle of Man", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italy", - "Jamaica": "Jamaica", - "January": "January", - "Japan": "Japan", - "Jersey": "Jersey", - "Jordan": "Jordan", - "July": "July", - "June": "June", - "Kazakhstan": "Kazakhstan", - "Kenya": "Kenya", - "Key": "Key", - "Kiribati": "Kiribati", - "Korea": "South Korea", - "Korea, Democratic People's Republic of": "North Korea", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuwait", - "Kyrgyzstan": "Kyrgyzstan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Last active", - "Last used": "Last used", - "Latvia": "Latvia", - "Leave": "Leave", - "Leave Team": "Leave Team", - "Lebanon": "Lebanon", - "Lens": "Lens", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libya", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Lithuania", - "Load :perPage More": "Load :perPage More", - "Log in": "Log in", "Log out": "Log out", - "Log Out": "Log Out", - "Log Out Other Browser Sessions": "Log Out Other Browser Sessions", - "Login": "Login", - "Logout": "Logout", "Logout Other Browser Sessions": "Logout Other Browser Sessions", - "Luxembourg": "Luxembourg", - "Macao": "Macao", - "Macedonia": "North Macedonia", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagascar", - "Malawi": "Malawi", - "Malaysia": "Malaysia", - "Maldives": "Maldives", - "Mali": "Mali", - "Malta": "Malta", - "Manage Account": "Manage Account", - "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 and logout your active sessions on other browsers and devices.": "Manage and logout your active sessions on other browsers and devices.", - "Manage API Tokens": "Manage API Tokens", - "Manage Role": "Manage Role", - "Manage Team": "Manage Team", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "March", - "Marshall Islands": "Marshall Islands", - "Martinique": "Martinique", - "Mauritania": "Mauritania", - "Mauritius": "Mauritius", - "May": "May", - "Mayotte": "Mayotte", - "Mexico": "Mexico", - "Micronesia, Federated States Of": "Micronesia", - "Moldova": "Moldova", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monaco", - "Mongolia": "Mongolia", - "Montenegro": "Montenegro", - "Month To Date": "Month To Date", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Morocco", - "Mozambique": "Mozambique", - "Myanmar": "Myanmar", - "Name": "Name", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Netherlands", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Nevermind", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "New", - "New :resource": "New :resource", - "New Caledonia": "New Caledonia", - "New Password": "New Password", - "New Zealand": "New Zealand", - "Next": "Next", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "No", - "No :resource matched the given criteria.": "No :resource matched the given criteria.", - "No additional information...": "No additional information...", - "No Current Data": "No Current Data", - "No Data": "No Data", - "no file selected": "no file selected", - "No Increase": "No Increase", - "No Prior Data": "No Prior Data", - "No Results Found.": "No Results Found.", - "Norfolk Island": "Norfolk Island", - "Northern Mariana Islands": "Northern Mariana Islands", - "Norway": "Norway", "Not Found": "Not Found", - "Nova User": "Nova User", - "November": "November", - "October": "October", - "of": "of", "Oh no": "Oh no", - "Oman": "Oman", - "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 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 Trashed": "Only Trashed", - "Original": "Original", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Page Expired", "Pagination Navigation": "Pagination Navigation", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Palestinian Territories", - "Panama": "Panama", - "Papua New Guinea": "Papua New Guinea", - "Paraguay": "Paraguay", - "Password": "Password", - "Pay :amount": "Pay :amount", - "Payment Cancelled": "Payment Cancelled", - "Payment Confirmation": "Payment Confirmation", - "Payment Information": "Payment Information", - "Payment Successful": "Payment Successful", - "Pending Team Invitations": "Pending Team Invitations", - "Per Page": "Per Page", - "Permanently delete this team.": "Permanently delete this team.", - "Permanently delete your account.": "Permanently delete your account.", - "Permissions": "Permissions", - "Peru": "Peru", - "Philippines": "Philippines", - "Photo": "Photo", - "Pitcairn": "Pitcairn Islands", "Please click the button below to verify your email address.": "Please click the button below to verify your email address.", - "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 confirm your password before continuing.": "Please confirm your password before continuing.", - "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 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 enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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 provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.", - "Please provide your name.": "Please provide your name.", - "Poland": "Poland", - "Portugal": "Portugal", - "Press \/ to search": "Press \/ to search", - "Preview": "Preview", - "Previous": "Previous", - "Privacy Policy": "Privacy Policy", - "Profile": "Profile", - "Profile Information": "Profile Information", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Quarter To Date", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Recovery Code", "Regards": "Regards", - "Regenerate Recovery Codes": "Regenerate Recovery Codes", - "Register": "Register", - "Reload": "Reload", - "Remember me": "Remember me", - "Remember Me": "Remember Me", - "Remove": "Remove", - "Remove Photo": "Remove Photo", - "Remove Team Member": "Remove Team Member", - "Resend Verification Email": "Resend Verification Email", - "Reset Filters": "Reset Filters", - "Reset Password": "Reset Password", - "Reset Password Notification": "Reset Password Notification", - "resource": "resource", - "Resources": "Resources", - "resources": "resources", - "Restore": "Restore", - "Restore Resource": "Restore Resource", - "Restore Selected": "Restore Selected", "results": "results", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Réunion", - "Role": "Role", - "Romania": "Romania", - "Run Action": "Run Action", - "Russian Federation": "Russian Federation", - "Rwanda": "Rwanda", - "Réunion": "Réunion", - "Saint Barthelemy": "St. Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "St. Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "St. Kitts and Nevis", - "Saint Lucia": "St. Lucia", - "Saint Martin": "St. Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "St. Pierre and Miquelon", - "Saint Vincent And Grenadines": "St. Vincent and Grenadines", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "São Tomé and Príncipe", - "Saudi Arabia": "Saudi Arabia", - "Save": "Save", - "Saved.": "Saved.", - "Search": "Search", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Select A New Photo", - "Select Action": "Select Action", - "Select All": "Select All", - "Select All Matching": "Select All Matching", - "Send Password Reset Link": "Send Password Reset Link", - "Senegal": "Senegal", - "September": "September", - "Serbia": "Serbia", "Server Error": "Server Error", "Service Unavailable": "Service Unavailable", - "Seychelles": "Seychelles", - "Show All Fields": "Show All Fields", - "Show Content": "Show Content", - "Show Recovery Codes": "Show Recovery Codes", "Showing": "Showing", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapore", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovakia", - "Slovenia": "Slovenia", - "Solomon Islands": "Solomon Islands", - "Somalia": "Somalia", - "Something went wrong.": "Something went wrong.", - "Sorry! You are not authorized to perform this action.": "Sorry! You are not authorized to perform this action.", - "Sorry, your session has expired.": "Sorry, your session has expired.", - "South Africa": "South Africa", - "South Georgia And Sandwich Isl.": "South Georgia and South Sandwich Islands", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "South Sudan", - "Spain": "Spain", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Start Polling", - "State \/ County": "State \/ County", - "Stop Polling": "Stop Polling", - "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.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard and Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Sweden", - "Switch Teams": "Switch Teams", - "Switzerland": "Switzerland", - "Syrian Arab Republic": "Syria", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tajikistan", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Team Details", - "Team Invitation": "Team Invitation", - "Team Members": "Team Members", - "Team Name": "Team Name", - "Team Owner": "Team Owner", - "Team Settings": "Team Settings", - "Terms of Service": "Terms of Service", - "Thailand": "Thailand", - "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.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "The :attribute must be a valid role.", - "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 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 contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "The :resource was created!", - "The :resource was deleted!": "The :resource was deleted!", - "The :resource was restored!": "The :resource was restored!", - "The :resource was updated!": "The :resource was updated!", - "The action ran successfully!": "The action ran successfully!", - "The file was deleted!": "The file was deleted!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "The government won't let us show you what's behind these doors", - "The HasOne relationship has already been filled.": "The HasOne relationship has already been filled.", - "The payment was successful.": "The payment was successful.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "The resource was updated!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "The team's name and owner information.", - "There are no available options for this resource.": "There are no available options for this resource.", - "There was a problem executing the action.": "There was a problem executing the action.", - "There was a problem submitting the form.": "There was a problem submitting the form.", - "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.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "This action is unauthorized.", - "This device": "This device", - "This file field is read-only.": "This file field is read-only.", - "This image": "This image", - "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 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 payment was already successfully confirmed.": "This payment was already successfully confirmed.", - "This payment was cancelled.": "This payment was cancelled.", - "This resource no longer exists": "This resource no longer exists", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "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.", - "Timor-Leste": "Timor-Leste", "to": "to", - "Today": "Today", "Toggle navigation": "Toggle navigation", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Token Name", - "Tonga": "Tonga", "Too Many Attempts.": "Too Many Attempts.", "Too Many Requests": "Too Many Requests", - "total": "total", - "Total:": "Total:", - "Trashed": "Trashed", - "Trinidad And Tobago": "Trinidad and Tobago", - "Tunisia": "Tunisia", - "Turkey": "Turkey", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Turks and Caicos Islands", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Two Factor Authentication", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.", - "Uganda": "Uganda", - "Ukraine": "Ukraine", "Unauthorized": "Unauthorized", - "United Arab Emirates": "United Arab Emirates", - "United Kingdom": "United Kingdom", - "United States": "United States", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "U.S. Outlying Islands", - "Update": "Update", - "Update & Continue Editing": "Update & Continue Editing", - "Update :resource": "Update :resource", - "Update :resource: :title": "Update :resource: :title", - "Update attached :resource: :title": "Update attached :resource: :title", - "Update Password": "Update Password", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Update your account's profile information and email address.", - "Uruguay": "Uruguay", - "Use a recovery code": "Use a recovery code", - "Use an authentication code": "Use an authentication code", - "Uzbekistan": "Uzbekistan", - "Value": "Value", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Verify Email Address", "Verify Your Email Address": "Verify Your Email Address", - "Viet Nam": "Vietnam", - "View": "View", - "Virgin Islands, British": "British Virgin Islands", - "Virgin Islands, U.S.": "U.S. Virgin Islands", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis and Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "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 will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "We won't ask for your password again for a few hours.", - "We're lost in space. The page you were trying to view does not exist.": "We're lost in space. The page you were trying to view does not exist.", - "Welcome Back!": "Welcome Back!", - "Western Sahara": "Western Sahara", - "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.", - "Whoops": "Whoops", - "Whoops!": "Whoops!", - "Whoops! Something went wrong.": "Whoops! Something went wrong.", - "With Trashed": "With Trashed", - "Write": "Write", - "Year To Date": "Year To Date", - "Yearly": "Yearly", - "Yemen": "Yemen", - "Yes": "Yes", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "You are logged in!", - "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 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 may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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 :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Your email address is not verified.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Your email address is not verified." } diff --git a/locales/tl/packages/cashier.json b/locales/tl/packages/cashier.json new file mode 100644 index 00000000000..a1ab638ee47 --- /dev/null +++ b/locales/tl/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Nakareserba ang lahat ng karapatan.", + "Card": "Kard", + "Confirm Payment": "Kumpirmahin Ang Pagbabayad", + "Confirm your :amount payment": "Kumpirmahin ang iyong :amount pagbabayad", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Dagdag na kumpirmasyon ay kinakailangan upang iproseso ang iyong pagbabayad. Mangyaring kumpirmahin ang iyong pagbabayad sa pamamagitan ng pagpuno ang iyong mga detalye sa pagbabayad sa ibaba.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Dagdag na kumpirmasyon ay kinakailangan upang iproseso ang iyong pagbabayad. Mangyaring magpatuloy sa pahina ng pagbabayad sa pamamagitan ng pagpindot sa pindutan sa ibaba.", + "Full name": "Buong pangalan", + "Go back": "Bumalik", + "Jane Doe": "Jane Doe", + "Pay :amount": "Magbayad :amount", + "Payment Cancelled": "Kinansela Ang Pagbabayad", + "Payment Confirmation": "Pagkumpirma Ng Pagbabayad", + "Payment Successful": "Matagumpay Na Pagbabayad", + "Please provide your name.": "Mangyaring ibigay ang iyong pangalan.", + "The payment was successful.": "Ang pagbabayad ay matagumpay.", + "This payment was already successfully confirmed.": "Pagbabayad na ito ay matagumpay na nakumpirma na.", + "This payment was cancelled.": "Ang pagbabayad na ito ay nakansela." +} diff --git a/locales/tl/packages/fortify.json b/locales/tl/packages/fortify.json new file mode 100644 index 00000000000..87643562640 --- /dev/null +++ b/locales/tl/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": "Ang :attribute ay dapat na hindi bababa sa :length character at naglalaman ng hindi bababa sa isang numero.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "Ang :attribute ay dapat hindi kukulangin sa :length karakter at naglalaman ng kahit isang espesyal na karakter at isang numero.", + "The :attribute must be at least :length characters and contain at least one special character.": "Ang :attribute ay kailangang hindi kukulang sa :length na karakter at naglalaman ng kahit isang espesyal na karakter.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Ang :attribute ay kailangang hindi bababa sa :length karakter at naglalaman ng hindi bababa sa isang malaking titik karakter at isang numero.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Ang :attribute ay dapat na hindi bababa sa :length character at naglalaman ng hindi bababa sa isang uppercase na mga character at isa sa mga espesyal na character.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Ang :attribute ay dapat hindi kukulangin sa :length na karakter at maglaman ng kahit isang pangunahing karakter, isang numero, at isang espesyal na karakter.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Ang :attribute ay dapat hindi bababa sa :length karakter at naglalaman ng hindi bababa sa isang malaking titik karakter.", + "The :attribute must be at least :length characters.": "Ang :attribute ay dapat na hindi kukulangin sa :length na karakter.", + "The provided password does not match your current password.": "Ang ibinigay na password ay hindi tumutugma sa iyong kasalukuyang password.", + "The provided password was incorrect.": "Ang ibinigay na password ay hindi tama.", + "The provided two factor authentication code was invalid.": "Mga sanggunian [baguhin \/ baguhin ang batayan]" +} diff --git a/locales/tl/packages/jetstream.json b/locales/tl/packages/jetstream.json new file mode 100644 index 00000000000..c197c1bd301 --- /dev/null +++ b/locales/tl/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Ang isang bagong link sa Pagpapatunay ay naipadala na sa email address na iyong ibinigay sa panahon ng pagpaparehistro.", + "Accept Invitation": "Tanggapin Ang Imbitasyon", + "Add": "Magdagdag", + "Add a new team member to your team, allowing them to collaborate with you.": "Magdagdag ng isang bagong kasapi ng koponan sa iyong koponan, na nagpapahintulot sa kanila upang makipagtulungan sa iyo.", + "Add additional security to your account using two factor authentication.": "Magdagdag ng karagdagang seguridad sa iyong kuwenta gamit ang dalawang pagpapatunay na salik.", + "Add Team Member": "Magdagdag Ng Miyembro Ng Koponan", + "Added.": "Idinagdag.", + "Administrator": "Tagapangasiwa", + "Administrator users can perform any action.": "Administrator mga gumagamit ay maaaring magsagawa ng anumang pagkilos.", + "All of the people that are part of this team.": "Ang lahat ng mga tao na bahagi ng koponan na ito.", + "Already registered?": "Mayroon nakarehistro?", + "API Token": "Token ng API", + "API Token Permissions": "Token ng API Permissions", + "API Tokens": "Mga token ng API", + "API tokens allow third-party services to authenticate with our application on your behalf.": "Payagan ang mga token ng API ng mga third-party na serbisyo upang patotohanan sa aming aplikasyon sa iyong ngalan.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Sigurado ka bang gusto mong tanggalin ang koponan na ito? Kapag ang isang koponan ay tinanggal, ang lahat ng mga mapagkukunan nito at data ay permanenteng tinanggal.", + "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.": "Ano ang ibig sabihin ng salitang pasigan? Kapag tinanggal na ang kuwenta mo, lahat ng mga mapagkukunan at datos nito ay permanenteng tatanggalin. Mangyaring ipasok ang iyong password upang kumpirmahin na nais mong permanenteng tanggalin ang iyong kuwenta.", + "Are you sure you would like to delete this API token?": "Sigurado ka bang gusto mong tanggalin ang API token?", + "Are you sure you would like to leave this team?": "Sigurado ka bang nais mong iwanan ang koponan na ito?", + "Are you sure you would like to remove this person from the team?": "Sigurado ka bang nais mong alisin ang taong ito mula sa koponan?", + "Browser Sessions": "Mga Sesyon Ng Browser", + "Cancel": "Huwag ituloy", + "Close": "Malapit", + "Code": "Kodigo", + "Confirm": "Kumpirmahin", + "Confirm Password": "Kumpirmahin Ang Password", + "Create": "Lumikha", + "Create a new team to collaborate with others on projects.": "Lumikha ng isang bagong koponan upang makipagtulungan sa iba sa mga proyekto.", + "Create Account": "Lumikha Ng Akawnt", + "Create API Token": "Lumikha ng Token API", + "Create New Team": "Lumikha Ng Bagong Koponan", + "Create Team": "Lumikha Ng Koponan", + "Created.": "Nilikha.", + "Current Password": "Kasalukuyang Password", + "Dashboard": "Dashboard", + "Delete": "Tanggalin", + "Delete Account": "Tanggalin Ang Kasaysayan", + "Delete API Token": "Tanggalin ang API Token", + "Delete Team": "Tanggalin Ang Koponan", + "Disable": "Huwag paganahin ang", + "Done.": "Tapos na.", + "Editor": "Editor", + "Editor users have the ability to read, create, and update.": "Ang mga gumagamit ng Editor ay may kakayahang magbasa, lumikha, at mag-update.", + "Email": "Wika", + "Email Password Reset Link": "I-Reset Ang Password Email Link", + "Enable": "Paganahin", + "Ensure your account is using a long, random password to stay secure.": "Siguraduhin na ang iyong akawnt ay gumagamit ng isang mahabang, random na password upang manatiling ligtas.", + "For your security, please confirm your password to continue.": "Para sa iyong seguridad, mangyaring kumpirmahin ang iyong password upang magpatuloy.", + "Forgot your password?": "Nakalimutan ang iyong 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.": "Nakalimutan ang iyong password? Walang problema. Ipaalam lamang sa amin ang iyong email address at kami ay mag-email sa iyo ng isang link sa pag-reset ng password na magpapahintulot sa iyo na pumili ng bago.", + "Great! You have accepted the invitation to join the :team team.": "Mahusay! Tinanggap mo ang imbitasyon upang sumali sa koponan ng :team.", + "I agree to the :terms_of_service and :privacy_policy": "Sumasang-ayon ako sa :terms_of_service at :privacy_policy", + "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.": "Kung kinakailangan, maaari kang mag-log out sa lahat ng iyong iba pang mga session ng browser sa lahat ng iyong mga aparato. Ang ilan sa inyong mga kamakailang sesyon ay nakalista sa ibaba; gayunman, ang listahang ito ay maaaring hindi lubusan. Kung sa palagay mo nakompromiso ang iyong kuwenta, dapat mo ring i-update ang iyong password.", + "If you already have an account, you may accept this invitation by clicking the button below:": "Kung mayroon ka nang kuwenta, maaari mong tanggapin ang paanyayang ito sa pamamagitan ng pagpindot sa pindutan sa ibaba:", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Kung hindi mo inaasahan na makatanggap ng isang imbitasyon sa koponan na ito, maaari mong itapon ang email na ito.", + "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:": "Kung wala kang kuwenta, maaari kang lumikha ng isa sa pamamagitan ng pagpindot sa pindutan sa ibaba. Anu-ano ang mga salik na dapat tingnan sa paghahati-hati ng kontinente tungo sa mga rehiyon?:", + "Last active": "Huling aktibo", + "Last used": "Huling ginamit", + "Leave": "Umalis", + "Leave Team": "Mag-Iwan Ng Koponan", + "Log in": "Mag-Log in", + "Log Out": "Mag-Log Out", + "Log Out Other Browser Sessions": "Mag-Log Out Iba Pang Mga Session Ng Browser", + "Manage Account": "Pamahalaan Ang Kuwenta", + "Manage and log out your active sessions on other browsers and devices.": "Pamahalaan at mag-log out ang iyong mga aktibong session sa iba pang mga browser at mga aparato.", + "Manage API Tokens": "Pamahalaan ang mga token ng API", + "Manage Role": "Pamahalaan Ang Tungkulin", + "Manage Team": "Pamahalaan Ang Koponan", + "Name": "Pangalan", + "New Password": "Bagong Password", + "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.": "Kapag ang isang koponan ay tinanggal, ang lahat ng mga mapagkukunan nito at data ay permanenteng tinanggal. Bago tanggalin ang koponan na ito, mangyaring i-download ang anumang data o impormasyon tungkol sa koponan na nais mong panatilihin.", + "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.": "Kapag tinanggal na ang kuwenta mo, lahat ng mga mapagkukunan at datos nito ay permanenteng tatanggalin. Bago tanggalin ang iyong kuwenta, paki-download ang anumang data o impormasyon na nais mong panatilihin.", + "Password": "Password", + "Pending Team Invitations": "Nakabinbin Koponan Ng Imbitasyon", + "Permanently delete this team.": "Permanenteng tanggalin ang koponan na ito.", + "Permanently delete your account.": "Permanenteng tanggalin ang iyong kasaysayan.", + "Permissions": "Pahintulot", + "Photo": "Larawan", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Kung gusto mo magsulat ng rebyu tungkol dito ay huwag kang mag-atubili na ipadala ito sa amin at kami na naman ay malulugod na isama ito sa website.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Mangyaring kumpirmahin ang paggamit sa iyong kuwenta sa pamamagitan ng pagpasok sa Kodigo ng pagpapatunay na ibinigay ng iyong aplikasyon ng pagpapatunay.", + "Please copy your new API token. For your security, it won't be shown again.": "Mangyaring kopyahin ang iyong bagong token API. Para sa iyong seguridad, hindi ito ipapakita muli.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Mangyaring ipasok ang iyong password upang kumpirmahin na nais mong mag-log out ng iyong iba pang mga session ng browser sa lahat ng iyong mga aparato.", + "Please provide the email address of the person you would like to add to this team.": "Mangyaring ibigay ang email address ng tao na nais mong idagdag sa koponan na ito.", + "Privacy Policy": "Patakaran Sa Pagkapribado", + "Profile": "Anyo", + "Profile Information": "Impormasyon Ng Anyo", + "Recovery Code": "Pagbawi Ng Kodigo", + "Regenerate Recovery Codes": "Kumuha Ng Kopya (Or Retain Download)", + "Register": "Magparehistro", + "Remember me": "Tandaan ako", + "Remove": "Tanggalin", + "Remove Photo": "Alisin Ang Larawan", + "Remove Team Member": "Alisin Ang Koponan Ng Miyembro", + "Resend Verification Email": "Muling Ipadala Ang Pagpapatotoo Ng Email", + "Reset Password": "I-Reset Ang Password", + "Role": "Tungkulin", + "Save": "Iligtas", + "Saved.": "Ligtas.", + "Select A New Photo": "Pumili Ng Bagong Larawan", + "Show Recovery Codes": "Ipakita Ang Mga Alituntunin Sa Pagbawi", + "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.": "Ano ang ibig sabihin ng pag-aalmirol? Maaari silang gamitin upang mabawi ang paggamit sa iyong kuwenta kung ang iyong dalawang aparato pagpapatunay kadahilanan ay nawala.", + "Switch Teams": "Lumipat Koponan", + "Team Details": "Mga Detalye Ng Koponan", + "Team Invitation": "Imbitasyon Ng Koponan", + "Team Members": "Koponan Ng Miyembro", + "Team Name": "Pangalan Ng Koponan", + "Team Owner": "Koponan Ng May-Ari", + "Team Settings": "Mga Setting Ng Koponan", + "Terms of Service": "Mga tuntunin ng serbisyo", + "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.": "Salamat sa pag-sign up! Bago magsimula, maaari mo bang patunayan ang iyong email address sa pamamagitan ng pagpindot sa link na-email lang namin sa iyo? Kung hindi mo natanggap ang email, kami ay Masaya magpadala sa iyo ng isa pang.", + "The :attribute must be a valid role.": "Ang :attribute ay dapat na isang wastong papel.", + "The :attribute must be at least :length characters and contain at least one number.": "Ang :attribute ay dapat na hindi bababa sa :length character at naglalaman ng hindi bababa sa isang numero.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "Ang :attribute ay dapat hindi kukulangin sa :length karakter at naglalaman ng kahit isang espesyal na karakter at isang numero.", + "The :attribute must be at least :length characters and contain at least one special character.": "Ang :attribute ay kailangang hindi kukulang sa :length na karakter at naglalaman ng kahit isang espesyal na karakter.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Ang :attribute ay kailangang hindi bababa sa :length karakter at naglalaman ng hindi bababa sa isang malaking titik karakter at isang numero.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Ang :attribute ay dapat na hindi bababa sa :length character at naglalaman ng hindi bababa sa isang uppercase na mga character at isa sa mga espesyal na character.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Ang :attribute ay dapat hindi kukulangin sa :length na karakter at maglaman ng kahit isang pangunahing karakter, isang numero, at isang espesyal na karakter.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Ang :attribute ay dapat hindi bababa sa :length karakter at naglalaman ng hindi bababa sa isang malaking titik karakter.", + "The :attribute must be at least :length characters.": "Ang :attribute ay dapat na hindi kukulangin sa :length na karakter.", + "The provided password does not match your current password.": "Ang ibinigay na password ay hindi tumutugma sa iyong kasalukuyang password.", + "The provided password was incorrect.": "Ang ibinigay na password ay hindi tama.", + "The provided two factor authentication code was invalid.": "Mga sanggunian [baguhin \/ baguhin ang batayan]", + "The team's name and owner information.": "Impormasyon ng pangalan at may-ari ng koponan.", + "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.": "Ang mga taong inanyayahan sa iyong koponan at ay nagpadala ng isang imbitasyon email. Maaari silang sumali sa koponan sa pamamagitan ng pagtanggap ng email imbitasyon.", + "This device": "Aparatong ito", + "This is a secure area of the application. Please confirm your password before continuing.": "Ito ay isang ligtas na lugar ng aplikasyon. Mangyaring kumpirmahin ang iyong password bago magpatuloy.", + "This password does not match our records.": "Password na ito ay hindi tumutugma sa aming mga talaan.", + "This user already belongs to the team.": "Ang tagagamit na ito ay kabilang sa koponan.", + "This user has already been invited to the team.": "Ang tagagamit na ito ay inanyayahan sa koponan.", + "Token Name": "Pangalan Ng Token", + "Two Factor Authentication": "Dalawang Pagpapatunay Kadahilanan", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Dalawang salik na pagpapatotoo ay pinagana na ngayon. Suriin ang sumusunod na Kodigo ng TR gamit ang iyong telepono sa pagpapatotoo ng aplikasyon.", + "Update Password": "I-Update Ang Password", + "Update your account's profile information and email address.": "Kumuha ng kopya (or retain download)", + "Use a recovery code": "Paano gumawa ng duladulaan?", + "Use an authentication code": "Gamitin ang isang kodigo sa pagpapatunay", + "We were unable to find a registered user with this email address.": "Hindi namin nagawang mahanap ang isang rehistradong gumagamit sa email address na ito.", + "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.": "Kapag pinagana ang dalawang salik na pagpapatotoo, ikaw ay nai-prompt para sa isang ligtas, random na token sa panahon ng pagpapatunay. Maaari mong makuha ang token na ito mula sa iyong telepono na aplikasyon ng Google Tagapagpatunay.", + "Whoops! Something went wrong.": "Oops! May nangyaring mali.", + "You have been invited to join the :team team!": "Inanyayahan ka upang sumali sa :team team!", + "You have enabled two factor authentication.": "Pinagana mo na ang dalawang pagpapatunay kadahilanan.", + "You have not enabled two factor authentication.": "Hindi mo pa pinagana ang dalawang pagpapatunay kadahilanan.", + "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.": "Maaari mong tanggalin ang alinman sa iyong umiiral na mga token kung ang mga ito ay hindi na kinakailangan.", + "You may not delete your personal team.": "Hindi mo maaaring tanggalin ang iyong personal na koponan.", + "You may not leave a team that you created.": "Hindi ka maaaring mag-iwan ng koponan na iyong nilikha." +} diff --git a/locales/tl/packages/nova.json b/locales/tl/packages/nova.json new file mode 100644 index 00000000000..9aad8b7adae --- /dev/null +++ b/locales/tl/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 mga araw", + "60 Days": "60 araw", + "90 Days": "90 araw", + ":amount Total": ":amount kabuuan", + ":resource Details": ":resource mga detalye", + ":resource Details: :title": ":resource Detalye: :title", + "Action": "Aksyon", + "Action Happened At": "Nangyari Sa", + "Action Initiated By": "Pinasimulan Ni", + "Action Name": "Pangalan", + "Action Status": "Wika", + "Action Target": "Target", + "Actions": "Mga pagkilos", + "Add row": "Magdagdag ng hilera", + "Afghanistan": "Apganistan", + "Aland Islands": "Ang Isang Town", + "Albania": "Albania", + "Algeria": "Algeria", + "All resources loaded.": "Load ang lahat ng mga mapagkukunan.", + "American Samoa": "Mga Amerikano", + "An error occured while uploading the file.": "Error naganap habang ina-upload ang Talaksan.", + "Andorra": "Andorran", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Ang isa pang user ay na-update ang mapagkukunan na ito dahil ang pahinang ito ay load. Mangyaring muling buhayin ang pahina at subukang muli.", + "Antarctica": "Antarctica", + "Antigua And Barbuda": "Pangunahing lathalain: sine ng Nagkakaisang Kaharian", + "April": "Abril matuto", + "Are you sure you want to delete the selected resources?": "Sigurado ka bang gusto mong tanggalin ang mga napiling mga mapagkukunan?", + "Are you sure you want to delete this file?": "Sigurado ka bang gusto mong tanggalin ang talaksang ito?", + "Are you sure you want to delete this resource?": "Sigurado ka bang gusto mong tanggalin ang mapagkukunan na ito?", + "Are you sure you want to detach the selected resources?": "Sigurado ka bang gusto mong baklasin ang napiling mga mapagkukunan?", + "Are you sure you want to detach this resource?": "Sigurado ka bang gusto mong baklasin ang mapagkukunang ito?", + "Are you sure you want to force delete the selected resources?": "Sigurado ka bang gusto mong pilitin tanggalin ang mga napiling mga mapagkukunan?", + "Are you sure you want to force delete this resource?": "Sigurado ka bang gusto mong pilitin tanggalin ang mapagkukunan na ito?", + "Are you sure you want to restore the selected resources?": "Sigurado ka bang gusto mong ibalik ang mga napiling mga mapagkukunan?", + "Are you sure you want to restore this resource?": "Sigurado ka bang gusto mong ibalik ang mapagkukunan na ito?", + "Are you sure you want to run this action?": "Sigurado ka bang gusto mong patakbuhin ang pagkilos na ito?", + "Argentina": "Arhentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Attach": "Undo-type", + "Attach & Attach Another": "Maglakip & Maglakip Ng Isa Pang", + "Attach :resource": "Maglakip :resource", + "August": "Agosto matuto", + "Australia": "Australya", + "Austria": "Awstrya", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belhika", + "Belize": "Magpatabi", + "Benin": "Benin", + "Bermuda": "Puno", + "Bhutan": "Bhutan", + "Bolivia": "Bolibya", + "Bonaire, Sint Eustatius and Saba": "Mga lungsod at bayan ng Bonaire", + "Bosnia And Herzegovina": "Bosnia at Libangan", + "Botswana": "Botswana", + "Bouvet Island": "Lungsod Ng Basketball", + "Brazil": "Baguhan", + "British Indian Ocean Territory": "Karagatan", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgarya", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodya", + "Cameroon": "Cameroon", + "Canada": "Kanada", + "Cancel": "Huwag ituloy", + "Cape Verde": "Mga Magagawa", + "Cayman Islands": "Kayman Islands", + "Central African Republic": "Republika Ng Gitnang Aprika", + "Chad": "Chad", + "Changes": "Pagbabago", + "Chile": "Tsile", + "China": "Tsina", + "Choose": "Piliin", + "Choose :field": "Pumili ng :field", + "Choose :resource": "Pumili ng :resource", + "Choose an option": "Pumili ng opsyon", + "Choose date": "Pumili ng petsa", + "Choose File": "Pumili Ng Talaksan", + "Choose Type": "Pumili Ng Uri", + "Christmas Island": "Pasko Isla", + "Click to choose": "Pindutin ang upang pumili", + "Cocos (Keeling) Islands": "Mga Natatanging Pahina", + "Colombia": "Kolombya", + "Comoros": "Maganda", + "Confirm Password": "Kumpirmahin Ang Password", + "Congo": "Paglilibot", + "Congo, Democratic Republic": "Kasaysayan [Baguhin \/ Baguhin Ang Batayan]", + "Constant": "Pare-pareho", + "Cook Islands": "Mga Isla", + "Costa Rica": "Kosta Rika", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "Hindi Mahanap.", + "Create": "Lumikha", + "Create & Add Another": "Lumikha & Magdagdag Ng Isa Pa", + "Create :resource": "Lumikha :resource", + "Croatia": "Kroatya", + "Cuba": "Kuba", + "Curaçao": "Curacao", + "Customize": "Ipasadya", + "Cyprus": "Watawat", + "Czech Republic": "Czechia", + "Dashboard": "Dashboard", + "December": "Disyembre", + "Decrease": "Pababa", + "Delete": "Tanggalin", + "Delete File": "Burahin Ang Talaksan", + "Delete Resource": "Tanggalin Ang Mapagkukunan", + "Delete Selected": "Tanggalin Ang Mga Napiling", + "Denmark": "Putbol", + "Detach": "Kategorya:", + "Detach Resource": "Mapagkukunan", + "Detach Selected": "Undo-Type", + "Details": "Mga detalye", + "Djibouti": "Dr Tuber", + "Do you really want to leave? You have unsaved changes.": "Gusto mo ba talagang umalis? Mayroon kang di ligtas na mga pagbabago.", + "Dominica": "Linggo", + "Dominican Republic": "Republikang Dominikano", + "Download": "I-Download ang", + "Ecuador": "Ekwador", + "Edit": "Baguhin", + "Edit :resource": "I-Edit ang :resource", + "Edit Attached": "Baguhin Nakalakip", + "Egypt": "Ehipto", + "El Salvador": "Kategorya:", + "Email Address": "Email Address", + "Equatorial Guinea": "Malapit Sa Ekwador Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonya", + "Ethiopia": "Ethiopia", + "Falkland Islands (Malvinas)": "Mga Kagamitan)", + "Faroe Islands": "Faroe Islands", + "February": "Setyembre", + "Fiji": "Fiji", + "Finland": "Pinlandiya", + "Force Delete": "Puwersahin Tanggalin", + "Force Delete Resource": "Puwersahin Tanggalin Mapagkukunan", + "Force Delete Selected": "Puwersahin Tanggalin Ang Napiling", + "Forgot Your Password?": "Nakalimutan Ang Iyong Password?", + "Forgot your password?": "Nakalimutan ang iyong password?", + "France": "Pransiya", + "French Guiana": "Wikang Pranses", + "French Polynesia": "Pranses Polynesia", + "French Southern Territories": "Mga Teritoryong Pranses", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Hapon", + "Germany": "Germany", + "Ghana": "Ghana", + "Gibraltar": "Pamilya", + "Go Home": "Pumunta Sa Bahay", + "Greece": "Gresya", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Gini", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti matuto", + "Heard Island & Mcdonald Islands": "Mga halalan sa Biak-na-bato", + "Hide Content": "Itago Ang Nilalaman", + "Hold Up!": "Teka Lang!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Unggarya", + "Iceland": "Honduras", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "Kung hindi ka humiling ng isang pag-reset ng password, walang karagdagang aksyon ay kinakailangan.", + "Increase": "Taasan", + "India": "India matuto", + "Indonesia": "Pilipinas", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Irak", + "Ireland": "Pilipinas", + "Isle Of Man": "Mga huling binago", + "Israel": "Israel", + "Italy": "Italya", + "Jamaica": "Hamayka", + "January": "Enero matuto", + "Japan": "Hapon", + "Jersey": "Jersey", + "Jordan": "Itim", + "July": "Hulyo matuto", + "June": "Hunyo matuto", + "Kazakhstan": "Kenya", + "Kenya": "Kenya", + "Key": "Susi", + "Kiribati": "Kiribati", + "Korea": "Timog Korea", + "Korea, Democratic People's Republic of": "Hilagang Korea", + "Kosovo": "Timog Korea", + "Kuwait": "Pananalapi", + "Kyrgyzstan": "Kabestan", + "Lao People's Democratic Republic": "Laos matuto", + "Latvia": "Teksto", + "Lebanon": "Lebanon", + "Lens": "Lens", + "Lesotho": "Lesotho", + "Liberia": "Mga magagawa", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litwaniya", + "Load :perPage More": "Load :perPage Higit pa", + "Login": "Login", + "Logout": "Logout", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia": "Mga Ngalan-Espasyo", + "Madagascar": "Madagaskar", + "Malawi": "Malawi", + "Malaysia": "Musika", + "Maldives": "Mga kautusan", + "Mali": "Maliit", + "Malta": "Malta", + "March": "Marso matuto", + "Marshall Islands": "Marshall Islands", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "May": "Mayo matuto", + "Mayotte": "Mayotte", + "Mexico": "Mehiko", + "Micronesia, Federated States Of": "Micronesia", + "Moldova": "Uod", + "Monaco": "Monako", + "Mongolia": "Pamahalaan", + "Montenegro": "Montenegro", + "Month To Date": "Buwan Sa Petsa", + "Montserrat": "Montserrat", + "Morocco": "Unggarya", + "Mozambique": "Unang petsa", + "Myanmar": "Putbol", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Olandes", + "New": "Baguhan", + "New :resource": "Bagong :resource", + "New Caledonia": "Nakatagong Kategorya:", + "New Zealand": "Nagkakaisang Kaharian", + "Next": "Susunod", + "Nicaragua": "Nikaragua", + "Niger": "Niger", + "Nigeria": "Nigerya", + "Niue": "Ehipto", + "No": "Hindi", + "No :resource matched the given criteria.": "Walang :resource tumugma sa ibinigay na pamantayan.", + "No additional information...": "Walang karagdagang impormasyon...", + "No Current Data": "Walang Kasalukuyang Data", + "No Data": "Walang Data", + "no file selected": "walang napiling talaksan", + "No Increase": "Walang Pagtaas", + "No Prior Data": "Walang Naunang Data", + "No Results Found.": "Walang Nahanap Na Mga Resulta.", + "Norfolk Island": "Mga Nagkakaisang Bansa", + "Northern Mariana Islands": "Malapit Sa Northern Mariana Islands", + "Norway": "Norway", + "Nova User": "Gumagamit Ng Mga Makabagong", + "November": "Nobyembre matuto", + "October": "Oktubre matuto", + "of": "ng", + "Oman": "Oman", + "Only Trashed": "Lamang Trash", + "Original": "Orihinal", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Mga Teritoryong Palestino", + "Panama": "Panama", + "Papua New Guinea": "Papua New Guinea", + "Paraguay": "Paragway", + "Password": "Password", + "Per Page": "Bawat Pahina", + "Peru": "Peru matuto", + "Philippines": "Pilipinas", + "Pitcairn": "Mga Nakaturo Rito", + "Poland": "Poland", + "Portugal": "Portugal", + "Press \/ to search": "Pindutin \/ upang maghanap", + "Preview": "Pagtanaw", + "Previous": "Nakaraan", + "Puerto Rico": "Ginang Ng Bundok", + "Qatar": "Qatar", + "Quarter To Date": "Isang-Kapat Sa Petsa", + "Reload": "I-Reload", + "Remember Me": "Tandaan Ako", + "Reset Filters": "I-Reset Ang Mga Pansala", + "Reset Password": "I-Reset Ang Password", + "Reset Password Notification": "I-Reset Ang Pag-Abiso Ng Password", + "resource": "mapagkukunan", + "Resources": "Mga mapagkukunan", + "resources": "mga mapagkukunan", + "Restore": "Ibalik", + "Restore Resource": "Ibalik Mapagkukunan", + "Restore Selected": "Ibalik Ang Napiling", + "Reunion": "Pulong", + "Romania": "Rumanya", + "Run Action": "Patakbuhin Ang Aksyon", + "Russian Federation": "Russian Federation", + "Rwanda": "Rwanda", + "Saint Barthelemy": "Mga Magagawa", + "Saint Helena": "St. Helena", + "Saint Kitts And Nevis": "Lupang-Sakop ng Kaputungan", + "Saint Lucia": "Mga Negosyo", + "Saint Martin": "St. Martin", + "Saint Pierre And Miquelon": "Mga Magagawa", + "Saint Vincent And Grenadines": "Mga transisyong metal", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "Bato edad Girl Dress Up", + "Saudi Arabia": "Saudi Arabia", + "Search": "Paghahanap", + "Select Action": "Pumili Ng Pagkilos", + "Select All": "Piliin Ang Lahat", + "Select All Matching": "Piliin Ang Lahat Ng Pagtutugma", + "Send Password Reset Link": "Ipadala Ang Link Sa Pag-Reset Ng Password", + "Senegal": "Senegal", + "September": "Setyembre", + "Serbia": "Serbya", + "Seychelles": "Seychelles", + "Show All Fields": "Ipakita Ang Lahat Ng Mga Patlang", + "Show Content": "Ipakita Ang Nilalaman", + "Sierra Leone": "Sierra Leone", + "Singapore": "Pilipinas", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovakia", + "Slovenia": "Australya", + "Solomon Islands": "Solomon Islands", + "Somalia": "Somalia", + "Something went wrong.": "May nangyaring mali.", + "Sorry! You are not authorized to perform this action.": "Sorry! Hindi ka pinapahintulutan upang isagawa ang pagkilos na ito.", + "Sorry, your session has expired.": "Paumanhin, ang iyong session ay wala nang bisa.", + "South Africa": "Timog Aprika", + "South Georgia And Sandwich Isl.": "Timog Georgia At South sanwits Islands", + "South Sudan": "Timog Sudan", + "Spain": "Espanya", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Simulan Botohan", + "Stop Polling": "Itigil Ang Botohan", + "Sudan": "Pamahalaan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Malupit, Blonde, tsupa", + "Swaziland": "Eswatini", + "Sweden": "Sweden", + "Switzerland": "Suwisa", + "Syrian Arab Republic": "Syria", + "Taiwan": "Taiwan", + "Tajikistan": "Istan", + "Tanzania": "Tanzania", + "Thailand": "Taylandiya", + "The :resource was created!": "Ang :resource ay nilikha!", + "The :resource was deleted!": "Ang :resource ay tinanggal!", + "The :resource was restored!": ":resource ay naibalik!", + "The :resource was updated!": "Ang :resource ay na-update!", + "The action ran successfully!": "Ang aksyon ay matagumpay na tumakbo!", + "The file was deleted!": "Ang talaksan ay tinanggal!", + "The government won't let us show you what's behind these doors": "Ang pamahalaan ay hindi ipaalam sa amin ipakita sa iyo kung ano ang nasa likod ng mga pinto", + "The HasOne relationship has already been filled.": "Ang HasOne relasyon ay nai-puno.", + "The resource was updated!": "Mapagkukunan ay na-update!", + "There are no available options for this resource.": "Walang mga magagamit na pagpipilian para sa mapagkukunan na ito.", + "There was a problem executing the action.": "Nagkaroon ng problema sa pagpapatupad ng pagkilos.", + "There was a problem submitting the form.": "Nagkaroon ng problema sa pagsusumite ng anyo.", + "This file field is read-only.": "Ang patlang na ito ay read-only.", + "This image": "Ang larawan na ito", + "This resource no longer exists": "Mapagkukunan na ito ay hindi na umiiral", + "Timor-Leste": "Timor-Leste", + "Today": "Ngayon matuto", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Dumating", + "total": "kabuuan", + "Trashed": "Dashed", + "Trinidad And Tobago": "Trinidad at Tobago", + "Tunisia": "Tunisia laro", + "Turkey": "Turkey", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Lupang-sakop ng Kaputungan", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "United Arab Emirates", + "United Kingdom": "Nagkakaisang Kaharian", + "United States": "Estados Unidos Ng Amerika", + "United States Outlying Islands": "U. S. Outlying Islands", + "Update": "Baguhin", + "Update & Continue Editing": "I-Update Ang & Magpatuloy Sa Pag-Edit", + "Update :resource": "I-Update ang :resource", + "Update :resource: :title": "I-Update ang :resource: :title", + "Update attached :resource: :title": "I-Update ang nakalakip :resource: :title", + "Uruguay": "Urugway", + "Uzbekistan": "Uzbekistan", + "Value": "Halaga", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Tingnan", + "Virgin Islands, British": "Kapuluang Britanikong Birhen", + "Virgin Islands, U.S.": "Kapuluang Birhen ng Estados Unidos", + "Wallis And Futuna": "Karagdagang impormasyong pangkaligtasan", + "We're lost in space. The page you were trying to view does not exist.": "Kami ay nawala sa espasyo. Ang pahina na sinusubukan mong tingnan ay hindi umiiral.", + "Welcome Back!": "Maligayang Pagbabalik!", + "Western Sahara": "Western Sahara", + "Whoops": "Oops", + "Whoops!": "Oops!", + "With Trashed": "Sa Trashed", + "Write": "Magsulat", + "Year To Date": "Taon Sa Petsa", + "Yemen": "Yemeni", + "Yes": "Oo", + "You are receiving this email because we received a password reset request for your account.": "Natatanggap ninyo ang email na ito dahil nakatanggap kami ng hiling sa pag-reset ng password para sa inyong kuwenta.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/tl/packages/spark-paddle.json b/locales/tl/packages/spark-paddle.json new file mode 100644 index 00000000000..131c5b45087 --- /dev/null +++ b/locales/tl/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Mga tuntunin ng serbisyo", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Oops! May nangyaring mali.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/tl/packages/spark-stripe.json b/locales/tl/packages/spark-stripe.json new file mode 100644 index 00000000000..1fedc392701 --- /dev/null +++ b/locales/tl/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Apganistan", + "Albania": "Albania", + "Algeria": "Algeria", + "American Samoa": "Mga Amerikano", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorran", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarctica", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Arhentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Australia": "Australya", + "Austria": "Awstrya", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belhika", + "Belize": "Magpatabi", + "Benin": "Benin", + "Bermuda": "Puno", + "Bhutan": "Bhutan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Lungsod Ng Basketball", + "Brazil": "Baguhan", + "British Indian Ocean Territory": "Karagatan", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgarya", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kambodya", + "Cameroon": "Cameroon", + "Canada": "Kanada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Mga Magagawa", + "Card": "Kard", + "Cayman Islands": "Kayman Islands", + "Central African Republic": "Republika Ng Gitnang Aprika", + "Chad": "Chad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Tsile", + "China": "Tsina", + "Christmas Island": "Pasko Isla", + "City": "City", + "Cocos (Keeling) Islands": "Mga Natatanging Pahina", + "Colombia": "Kolombya", + "Comoros": "Maganda", + "Confirm Payment": "Kumpirmahin Ang Pagbabayad", + "Confirm your :amount payment": "Kumpirmahin ang iyong :amount pagbabayad", + "Congo": "Paglilibot", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Mga Isla", + "Costa Rica": "Kosta Rika", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Kroatya", + "Cuba": "Kuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Watawat", + "Czech Republic": "Czechia", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Putbol", + "Djibouti": "Dr Tuber", + "Dominica": "Linggo", + "Dominican Republic": "Republikang Dominikano", + "Download Receipt": "Download Receipt", + "Ecuador": "Ekwador", + "Egypt": "Ehipto", + "El Salvador": "Kategorya:", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Malapit Sa Ekwador Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonya", + "Ethiopia": "Ethiopia", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Dagdag na kumpirmasyon ay kinakailangan upang iproseso ang iyong pagbabayad. Mangyaring magpatuloy sa pahina ng pagbabayad sa pamamagitan ng pagpindot sa pindutan sa ibaba.", + "Falkland Islands (Malvinas)": "Mga Kagamitan)", + "Faroe Islands": "Faroe Islands", + "Fiji": "Fiji", + "Finland": "Pinlandiya", + "France": "Pransiya", + "French Guiana": "Wikang Pranses", + "French Polynesia": "Pranses Polynesia", + "French Southern Territories": "Mga Teritoryong Pranses", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Hapon", + "Germany": "Germany", + "Ghana": "Ghana", + "Gibraltar": "Pamilya", + "Greece": "Gresya", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Gini", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti matuto", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Unggarya", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Honduras", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "India matuto", + "Indonesia": "Pilipinas", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Irak", + "Ireland": "Pilipinas", + "Isle of Man": "Isle of Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italya", + "Jamaica": "Hamayka", + "Japan": "Hapon", + "Jersey": "Jersey", + "Jordan": "Itim", + "Kazakhstan": "Kenya", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Hilagang Korea", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Pananalapi", + "Kyrgyzstan": "Kabestan", + "Lao People's Democratic Republic": "Laos matuto", + "Latvia": "Teksto", + "Lebanon": "Lebanon", + "Lesotho": "Lesotho", + "Liberia": "Mga magagawa", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litwaniya", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagaskar", + "Malawi": "Malawi", + "Malaysia": "Musika", + "Maldives": "Mga kautusan", + "Mali": "Maliit", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marshall Islands", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mehiko", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monako", + "Mongolia": "Pamahalaan", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Unggarya", + "Mozambique": "Unang petsa", + "Myanmar": "Putbol", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Olandes", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Nakatagong Kategorya:", + "New Zealand": "Nagkakaisang Kaharian", + "Nicaragua": "Nikaragua", + "Niger": "Niger", + "Nigeria": "Nigerya", + "Niue": "Ehipto", + "Norfolk Island": "Mga Nagkakaisang Bansa", + "Northern Mariana Islands": "Malapit Sa Northern Mariana Islands", + "Norway": "Norway", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Mga Teritoryong Palestino", + "Panama": "Panama", + "Papua New Guinea": "Papua New Guinea", + "Paraguay": "Paragway", + "Payment Information": "Payment Information", + "Peru": "Peru matuto", + "Philippines": "Pilipinas", + "Pitcairn": "Mga Nakaturo Rito", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Poland", + "Portugal": "Portugal", + "Puerto Rico": "Ginang Ng Bundok", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Rumanya", + "Russian Federation": "Russian Federation", + "Rwanda": "Rwanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Mga Negosyo", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saudi Arabia", + "Save": "Iligtas", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbya", + "Seychelles": "Seychelles", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Pilipinas", + "Slovakia": "Slovakia", + "Slovenia": "Australya", + "Solomon Islands": "Solomon Islands", + "Somalia": "Somalia", + "South Africa": "Timog Aprika", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Espanya", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Pamahalaan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sweden", + "Switzerland": "Suwisa", + "Syrian Arab Republic": "Syria", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Istan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Mga tuntunin ng serbisyo", + "Thailand": "Taylandiya", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Dumating", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia laro", + "Turkey": "Turkey", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "United Arab Emirates", + "United Kingdom": "Nagkakaisang Kaharian", + "United States": "Estados Unidos Ng Amerika", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Baguhin", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Urugway", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Kapuluang Britanikong Birhen", + "Virgin Islands, U.S.": "Kapuluang Birhen ng Estados Unidos", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Western Sahara", + "Whoops! Something went wrong.": "Oops! May nangyaring mali.", + "Yearly": "Yearly", + "Yemen": "Yemeni", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/tl/tl.json b/locales/tl/tl.json index 1972f61b39d..7c18ff32e36 100644 --- a/locales/tl/tl.json +++ b/locales/tl/tl.json @@ -1,710 +1,48 @@ { - "30 Days": "30 mga araw", - "60 Days": "60 araw", - "90 Days": "90 araw", - ":amount Total": ":amount kabuuan", - ":days day trial": ":days day trial", - ":resource Details": ":resource mga detalye", - ":resource Details: :title": ":resource Detalye: :title", "A fresh verification link has been sent to your email address.": "Ang isang sariwang link ng pagpapatunay ay naipadala na sa iyong email address.", - "A new verification link has been sent to the email address you provided during registration.": "Ang isang bagong link sa Pagpapatunay ay naipadala na sa email address na iyong ibinigay sa panahon ng pagpaparehistro.", - "Accept Invitation": "Tanggapin Ang Imbitasyon", - "Action": "Aksyon", - "Action Happened At": "Nangyari Sa", - "Action Initiated By": "Pinasimulan Ni", - "Action Name": "Pangalan", - "Action Status": "Wika", - "Action Target": "Target", - "Actions": "Mga pagkilos", - "Add": "Magdagdag", - "Add a new team member to your team, allowing them to collaborate with you.": "Magdagdag ng isang bagong kasapi ng koponan sa iyong koponan, na nagpapahintulot sa kanila upang makipagtulungan sa iyo.", - "Add additional security to your account using two factor authentication.": "Magdagdag ng karagdagang seguridad sa iyong kuwenta gamit ang dalawang pagpapatunay na salik.", - "Add row": "Magdagdag ng hilera", - "Add Team Member": "Magdagdag Ng Miyembro Ng Koponan", - "Add VAT Number": "Add VAT Number", - "Added.": "Idinagdag.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Tagapangasiwa", - "Administrator users can perform any action.": "Administrator mga gumagamit ay maaaring magsagawa ng anumang pagkilos.", - "Afghanistan": "Apganistan", - "Aland Islands": "Ang Isang Town", - "Albania": "Albania", - "Algeria": "Algeria", - "All of the people that are part of this team.": "Ang lahat ng mga tao na bahagi ng koponan na ito.", - "All resources loaded.": "Load ang lahat ng mga mapagkukunan.", - "All rights reserved.": "Nakareserba ang lahat ng karapatan.", - "Already registered?": "Mayroon nakarehistro?", - "American Samoa": "Mga Amerikano", - "An error occured while uploading the file.": "Error naganap habang ina-upload ang Talaksan.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorran", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Ang isa pang user ay na-update ang mapagkukunan na ito dahil ang pahinang ito ay load. Mangyaring muling buhayin ang pahina at subukang muli.", - "Antarctica": "Antarctica", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Pangunahing lathalain: sine ng Nagkakaisang Kaharian", - "API Token": "Token ng API", - "API Token Permissions": "Token ng API Permissions", - "API Tokens": "Mga token ng API", - "API tokens allow third-party services to authenticate with our application on your behalf.": "Payagan ang mga token ng API ng mga third-party na serbisyo upang patotohanan sa aming aplikasyon sa iyong ngalan.", - "April": "Abril matuto", - "Are you sure you want to delete the selected resources?": "Sigurado ka bang gusto mong tanggalin ang mga napiling mga mapagkukunan?", - "Are you sure you want to delete this file?": "Sigurado ka bang gusto mong tanggalin ang talaksang ito?", - "Are you sure you want to delete this resource?": "Sigurado ka bang gusto mong tanggalin ang mapagkukunan na ito?", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Sigurado ka bang gusto mong tanggalin ang koponan na ito? Kapag ang isang koponan ay tinanggal, ang lahat ng mga mapagkukunan nito at data ay permanenteng tinanggal.", - "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.": "Ano ang ibig sabihin ng salitang pasigan? Kapag tinanggal na ang kuwenta mo, lahat ng mga mapagkukunan at datos nito ay permanenteng tatanggalin. Mangyaring ipasok ang iyong password upang kumpirmahin na nais mong permanenteng tanggalin ang iyong kuwenta.", - "Are you sure you want to detach the selected resources?": "Sigurado ka bang gusto mong baklasin ang napiling mga mapagkukunan?", - "Are you sure you want to detach this resource?": "Sigurado ka bang gusto mong baklasin ang mapagkukunang ito?", - "Are you sure you want to force delete the selected resources?": "Sigurado ka bang gusto mong pilitin tanggalin ang mga napiling mga mapagkukunan?", - "Are you sure you want to force delete this resource?": "Sigurado ka bang gusto mong pilitin tanggalin ang mapagkukunan na ito?", - "Are you sure you want to restore the selected resources?": "Sigurado ka bang gusto mong ibalik ang mga napiling mga mapagkukunan?", - "Are you sure you want to restore this resource?": "Sigurado ka bang gusto mong ibalik ang mapagkukunan na ito?", - "Are you sure you want to run this action?": "Sigurado ka bang gusto mong patakbuhin ang pagkilos na ito?", - "Are you sure you would like to delete this API token?": "Sigurado ka bang gusto mong tanggalin ang API token?", - "Are you sure you would like to leave this team?": "Sigurado ka bang nais mong iwanan ang koponan na ito?", - "Are you sure you would like to remove this person from the team?": "Sigurado ka bang nais mong alisin ang taong ito mula sa koponan?", - "Argentina": "Arhentina", - "Armenia": "Armenia", - "Aruba": "Aruba", - "Attach": "Undo-type", - "Attach & Attach Another": "Maglakip & Maglakip Ng Isa Pang", - "Attach :resource": "Maglakip :resource", - "August": "Agosto matuto", - "Australia": "Australya", - "Austria": "Awstrya", - "Azerbaijan": "Azerbaijan", - "Bahamas": "Bahamas", - "Bahrain": "Bahrain", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Bago magpatuloy, mangyaring suriin ang iyong email para sa isang link sa pagpapatunay.", - "Belarus": "Belarus", - "Belgium": "Belhika", - "Belize": "Magpatabi", - "Benin": "Benin", - "Bermuda": "Puno", - "Bhutan": "Bhutan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolibya", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Mga lungsod at bayan ng Bonaire", - "Bosnia And Herzegovina": "Bosnia at Libangan", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Lungsod Ng Basketball", - "Brazil": "Baguhan", - "British Indian Ocean Territory": "Karagatan", - "Browser Sessions": "Mga Sesyon Ng Browser", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgarya", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Kambodya", - "Cameroon": "Cameroon", - "Canada": "Kanada", - "Cancel": "Huwag ituloy", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Mga Magagawa", - "Card": "Kard", - "Cayman Islands": "Kayman Islands", - "Central African Republic": "Republika Ng Gitnang Aprika", - "Chad": "Chad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Pagbabago", - "Chile": "Tsile", - "China": "Tsina", - "Choose": "Piliin", - "Choose :field": "Pumili ng :field", - "Choose :resource": "Pumili ng :resource", - "Choose an option": "Pumili ng opsyon", - "Choose date": "Pumili ng petsa", - "Choose File": "Pumili Ng Talaksan", - "Choose Type": "Pumili Ng Uri", - "Christmas Island": "Pasko Isla", - "City": "City", "click here to request another": "mag-klik dito upang humiling ng isa pa", - "Click to choose": "Pindutin ang upang pumili", - "Close": "Malapit", - "Cocos (Keeling) Islands": "Mga Natatanging Pahina", - "Code": "Kodigo", - "Colombia": "Kolombya", - "Comoros": "Maganda", - "Confirm": "Kumpirmahin", - "Confirm Password": "Kumpirmahin Ang Password", - "Confirm Payment": "Kumpirmahin Ang Pagbabayad", - "Confirm your :amount payment": "Kumpirmahin ang iyong :amount pagbabayad", - "Congo": "Paglilibot", - "Congo, Democratic Republic": "Kasaysayan [Baguhin \/ Baguhin Ang Batayan]", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Pare-pareho", - "Cook Islands": "Mga Isla", - "Costa Rica": "Kosta Rika", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "Hindi Mahanap.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Lumikha", - "Create & Add Another": "Lumikha & Magdagdag Ng Isa Pa", - "Create :resource": "Lumikha :resource", - "Create a new team to collaborate with others on projects.": "Lumikha ng isang bagong koponan upang makipagtulungan sa iba sa mga proyekto.", - "Create Account": "Lumikha Ng Akawnt", - "Create API Token": "Lumikha ng Token API", - "Create New Team": "Lumikha Ng Bagong Koponan", - "Create Team": "Lumikha Ng Koponan", - "Created.": "Nilikha.", - "Croatia": "Kroatya", - "Cuba": "Kuba", - "Curaçao": "Curacao", - "Current Password": "Kasalukuyang Password", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Ipasadya", - "Cyprus": "Watawat", - "Czech Republic": "Czechia", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Dashboard", - "December": "Disyembre", - "Decrease": "Pababa", - "Delete": "Tanggalin", - "Delete Account": "Tanggalin Ang Kasaysayan", - "Delete API Token": "Tanggalin ang API Token", - "Delete File": "Burahin Ang Talaksan", - "Delete Resource": "Tanggalin Ang Mapagkukunan", - "Delete Selected": "Tanggalin Ang Mga Napiling", - "Delete Team": "Tanggalin Ang Koponan", - "Denmark": "Putbol", - "Detach": "Kategorya:", - "Detach Resource": "Mapagkukunan", - "Detach Selected": "Undo-Type", - "Details": "Mga detalye", - "Disable": "Huwag paganahin ang", - "Djibouti": "Dr Tuber", - "Do you really want to leave? You have unsaved changes.": "Gusto mo ba talagang umalis? Mayroon kang di ligtas na mga pagbabago.", - "Dominica": "Linggo", - "Dominican Republic": "Republikang Dominikano", - "Done.": "Tapos na.", - "Download": "I-Download ang", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-Mail Address", - "Ecuador": "Ekwador", - "Edit": "Baguhin", - "Edit :resource": "I-Edit ang :resource", - "Edit Attached": "Baguhin Nakalakip", - "Editor": "Editor", - "Editor users have the ability to read, create, and update.": "Ang mga gumagamit ng Editor ay may kakayahang magbasa, lumikha, at mag-update.", - "Egypt": "Ehipto", - "El Salvador": "Kategorya:", - "Email": "Wika", - "Email Address": "Email Address", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "I-Reset Ang Password Email Link", - "Enable": "Paganahin", - "Ensure your account is using a long, random password to stay secure.": "Siguraduhin na ang iyong akawnt ay gumagamit ng isang mahabang, random na password upang manatiling ligtas.", - "Equatorial Guinea": "Malapit Sa Ekwador Guinea", - "Eritrea": "Eritrea", - "Estonia": "Estonya", - "Ethiopia": "Ethiopia", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Dagdag na kumpirmasyon ay kinakailangan upang iproseso ang iyong pagbabayad. Mangyaring kumpirmahin ang iyong pagbabayad sa pamamagitan ng pagpuno ang iyong mga detalye sa pagbabayad sa ibaba.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Dagdag na kumpirmasyon ay kinakailangan upang iproseso ang iyong pagbabayad. Mangyaring magpatuloy sa pahina ng pagbabayad sa pamamagitan ng pagpindot sa pindutan sa ibaba.", - "Falkland Islands (Malvinas)": "Mga Kagamitan)", - "Faroe Islands": "Faroe Islands", - "February": "Setyembre", - "Fiji": "Fiji", - "Finland": "Pinlandiya", - "For your security, please confirm your password to continue.": "Para sa iyong seguridad, mangyaring kumpirmahin ang iyong password upang magpatuloy.", "Forbidden": "Ipinagbabawal", - "Force Delete": "Puwersahin Tanggalin", - "Force Delete Resource": "Puwersahin Tanggalin Mapagkukunan", - "Force Delete Selected": "Puwersahin Tanggalin Ang Napiling", - "Forgot Your Password?": "Nakalimutan Ang Iyong Password?", - "Forgot your password?": "Nakalimutan ang iyong 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.": "Nakalimutan ang iyong password? Walang problema. Ipaalam lamang sa amin ang iyong email address at kami ay mag-email sa iyo ng isang link sa pag-reset ng password na magpapahintulot sa iyo na pumili ng bago.", - "France": "Pransiya", - "French Guiana": "Wikang Pranses", - "French Polynesia": "Pranses Polynesia", - "French Southern Territories": "Mga Teritoryong Pranses", - "Full name": "Buong pangalan", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Hapon", - "Germany": "Germany", - "Ghana": "Ghana", - "Gibraltar": "Pamilya", - "Go back": "Bumalik", - "Go Home": "Pumunta Sa Bahay", "Go to page :page": "Pumunta sa pahina :page", - "Great! You have accepted the invitation to join the :team team.": "Mahusay! Tinanggap mo ang imbitasyon upang sumali sa koponan ng :team.", - "Greece": "Gresya", - "Greenland": "Greenland", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Gini", - "Guinea-Bissau": "Guinea-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti matuto", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Mga halalan sa Biak-na-bato", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Hello!", - "Hide Content": "Itago Ang Nilalaman", - "Hold Up!": "Teka Lang!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Unggarya", - "I agree to the :terms_of_service and :privacy_policy": "Sumasang-ayon ako sa :terms_of_service at :privacy_policy", - "Iceland": "Honduras", - "ID": "ID", - "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.": "Kung kinakailangan, maaari kang mag-log out sa lahat ng iyong iba pang mga session ng browser sa lahat ng iyong mga aparato. Ang ilan sa inyong mga kamakailang sesyon ay nakalista sa ibaba; gayunman, ang listahang ito ay maaaring hindi lubusan. Kung sa palagay mo nakompromiso ang iyong kuwenta, dapat mo ring i-update ang iyong password.", "If necessary, you may logout 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.": "Kung kinakailangan, maaari kang mag-logout ng lahat ng iyong iba pang mga session ng browser sa lahat ng iyong mga aparato. Ang ilan sa inyong mga kamakailang sesyon ay nakalista sa ibaba; gayunman, ang listahang ito ay maaaring hindi lubusan. Kung sa palagay mo nakompromiso ang iyong kuwenta, dapat mo ring i-update ang iyong password.", - "If you already have an account, you may accept this invitation by clicking the button below:": "Kung mayroon ka nang kuwenta, maaari mong tanggapin ang paanyayang ito sa pamamagitan ng pagpindot sa pindutan sa ibaba:", "If you did not create an account, no further action is required.": "Kung hindi ka lumikha ng kuwenta, walang karagdagang aksyon ang kinakailangan.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Kung hindi mo inaasahan na makatanggap ng isang imbitasyon sa koponan na ito, maaari mong itapon ang email na ito.", "If you did not receive the email": "Kung hindi mo natanggap ang email", - "If you did not request a password reset, no further action is required.": "Kung hindi ka humiling ng isang pag-reset ng password, walang karagdagang aksyon ay kinakailangan.", - "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:": "Kung wala kang kuwenta, maaari kang lumikha ng isa sa pamamagitan ng pagpindot sa pindutan sa ibaba. Anu-ano ang mga salik na dapat tingnan sa paghahati-hati ng kontinente tungo sa mga rehiyon?:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Kung nagkakaproblema ka sa pag-klik ng \":actiontabi\" na butones, kopyahin at ilagay ang URL sa ibaba\nsa iyong web browser:", - "Increase": "Taasan", - "India": "India matuto", - "Indonesia": "Pilipinas", "Invalid signature.": "Hindi wastong lagda.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Irak", - "Ireland": "Pilipinas", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Mga huling binago", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italya", - "Jamaica": "Hamayka", - "January": "Enero matuto", - "Japan": "Hapon", - "Jersey": "Jersey", - "Jordan": "Itim", - "July": "Hulyo matuto", - "June": "Hunyo matuto", - "Kazakhstan": "Kenya", - "Kenya": "Kenya", - "Key": "Susi", - "Kiribati": "Kiribati", - "Korea": "Timog Korea", - "Korea, Democratic People's Republic of": "Hilagang Korea", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Timog Korea", - "Kuwait": "Pananalapi", - "Kyrgyzstan": "Kabestan", - "Lao People's Democratic Republic": "Laos matuto", - "Last active": "Huling aktibo", - "Last used": "Huling ginamit", - "Latvia": "Teksto", - "Leave": "Umalis", - "Leave Team": "Mag-Iwan Ng Koponan", - "Lebanon": "Lebanon", - "Lens": "Lens", - "Lesotho": "Lesotho", - "Liberia": "Mga magagawa", - "Libyan Arab Jamahiriya": "Libya", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Litwaniya", - "Load :perPage More": "Load :perPage Higit pa", - "Log in": "Mag-Log in", "Log out": "Mag-Log out", - "Log Out": "Mag-Log Out", - "Log Out Other Browser Sessions": "Mag-Log Out Iba Pang Mga Session Ng Browser", - "Login": "Login", - "Logout": "Logout", "Logout Other Browser Sessions": "Logout Iba Pang Mga Session Ng Browser", - "Luxembourg": "Luxembourg", - "Macao": "Macao", - "Macedonia": "Mga Ngalan-Espasyo", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagaskar", - "Malawi": "Malawi", - "Malaysia": "Musika", - "Maldives": "Mga kautusan", - "Mali": "Maliit", - "Malta": "Malta", - "Manage Account": "Pamahalaan Ang Kuwenta", - "Manage and log out your active sessions on other browsers and devices.": "Pamahalaan at mag-log out ang iyong mga aktibong session sa iba pang mga browser at mga aparato.", "Manage and logout your active sessions on other browsers and devices.": "Pamahalaan at logout ang iyong mga aktibong session sa iba pang mga browser at mga aparato.", - "Manage API Tokens": "Pamahalaan ang mga token ng API", - "Manage Role": "Pamahalaan Ang Tungkulin", - "Manage Team": "Pamahalaan Ang Koponan", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Marso matuto", - "Marshall Islands": "Marshall Islands", - "Martinique": "Martinique", - "Mauritania": "Mauritania", - "Mauritius": "Mauritius", - "May": "Mayo matuto", - "Mayotte": "Mayotte", - "Mexico": "Mehiko", - "Micronesia, Federated States Of": "Micronesia", - "Moldova": "Uod", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monako", - "Mongolia": "Pamahalaan", - "Montenegro": "Montenegro", - "Month To Date": "Buwan Sa Petsa", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Unggarya", - "Mozambique": "Unang petsa", - "Myanmar": "Putbol", - "Name": "Pangalan", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Olandes", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Hindi bale", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Baguhan", - "New :resource": "Bagong :resource", - "New Caledonia": "Nakatagong Kategorya:", - "New Password": "Bagong Password", - "New Zealand": "Nagkakaisang Kaharian", - "Next": "Susunod", - "Nicaragua": "Nikaragua", - "Niger": "Niger", - "Nigeria": "Nigerya", - "Niue": "Ehipto", - "No": "Hindi", - "No :resource matched the given criteria.": "Walang :resource tumugma sa ibinigay na pamantayan.", - "No additional information...": "Walang karagdagang impormasyon...", - "No Current Data": "Walang Kasalukuyang Data", - "No Data": "Walang Data", - "no file selected": "walang napiling talaksan", - "No Increase": "Walang Pagtaas", - "No Prior Data": "Walang Naunang Data", - "No Results Found.": "Walang Nahanap Na Mga Resulta.", - "Norfolk Island": "Mga Nagkakaisang Bansa", - "Northern Mariana Islands": "Malapit Sa Northern Mariana Islands", - "Norway": "Norway", "Not Found": "Hindi Natagpuan", - "Nova User": "Gumagamit Ng Mga Makabagong", - "November": "Nobyembre matuto", - "October": "Oktubre matuto", - "of": "ng", "Oh no": "Ay hindi", - "Oman": "Oman", - "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.": "Kapag ang isang koponan ay tinanggal, ang lahat ng mga mapagkukunan nito at data ay permanenteng tinanggal. Bago tanggalin ang koponan na ito, mangyaring i-download ang anumang data o impormasyon tungkol sa koponan na nais mong panatilihin.", - "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.": "Kapag tinanggal na ang kuwenta mo, lahat ng mga mapagkukunan at datos nito ay permanenteng tatanggalin. Bago tanggalin ang iyong kuwenta, paki-download ang anumang data o impormasyon na nais mong panatilihin.", - "Only Trashed": "Lamang Trash", - "Original": "Orihinal", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Wala Nang Bisa Ang Pahina", "Pagination Navigation": "Pagbilang Ng Pahina Nabigasyon", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Mga Teritoryong Palestino", - "Panama": "Panama", - "Papua New Guinea": "Papua New Guinea", - "Paraguay": "Paragway", - "Password": "Password", - "Pay :amount": "Magbayad :amount", - "Payment Cancelled": "Kinansela Ang Pagbabayad", - "Payment Confirmation": "Pagkumpirma Ng Pagbabayad", - "Payment Information": "Payment Information", - "Payment Successful": "Matagumpay Na Pagbabayad", - "Pending Team Invitations": "Nakabinbin Koponan Ng Imbitasyon", - "Per Page": "Bawat Pahina", - "Permanently delete this team.": "Permanenteng tanggalin ang koponan na ito.", - "Permanently delete your account.": "Permanenteng tanggalin ang iyong kasaysayan.", - "Permissions": "Pahintulot", - "Peru": "Peru matuto", - "Philippines": "Pilipinas", - "Photo": "Larawan", - "Pitcairn": "Mga Nakaturo Rito", "Please click the button below to verify your email address.": "Mangyaring i-klik ang pindutan sa ibaba upang mapatunayan ang iyong email address.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Kung gusto mo magsulat ng rebyu tungkol dito ay huwag kang mag-atubili na ipadala ito sa amin at kami na naman ay malulugod na isama ito sa website.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Mangyaring kumpirmahin ang paggamit sa iyong kuwenta sa pamamagitan ng pagpasok sa Kodigo ng pagpapatunay na ibinigay ng iyong aplikasyon ng pagpapatunay.", "Please confirm your password before continuing.": "Mangyaring kumpirmahin ang iyong password bago magpatuloy.", - "Please copy your new API token. For your security, it won't be shown again.": "Mangyaring kopyahin ang iyong bagong token API. Para sa iyong seguridad, hindi ito ipapakita muli.", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Mangyaring ipasok ang iyong password upang kumpirmahin na nais mong mag-log out ng iyong iba pang mga session ng browser sa lahat ng iyong mga aparato.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Mangyaring ipasok ang iyong password upang kumpirmahin na nais mong logout ng iyong iba pang mga session ng browser sa lahat ng iyong mga aparato.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "Please provide the email address of the person you would like to add to this team.": "Mangyaring ibigay ang email address ng tao na nais mong idagdag sa koponan na ito.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Mangyaring ibigay ang email address ng tao na nais mong idagdag sa koponan na ito. Ang email address ay dapat na nauugnay sa isang umiiral na kuwenta.", - "Please provide your name.": "Mangyaring ibigay ang iyong pangalan.", - "Poland": "Poland", - "Portugal": "Portugal", - "Press \/ to search": "Pindutin \/ upang maghanap", - "Preview": "Pagtanaw", - "Previous": "Nakaraan", - "Privacy Policy": "Patakaran Sa Pagkapribado", - "Profile": "Anyo", - "Profile Information": "Impormasyon Ng Anyo", - "Puerto Rico": "Ginang Ng Bundok", - "Qatar": "Qatar", - "Quarter To Date": "Isang-Kapat Sa Petsa", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Pagbawi Ng Kodigo", "Regards": "Bumabati", - "Regenerate Recovery Codes": "Kumuha Ng Kopya (Or Retain Download)", - "Register": "Magparehistro", - "Reload": "I-Reload", - "Remember me": "Tandaan ako", - "Remember Me": "Tandaan Ako", - "Remove": "Tanggalin", - "Remove Photo": "Alisin Ang Larawan", - "Remove Team Member": "Alisin Ang Koponan Ng Miyembro", - "Resend Verification Email": "Muling Ipadala Ang Pagpapatotoo Ng Email", - "Reset Filters": "I-Reset Ang Mga Pansala", - "Reset Password": "I-Reset Ang Password", - "Reset Password Notification": "I-Reset Ang Pag-Abiso Ng Password", - "resource": "mapagkukunan", - "Resources": "Mga mapagkukunan", - "resources": "mga mapagkukunan", - "Restore": "Ibalik", - "Restore Resource": "Ibalik Mapagkukunan", - "Restore Selected": "Ibalik Ang Napiling", "results": "mga resulta", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Pulong", - "Role": "Tungkulin", - "Romania": "Rumanya", - "Run Action": "Patakbuhin Ang Aksyon", - "Russian Federation": "Russian Federation", - "Rwanda": "Rwanda", - "Réunion": "Réunion", - "Saint Barthelemy": "Mga Magagawa", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "St. Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "Lupang-Sakop ng Kaputungan", - "Saint Lucia": "Mga Negosyo", - "Saint Martin": "St. Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "Mga Magagawa", - "Saint Vincent And Grenadines": "Mga transisyong metal", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "Bato edad Girl Dress Up", - "Saudi Arabia": "Saudi Arabia", - "Save": "Iligtas", - "Saved.": "Ligtas.", - "Search": "Paghahanap", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Pumili Ng Bagong Larawan", - "Select Action": "Pumili Ng Pagkilos", - "Select All": "Piliin Ang Lahat", - "Select All Matching": "Piliin Ang Lahat Ng Pagtutugma", - "Send Password Reset Link": "Ipadala Ang Link Sa Pag-Reset Ng Password", - "Senegal": "Senegal", - "September": "Setyembre", - "Serbia": "Serbya", "Server Error": "Error Sa Asawa", "Service Unavailable": "Hindi Magamit Ang Serbisyo", - "Seychelles": "Seychelles", - "Show All Fields": "Ipakita Ang Lahat Ng Mga Patlang", - "Show Content": "Ipakita Ang Nilalaman", - "Show Recovery Codes": "Ipakita Ang Mga Alituntunin Sa Pagbawi", "Showing": "Nagpapakita", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Pilipinas", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovakia", - "Slovenia": "Australya", - "Solomon Islands": "Solomon Islands", - "Somalia": "Somalia", - "Something went wrong.": "May nangyaring mali.", - "Sorry! You are not authorized to perform this action.": "Sorry! Hindi ka pinapahintulutan upang isagawa ang pagkilos na ito.", - "Sorry, your session has expired.": "Paumanhin, ang iyong session ay wala nang bisa.", - "South Africa": "Timog Aprika", - "South Georgia And Sandwich Isl.": "Timog Georgia At South sanwits Islands", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Timog Sudan", - "Spain": "Espanya", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Simulan Botohan", - "State \/ County": "State \/ County", - "Stop Polling": "Itigil Ang Botohan", - "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.": "Ano ang ibig sabihin ng pag-aalmirol? Maaari silang gamitin upang mabawi ang paggamit sa iyong kuwenta kung ang iyong dalawang aparato pagpapatunay kadahilanan ay nawala.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Pamahalaan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Malupit, Blonde, tsupa", - "Swaziland": "Eswatini", - "Sweden": "Sweden", - "Switch Teams": "Lumipat Koponan", - "Switzerland": "Suwisa", - "Syrian Arab Republic": "Syria", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Istan", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Mga Detalye Ng Koponan", - "Team Invitation": "Imbitasyon Ng Koponan", - "Team Members": "Koponan Ng Miyembro", - "Team Name": "Pangalan Ng Koponan", - "Team Owner": "Koponan Ng May-Ari", - "Team Settings": "Mga Setting Ng Koponan", - "Terms of Service": "Mga tuntunin ng serbisyo", - "Thailand": "Taylandiya", - "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.": "Salamat sa pag-sign up! Bago magsimula, maaari mo bang patunayan ang iyong email address sa pamamagitan ng pagpindot sa link na-email lang namin sa iyo? Kung hindi mo natanggap ang email, kami ay Masaya magpadala sa iyo ng isa pang.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "Ang :attribute ay dapat na isang wastong papel.", - "The :attribute must be at least :length characters and contain at least one number.": "Ang :attribute ay dapat na hindi bababa sa :length character at naglalaman ng hindi bababa sa isang numero.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": "Ang :attribute ay dapat hindi kukulangin sa :length karakter at naglalaman ng kahit isang espesyal na karakter at isang numero.", - "The :attribute must be at least :length characters and contain at least one special character.": "Ang :attribute ay kailangang hindi kukulang sa :length na karakter at naglalaman ng kahit isang espesyal na karakter.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Ang :attribute ay kailangang hindi bababa sa :length karakter at naglalaman ng hindi bababa sa isang malaking titik karakter at isang numero.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Ang :attribute ay dapat na hindi bababa sa :length character at naglalaman ng hindi bababa sa isang uppercase na mga character at isa sa mga espesyal na character.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Ang :attribute ay dapat hindi kukulangin sa :length na karakter at maglaman ng kahit isang pangunahing karakter, isang numero, at isang espesyal na karakter.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": "Ang :attribute ay dapat hindi bababa sa :length karakter at naglalaman ng hindi bababa sa isang malaking titik karakter.", - "The :attribute must be at least :length characters.": "Ang :attribute ay dapat na hindi kukulangin sa :length na karakter.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "Ang :resource ay nilikha!", - "The :resource was deleted!": "Ang :resource ay tinanggal!", - "The :resource was restored!": ":resource ay naibalik!", - "The :resource was updated!": "Ang :resource ay na-update!", - "The action ran successfully!": "Ang aksyon ay matagumpay na tumakbo!", - "The file was deleted!": "Ang talaksan ay tinanggal!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Ang pamahalaan ay hindi ipaalam sa amin ipakita sa iyo kung ano ang nasa likod ng mga pinto", - "The HasOne relationship has already been filled.": "Ang HasOne relasyon ay nai-puno.", - "The payment was successful.": "Ang pagbabayad ay matagumpay.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Ang ibinigay na password ay hindi tumutugma sa iyong kasalukuyang password.", - "The provided password was incorrect.": "Ang ibinigay na password ay hindi tama.", - "The provided two factor authentication code was invalid.": "Mga sanggunian [baguhin \/ baguhin ang batayan]", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Mapagkukunan ay na-update!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Impormasyon ng pangalan at may-ari ng koponan.", - "There are no available options for this resource.": "Walang mga magagamit na pagpipilian para sa mapagkukunan na ito.", - "There was a problem executing the action.": "Nagkaroon ng problema sa pagpapatupad ng pagkilos.", - "There was a problem submitting the form.": "Nagkaroon ng problema sa pagsusumite ng anyo.", - "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.": "Ang mga taong inanyayahan sa iyong koponan at ay nagpadala ng isang imbitasyon email. Maaari silang sumali sa koponan sa pamamagitan ng pagtanggap ng email imbitasyon.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Ang pagkilos na ito ay hindi awtorisadong.", - "This device": "Aparatong ito", - "This file field is read-only.": "Ang patlang na ito ay read-only.", - "This image": "Ang larawan na ito", - "This is a secure area of the application. Please confirm your password before continuing.": "Ito ay isang ligtas na lugar ng aplikasyon. Mangyaring kumpirmahin ang iyong password bago magpatuloy.", - "This password does not match our records.": "Password na ito ay hindi tumutugma sa aming mga talaan.", "This password reset link will expire in :count minutes.": "Ang link na ito sa pag-reset ng password ay mawawalan ng bisa sa :count minuto.", - "This payment was already successfully confirmed.": "Pagbabayad na ito ay matagumpay na nakumpirma na.", - "This payment was cancelled.": "Ang pagbabayad na ito ay nakansela.", - "This resource no longer exists": "Mapagkukunan na ito ay hindi na umiiral", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Ang tagagamit na ito ay kabilang sa koponan.", - "This user has already been invited to the team.": "Ang tagagamit na ito ay inanyayahan sa koponan.", - "Timor-Leste": "Timor-Leste", "to": "sa", - "Today": "Ngayon matuto", "Toggle navigation": "Magpalipat-lipat sa nabigasyon", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Pangalan Ng Token", - "Tonga": "Dumating", "Too Many Attempts.": "Masyadong Maraming Mga Pagtatangka.", "Too Many Requests": "Masyadong Maraming Mga Kahilingan", - "total": "kabuuan", - "Total:": "Total:", - "Trashed": "Dashed", - "Trinidad And Tobago": "Trinidad at Tobago", - "Tunisia": "Tunisia laro", - "Turkey": "Turkey", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Lupang-sakop ng Kaputungan", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Dalawang Pagpapatunay Kadahilanan", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Dalawang salik na pagpapatotoo ay pinagana na ngayon. Suriin ang sumusunod na Kodigo ng TR gamit ang iyong telepono sa pagpapatotoo ng aplikasyon.", - "Uganda": "Uganda", - "Ukraine": "Ukraine", "Unauthorized": "Di-awtorisadong", - "United Arab Emirates": "United Arab Emirates", - "United Kingdom": "Nagkakaisang Kaharian", - "United States": "Estados Unidos Ng Amerika", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "U. S. Outlying Islands", - "Update": "Baguhin", - "Update & Continue Editing": "I-Update Ang & Magpatuloy Sa Pag-Edit", - "Update :resource": "I-Update ang :resource", - "Update :resource: :title": "I-Update ang :resource: :title", - "Update attached :resource: :title": "I-Update ang nakalakip :resource: :title", - "Update Password": "I-Update Ang Password", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Kumuha ng kopya (or retain download)", - "Uruguay": "Urugway", - "Use a recovery code": "Paano gumawa ng duladulaan?", - "Use an authentication code": "Gamitin ang isang kodigo sa pagpapatunay", - "Uzbekistan": "Uzbekistan", - "Value": "Halaga", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Patunayan Ang Email Address", "Verify Your Email Address": "Patunayan Ang Iyong Email Address", - "Viet Nam": "Vietnam", - "View": "Tingnan", - "Virgin Islands, British": "Kapuluang Britanikong Birhen", - "Virgin Islands, U.S.": "Kapuluang Birhen ng Estados Unidos", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Karagdagang impormasyong pangkaligtasan", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Hindi namin nagawang mahanap ang isang rehistradong gumagamit sa email address na ito.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Hindi namin hihilingin muli ang iyong password para sa ilang oras.", - "We're lost in space. The page you were trying to view does not exist.": "Kami ay nawala sa espasyo. Ang pahina na sinusubukan mong tingnan ay hindi umiiral.", - "Welcome Back!": "Maligayang Pagbabalik!", - "Western Sahara": "Western Sahara", - "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.": "Kapag pinagana ang dalawang salik na pagpapatotoo, ikaw ay nai-prompt para sa isang ligtas, random na token sa panahon ng pagpapatunay. Maaari mong makuha ang token na ito mula sa iyong telepono na aplikasyon ng Google Tagapagpatunay.", - "Whoops": "Oops", - "Whoops!": "Oops!", - "Whoops! Something went wrong.": "Oops! May nangyaring mali.", - "With Trashed": "Sa Trashed", - "Write": "Magsulat", - "Year To Date": "Taon Sa Petsa", - "Yearly": "Yearly", - "Yemen": "Yemeni", - "Yes": "Oo", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Ikaw ay naka-log in!", - "You are receiving this email because we received a password reset request for your account.": "Natatanggap ninyo ang email na ito dahil nakatanggap kami ng hiling sa pag-reset ng password para sa inyong kuwenta.", - "You have been invited to join the :team team!": "Inanyayahan ka upang sumali sa :team team!", - "You have enabled two factor authentication.": "Pinagana mo na ang dalawang pagpapatunay kadahilanan.", - "You have not enabled two factor authentication.": "Hindi mo pa pinagana ang dalawang pagpapatunay kadahilanan.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "Maaari mong tanggalin ang alinman sa iyong umiiral na mga token kung ang mga ito ay hindi na kinakailangan.", - "You may not delete your personal team.": "Hindi mo maaaring tanggalin ang iyong personal na koponan.", - "You may not leave a team that you created.": "Hindi ka maaaring mag-iwan ng koponan na iyong nilikha.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Ang iyong email address ay hindi napatunayan.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Ang iyong email address ay hindi napatunayan." } diff --git a/locales/tr/packages/cashier.json b/locales/tr/packages/cashier.json new file mode 100644 index 00000000000..7be7a20ec50 --- /dev/null +++ b/locales/tr/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Tüm hakları saklıdır.", + "Card": "Kart", + "Confirm Payment": "Ödemeyi Onayla", + "Confirm your :amount payment": ":amount ödemenizi onaylayın", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Ödemenizi işlemek için ek onay gereklidir. Lütfen aşağıdaki ödeme bilgilerinizi doldurarak ödemenizi onaylayın.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Ödemenizi işlemek için ek onay gereklidir. Lütfen aşağıdaki butona tıklayarak ödeme sayfasına devam ediniz.", + "Full name": "Tam adı", + "Go back": "Geri dön", + "Jane Doe": "Jane Doe", + "Pay :amount": "Ödeme :amount", + "Payment Cancelled": "Ödeme İptal Edildi", + "Payment Confirmation": "Ödeme Onayı", + "Payment Successful": "Ödeme Başarılı", + "Please provide your name.": "Lütfen adınızı belirtin.", + "The payment was successful.": "Ödeme başarıyla tamamlandı.", + "This payment was already successfully confirmed.": "Bu ödeme zaten başarıyla onaylandı.", + "This payment was cancelled.": "Bu ödeme iptal edildi." +} diff --git a/locales/tr/packages/fortify.json b/locales/tr/packages/fortify.json new file mode 100644 index 00000000000..355f6fd0fcc --- /dev/null +++ b/locales/tr/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 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 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 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 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.": " :attribute en az :length karakterli olmalı.", + "The provided password does not match your current password.": "Belirtilen şifre mevcut şifrenizle eşleşmiyor.", + "The provided password was incorrect.": "Belirtilen şifre yanlış.", + "The provided two factor authentication code was invalid.": "Belirtilen iki faktörlü kimlik doğrulama kodu geçersiz." +} diff --git a/locales/tr/packages/jetstream.json b/locales/tr/packages/jetstream.json new file mode 100644 index 00000000000..db3bb12d64a --- /dev/null +++ b/locales/tr/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Üyelik esnasında kullandığınız e-posta adresinize onay linki gönderildi.", + "Accept Invitation": "Daveti Kabul Et", + "Add": "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ına izin verin.", + "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 Team Member": "Ekip Üyesi Ekle", + "Added.": "Eklendi.", + "Administrator": "Yönetici", + "Administrator users can perform any action.": "Yöneticiler herhangi bir eylemi gerçekleştirebilir.", + "All of the people that are part of this team.": "Bu ekibin parçası olan tüm kişiler.", + "Already registered?": "Zaten Üye Misiniz?", + "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 jetonları, üçüncü taraf hizmetlerin sizin adınıza uygulamamızla kimlik doğrulaması yapmasına izin verir.", + "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 şifrenizi girin.", + "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 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?", + "Browser Sessions": "Tarayıcı Oturumları", + "Cancel": "İptal et", + "Close": "Kapat", + "Code": "Kod", + "Confirm": "Onayla", + "Confirm Password": "Parolayı Onayla", + "Create": "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 Account": "Hesap Oluştur", + "Create API Token": "Api Jetonu Oluştur", + "Create New Team": "Yeni Ekip Oluştur", + "Create Team": "Ekip Oluştur", + "Created.": "Oluşturuldu.", + "Current Password": "Geçerli Şifre", + "Dashboard": "Gösterge Paneli", + "Delete": "Sil", + "Delete Account": "Hesabı Sil", + "Delete API Token": "API Jetonunu Sil", + "Delete Team": "Ekibi Sil", + "Disable": "Devre Dışı Bırak", + "Done.": "Bitti.", + "Editor": "Editör", + "Editor users have the ability to read, create, and update.": "Editörler okuma, oluşturma ve güncelleme yapabilir.", + "Email": "E-Posta", + "Email Password Reset Link": "E-Posta Şifre Sıfırlama Linki", + "Enable": "Etkinleştir", + "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 şifre kullandığınızdan emin olun.", + "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?": "Şifrenizi mi 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.": "Şifrenizi mi unuttunuz? Sorun değil. Sadece e-posta adresinizi bize söyleyin size yeni şifrenizi belirleyebileceğiniz bir parola sıfırlama linki gönderelim.", + "Great! You have accepted the invitation to join the :team team.": "Harika! :team ekibine katılma davetini kabul ettiniz.", + "I agree to the :terms_of_service and :privacy_policy": ":terms_of_service ve :privacy_policy'yi kabul ediyorum", + "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, şifrenizi de güncellemelisiniz.", + "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 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 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:", + "Last active": "Son aktiflik", + "Last used": "Son kullanım", + "Leave": "Ayrıl", + "Leave Team": "Ekipten Ayrıl", + "Log in": "Giriş yap", + "Log Out": "Çıkış Yap", + "Log Out Other Browser Sessions": "Diğer Tarayıcılardaki Oturumları Sonlandır", + "Manage Account": "Hesabı Yönet", + "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 Role": "Rolü Yönet", + "Manage Team": "Ekibi Yönet", + "Name": "Ad", + "New Password": "Yeni Şifre", + "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 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.", + "Password": "Parola", + "Pending Team Invitations": "Bekleyen Ekip Davetiyeleri", + "Permanently delete this team.": "Bu ekibi kalıcı olarak sil", + "Permanently delete your account.": "Hesabını kalıcı olarak sil", + "Permissions": "İzinler", + "Photo": "Resim", + "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 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 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 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.", + "Privacy Policy": "Gizlilik Politikası", + "Profile": "Profil", + "Profile Information": "Profil Bilgileri", + "Recovery Code": "Kurtarma Kodu", + "Regenerate Recovery Codes": "Kurtarma Kodunu Tekrar Üret", + "Register": "Kayıt Ol", + "Remember me": "Beni hatırla", + "Remove": "Kaldır", + "Remove Photo": "Resmi Kaldır", + "Remove Team Member": "Ekip Üyesini Kaldır", + "Resend Verification Email": "Onay Mailini Tekrar Gönder", + "Reset Password": "Parolayı Sıfırla", + "Role": "Rol", + "Save": "Kaydet", + "Saved.": "Kaydedildi.", + "Select A New Photo": "Yeni Bir Fotoğraf Seçin", + "Show Recovery Codes": "Kurtarma Kodlarını Göster", + "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 şifre yöneticisinde saklayın. İki faktörlü kimlik doğrulama cihazınız kaybolursa hesabınıza erişimi kurtarmak için kullanılabilirler.", + "Switch Teams": "Ekip Değiştir", + "Team Details": "Ekip Detayları", + "Team Invitation": "Ekip Davetiyesi", + "Team Members": "Ekip Üyeleri", + "Team Name": "Ekip İsmi", + "Team Owner": "Ekip Sahibi", + "Team Settings": "Ekip Ayarları", + "Terms of Service": "Hizmet Şartları", + "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 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öndereceğiz.", + "The :attribute must be a valid role.": ":attribute geçerli bir rol olmalıdır.", + "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 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 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 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 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.": " :attribute en az :length karakterli olmalı.", + "The provided password does not match your current password.": "Belirtilen şifre mevcut şifrenizle eşleşmiyor.", + "The provided password was incorrect.": "Belirtilen şifre yanlış.", + "The provided two factor authentication code was invalid.": "Belirtilen iki faktörlü kimlik doğrulama kodu geçersiz.", + "The team's name and owner information.": "Ekibin adı ve sahip bilgileri.", + "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.", + "This device": "Bu cihaz", + "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 şifrenizi onaylayın.", + "This password does not match our records.": "Şifreniz kayıtlarımızla eşleşmiyor.", + "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.", + "Token Name": "Jeston İsmi", + "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.": "İki faktörlü kimlik doğrulama etkinleştirildi. Telefonunuzun kimlik doğrulama uygulamasını kullanarak aşağıdaki QR kodunu tarayın.", + "Update Password": "Şifreyi Güncelle", + "Update your account's profile information and email address.": "Hesabınızın profil bilgilerini ve e-posta adresini güncelleyin.", + "Use a recovery code": "Kurtarma kodu kullan", + "Use an authentication code": "Bir kimlik doğrulama kodu kullanın", + "We were unable to find a registered user with this email address.": "Bu e-posta adresiyle kayıtlı bir kullanıcı bulamadık.", + "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.", + "Whoops! Something went wrong.": "Eyvaaah! Bir şeyler ters gitti.", + "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 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.": "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.": "Kendi oluşturduğunuz bir ekipten ayrılamazsınız." +} diff --git a/locales/tr/packages/nova.json b/locales/tr/packages/nova.json new file mode 100644 index 00000000000..cc0674f7cd7 --- /dev/null +++ b/locales/tr/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 gün", + "60 Days": "60 gün", + "90 Days": "90 gün", + ":amount Total": "Toplam :amount", + ":resource Details": ":resource detaylar", + ":resource Details: :title": ":resource detaylar: :title", + "Action": "İşlem", + "Action Happened At": "İşleme Alınan", + "Action Initiated By": "Tarafından Başlatılan", + "Action Name": "İşlem Adı", + "Action Status": "İşlem Durumu", + "Action Target": "İşlem Hedefi", + "Actions": "İşlemler", + "Add row": "Satır Ekle", + "Afghanistan": "Afganistan", + "Aland Islands": "Aland Adaları", + "Albania": "Arnavutluk", + "Algeria": "Cezayir", + "All resources loaded.": "Tüm kaynaklar yüklendi.", + "American Samoa": "Amerikan Samoası", + "An error occured while uploading the file.": "Dosya yüklenirken bir hata oluştu.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Bu sayfa yüklendikten sonra başka bir kullanıcı sayfa kaynağını değiştirdi. Lütfen sayfayı yenileyin ve tekrar deneyin.", + "Antarctica": "Antarktika", + "Antigua And Barbuda": "Antigua ve Barbuda", + "April": "Nisan", + "Are you sure you want to delete the selected resources?": "Seçili kaynakları silmek istediğinizden emin misiniz?", + "Are you sure you want to delete this file?": "Bu dosyayı silmek istediğinizden emin misiniz?", + "Are you sure you want to delete this resource?": "Bu kaynağı silmek istediğinizden emin misiniz?", + "Are you sure you want to detach the selected resources?": "Seçilen kaynakları ayırmak istediğinizden emin misiniz?", + "Are you sure you want to detach this resource?": "Bu kaynağı ayırmak istediğinizden emin misiniz?", + "Are you sure you want to force delete the selected resources?": "Seçili kaynakları silmeye zorlamak istediğinizden emin misiniz?", + "Are you sure you want to force delete this resource?": "Bu kaynağı silmeye zorlamak istediğinizden emin misiniz?", + "Are you sure you want to restore the selected resources?": "Seçilen kaynakları geri yüklemek istediğinizden emin misiniz?", + "Are you sure you want to restore this resource?": "Bu kaynağı geri yüklemek istediğinizden emin misiniz?", + "Are you sure you want to run this action?": "Bu eylemi çalıştırmak istediğinizden emin misiniz?", + "Argentina": "Arjantin", + "Armenia": "Ermenistan", + "Aruba": "Aruba", + "Attach": "Tanımla", + "Attach & Attach Another": "Tanımla ve Yenisini Tanımla", + "Attach :resource": ":resource Ekle", + "August": "Ağustos", + "Australia": "Avustralya", + "Austria": "Avusturya", + "Azerbaijan": "Azerbaycan", + "Bahamas": "Bahamalar", + "Bahrain": "Bahreyn", + "Bangladesh": "Bangladeş", + "Barbados": "Barbados", + "Belarus": "Beyaz Rusya", + "Belgium": "Belçika", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Butan", + "Bolivia": "Bolivya", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius ve Sabado", + "Bosnia And Herzegovina": "Bosna", + "Botswana": "Botsvana", + "Bouvet Island": "Bouvet Adası", + "Brazil": "Brezilya", + "British Indian Ocean Territory": "İngiliz Hint Okyanusu Bölgesi", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaristan", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kamboçya", + "Cameroon": "Kamerunlu", + "Canada": "Kanada", + "Cancel": "İptal et", + "Cape Verde": "Cape Verde", + "Cayman Islands": "Cayman Adaları", + "Central African Republic": "Orta Afrika Cumhuriyeti", + "Chad": "Çad", + "Changes": "Değişimler", + "Chile": "Şili", + "China": "Çin", + "Choose": "Seç", + "Choose :field": ":field'i seçin", + "Choose :resource": ":resource seçin", + "Choose an option": "Bir seçenek belirleyin", + "Choose date": "Tarih seç", + "Choose File": "Dosya Seç", + "Choose Type": "Türü Seçin", + "Christmas Island": "Noel Adası", + "Click to choose": "Seçmek için tıklayın", + "Cocos (Keeling) Islands": "Cocos (Keeling) Adaları", + "Colombia": "Kolombiya", + "Comoros": "Komorlar", + "Confirm Password": "Parolayı Onayla", + "Congo": "Kongo", + "Congo, Democratic Republic": "Kongo, Demokratik Cumhuriyet", + "Constant": "Sabit", + "Cook Islands": "Cook Adaları", + "Costa Rica": "Costa", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "bulunamadı.", + "Create": "Oluştur", + "Create & Add Another": "Oluştur ve Başka Ekle", + "Create :resource": ":resource oluştur", + "Croatia": "Hırvatistan", + "Cuba": "Küba", + "Curaçao": "Curaçao", + "Customize": "Özelleştir", + "Cyprus": "Kıbrıs", + "Czech Republic": "Çekya", + "Dashboard": "Gösterge Paneli", + "December": "Aralık", + "Decrease": "Azaltma", + "Delete": "Sil", + "Delete File": "Dosyayı Sil", + "Delete Resource": "Kaynağı Sil", + "Delete Selected": "Seçileni Sil", + "Denmark": "Danimarka", + "Detach": "Ayırmak", + "Detach Resource": "Kaynağı Ayır", + "Detach Selected": "Seçileni Ayır", + "Details": "Detaylar", + "Djibouti": "Cibuti", + "Do you really want to leave? You have unsaved changes.": "Gerçekten ayrılmak istiyor musun? Kaydedilmemiş değişiklikler var.", + "Dominica": "Pazar", + "Dominican Republic": "Dominik Cumhuriyeti", + "Download": "İndir", + "Ecuador": "Ekvador", + "Edit": "Düzenle", + "Edit :resource": "Düzenle: :resource", + "Edit Attached": "Ekleneni Düzenle", + "Egypt": "Mısır", + "El Salvador": "Salvador. kgm", + "Email Address": "E-Posta Adresi", + "Equatorial Guinea": "Ekvator Ginesi", + "Eritrea": "Eritre", + "Estonia": "Estonya", + "Ethiopia": "Etiyopya", + "Falkland Islands (Malvinas)": "(Malvinas Falkland Adaları )", + "Faroe Islands": "Faroe Adaları", + "February": "Şubat", + "Fiji": "Fiji", + "Finland": "Finlandiya", + "Force Delete": "Zorla Sil", + "Force Delete Resource": "Kaynağı Zorla Sil", + "Force Delete Selected": "Seçileni Silmeye Zorla", + "Forgot Your Password?": "Parolamı Unuttum?", + "Forgot your password?": "Şifrenizi mi unuttunuz?", + "France": "Fransa", + "French Guiana": "Fransız Guyanası", + "French Polynesia": "Fransız Polinezyası", + "French Southern Territories": "Fransız Güney Bölgeleri", + "Gabon": "Gabonname", + "Gambia": "Gambiyaname", + "Georgia": "Gürcistan", + "Germany": "Almanya", + "Ghana": "Gana", + "Gibraltar": "Cebelitarık", + "Go Home": "Anasayfaya Git", + "Greece": "Yunanistan", + "Greenland": "Grönland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guamname", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Gine", + "Guinea-Bissau": "Gine-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Heard Adası ve McDonald Adaları", + "Hide Content": "İçeriği Gizle", + "Hold Up!": "Bekle!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Macaristan", + "Iceland": "İzlanda", + "ID": "KİMLİK", + "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.", + "Increase": "Artır", + "India": "Hindistan", + "Indonesia": "Endonezya", + "Iran, Islamic Republic Of": "İranlı", + "Iraq": "Irak", + "Ireland": "İrlanda", + "Isle Of Man": "Man Adası", + "Israel": "İsrail", + "Italy": "İtalya", + "Jamaica": "Jamaika", + "January": "Ocak", + "Japan": "Japonya", + "Jersey": "Jersey", + "Jordan": "Ürdün", + "July": "Temmuz", + "June": "Haziran", + "Kazakhstan": "Kazakistan", + "Kenya": "Kenya", + "Key": "Anahtar", + "Kiribati": "Kiribati. kgm", + "Korea": "Güney Kore", + "Korea, Democratic People's Republic of": "Kuzey Kore", + "Kosovo": "Kosova", + "Kuwait": "Kuveyt", + "Kyrgyzstan": "Kırgızistan", + "Lao People's Democratic Republic": "Laosname", + "Latvia": "Letonya", + "Lebanon": "Lübnan", + "Lens": "Lens", + "Lesotho": "Lesotho", + "Liberia": "Liberya", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Lihtenştayn", + "Lithuania": "Litvanya", + "Load :perPage More": ":perpage daha yükle", + "Login": "Giriş Yap", + "Logout": "Çıkış Yap", + "Luxembourg": "Lüksemburg", + "Macao": "Macao", + "Macedonia": "Kuzey Makedonya", + "Madagascar": "Madagaskar", + "Malawi": "Malavi", + "Malaysia": "Malezya", + "Maldives": "Maldivler", + "Mali": "Küçük", + "Malta": "Malta", + "March": "Mart", + "Marshall Islands": "Marshall Adaları", + "Martinique": "Martinik", + "Mauritania": "Moritanya", + "Mauritius": "Mauritius", + "May": "-ebilmek", + "Mayotte": "Mayotte. kgm", + "Mexico": "Meksikalı", + "Micronesia, Federated States Of": "Mikronezya", + "Moldova": "Moldova", + "Monaco": "Monako", + "Mongolia": "Moğolistan", + "Montenegro": "Karadağ", + "Month To Date": "Ayın Başından Beri", + "Montserrat": "Montserrat", + "Morocco": "Fas", + "Mozambique": "Mozambik", + "Myanmar": "Myanmar", + "Namibia": "Namibya", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Hollanda", + "New": "Yeni", + "New :resource": "Yeni :resource", + "New Caledonia": "Yeni Kaledonya", + "New Zealand": "Yeni Zelanda", + "Next": "Sonraki", + "Nicaragua": "Nikaragua", + "Niger": "Nijer", + "Nigeria": "Nijerya", + "Niue": "Niue", + "No": "Hayır", + "No :resource matched the given criteria.": "Bu kriterlere uyan bir :resource yok.", + "No additional information...": "Ek bilgi yok...", + "No Current Data": "Geçerli Veri Yok", + "No Data": "Veri Yok", + "no file selected": "dosya seçilmedi", + "No Increase": "Artış Yok", + "No Prior Data": "Önceden Veri Yok", + "No Results Found.": "Hiç Sonuç Bulunamadı.", + "Norfolk Island": "Norfolk Adası", + "Northern Mariana Islands": "Kuzey Mariana Adaları", + "Norway": "Norveçli", + "Nova User": "Nova Kullanıcı", + "November": "Kasım", + "October": "Ekim", + "of": "-den", + "Oman": "Umman", + "Only Trashed": "Sadece Çöpe", + "Original": "Orijinal", + "Pakistan": "Pakistan", + "Palau": "Palauname", + "Palestinian Territory, Occupied": "Filistin Toprakları", + "Panama": "Panama", + "Papua New Guinea": "Papua Yeni Gine", + "Paraguay": "Paraguay", + "Password": "Parola", + "Per Page": "Sayfa Başına", + "Peru": "Peru", + "Philippines": "Filipinler", + "Pitcairn": "Pitcairn Adaları", + "Poland": "Polonyalı", + "Portugal": "Portekiz", + "Press \/ to search": "Basın \/ arama ", + "Preview": "Önizle", + "Previous": "Önceki", + "Puerto Rico": "Porto Riko", + "Qatar": "Qatar", + "Quarter To Date": "Bugüne Kadar Çeyrek", + "Reload": "Yüklemek", + "Remember Me": "Beni Hatırla", + "Reset Filters": "Filtreleri Sıfırla", + "Reset Password": "Parolayı Sıfırla", + "Reset Password Notification": "Parola Sıfırlama Bildirimi", + "resource": "kaynak", + "Resources": "Kaynaklar", + "resources": "kaynaklar", + "Restore": "Onarmak", + "Restore Resource": "Kaynağı Geri Yükle", + "Restore Selected": "Seçilen Geri Yükleme", + "Reunion": "Toplantı", + "Romania": "Romanya", + "Run Action": "Eylem Çalıştır", + "Russian Federation": "Rusya Federasyonu", + "Rwanda": "Ruanda", + "Saint Barthelemy": "Aziz Barthelemy", + "Saint Helena": "Aziz Helena", + "Saint Kitts And Nevis": "St. Kitts ve Nevis", + "Saint Lucia": "Aziz Lucia", + "Saint Martin": "Aziz Martin.", + "Saint Pierre And Miquelon": "St. Pierre ve Miquelon", + "Saint Vincent And Grenadines": "St. Vincent ve Grenadinler", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "São Tomé ve Principe", + "Saudi Arabia": "Suudi Arabistan", + "Search": "Aramak", + "Select Action": "İşlem Seç", + "Select All": "Tümünü Seç", + "Select All Matching": "Tüm Eşleşmeleri Seç", + "Send Password Reset Link": "Parola Sıfırlama Bağlantısı Gönder", + "Senegal": "Senegal", + "September": "Eylül", + "Serbia": "Sırbistan", + "Seychelles": "Şeysel", + "Show All Fields": "Tüm Alanları Göster", + "Show Content": "İçeriği Göster", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapur", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovakya", + "Slovenia": "Slovenya", + "Solomon Islands": "Solomon Adaları", + "Somalia": "Somali", + "Something went wrong.": "Bir şeyler yanlış gitti.", + "Sorry! You are not authorized to perform this action.": "Üzgünüm! Bu işlemi gerçekleştirme yetkiniz yok.", + "Sorry, your session has expired.": "Üzgünüm, oturum süreniz sona erdi.", + "South Africa": "Güney Afrika", + "South Georgia And Sandwich Isl.": "Güney Georgia ve Güney Sandwich Adaları", + "South Sudan": "Güney Sudan", + "Spain": "İspanya", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Yoklamaya Başla", + "Stop Polling": "Yoklamayı Durdur", + "Sudan": "Sudan", + "Suriname": "Surinam", + "Svalbard And Jan Mayen": "Svalbard ve Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "İsveç", + "Switzerland": "İsviçre", + "Syrian Arab Republic": "Suriye", + "Taiwan": "Tayvan", + "Tajikistan": "Tacikistan", + "Tanzania": "Tanzanya", + "Thailand": "Tayland", + "The :resource was created!": ":resource oluşturuldu!", + "The :resource was deleted!": ":resource silindi!", + "The :resource was restored!": ":resource restore edildi!", + "The :resource was updated!": ":resource güncellendi!", + "The action ran successfully!": "Eylem başarıyla koştu!", + "The file was deleted!": "Dosya silindi!", + "The government won't let us show you what's behind these doors": "Hükümet size bu kapıların ardında ne olduğunu göstermemize izin vermiyor.", + "The HasOne relationship has already been filled.": "HasOne ilişkisi zaten dolduruldu.", + "The resource was updated!": "Kaynak güncellendi!", + "There are no available options for this resource.": "Bu kaynak için kullanılabilir seçenek yok.", + "There was a problem executing the action.": "Bu eylemi gerçekleştirirken bir sorun vardı.", + "There was a problem submitting the form.": "Formu gönderirken bir sorun oluştu.", + "This file field is read-only.": "Bu dosya alanı salt okunur.", + "This image": "Bu görüntü", + "This resource no longer exists": "Bu kaynak artık mevcut değil", + "Timor-Leste": "Timor-Leste", + "Today": "Bugün", + "Togo": "Togocomment", + "Tokelau": "Tokelauworld. kgm", + "Tonga": "Gel", + "total": "toplam", + "Trashed": "Dağıtıyordu", + "Trinidad And Tobago": "Trinidad ve Tobago", + "Tunisia": "Tunus", + "Turkey": "Hindi", + "Turkmenistan": "Türkmenistan", + "Turks And Caicos Islands": "Turks ve Caicos Adaları", + "Tuvalu": "Tuvalu. kgm", + "Uganda": "Uganda", + "Ukraine": "Ukrayna", + "United Arab Emirates": "Birleşik Arap Emirlikleri", + "United Kingdom": "İngiltere", + "United States": "Birleşik Devletler", + "United States Outlying Islands": "ABD Dış Adaları", + "Update": "Güncelleme", + "Update & Continue Editing": "Güncelle Ve Düzenlemeye Devam Et", + "Update :resource": "Güncelleme :resource", + "Update :resource: :title": "Güncelleme :resource: :title", + "Update attached :resource: :title": "Güncelleme ekli :resource: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Özbekistan", + "Value": "Değer", + "Vanuatu": "Vanuatu. kgm", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "Manzara", + "Virgin Islands, British": "İngiliz Virgin Adaları", + "Virgin Islands, U.S.": "ABD Virgin Adaları", + "Wallis And Futuna": "Wallis ve Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Uzayda kaybolduk. Görüntülemeye çalıştığınız sayfa yok.", + "Welcome Back!": "Tekrar Hoş Geldiniz!", + "Western Sahara": "Batı Sahra", + "Whoops": "Bağırma", + "Whoops!": "Hoppala!", + "With Trashed": "Çöpe İle", + "Write": "Yazmak", + "Year To Date": "Yıldan Bugüne", + "Yemen": "Yemen", + "Yes": "Evet", + "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.", + "Zambia": "Zambiya", + "Zimbabwe": "Zimbabve" +} diff --git a/locales/tr/packages/spark-paddle.json b/locales/tr/packages/spark-paddle.json new file mode 100644 index 00000000000..a23b76a3477 --- /dev/null +++ b/locales/tr/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Hizmet Şartları", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Eyvaaah! Bir şeyler ters gitti.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/tr/packages/spark-stripe.json b/locales/tr/packages/spark-stripe.json new file mode 100644 index 00000000000..cad56ecf9f8 --- /dev/null +++ b/locales/tr/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afganistan", + "Albania": "Arnavutluk", + "Algeria": "Cezayir", + "American Samoa": "Amerikan Samoası", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarktika", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Arjantin", + "Armenia": "Ermenistan", + "Aruba": "Aruba", + "Australia": "Avustralya", + "Austria": "Avusturya", + "Azerbaijan": "Azerbaycan", + "Bahamas": "Bahamalar", + "Bahrain": "Bahreyn", + "Bangladesh": "Bangladeş", + "Barbados": "Barbados", + "Belarus": "Beyaz Rusya", + "Belgium": "Belçika", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Butan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botsvana", + "Bouvet Island": "Bouvet Adası", + "Brazil": "Brezilya", + "British Indian Ocean Territory": "İngiliz Hint Okyanusu Bölgesi", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaristan", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Kamboçya", + "Cameroon": "Kamerunlu", + "Canada": "Kanada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Cape Verde", + "Card": "Kart", + "Cayman Islands": "Cayman Adaları", + "Central African Republic": "Orta Afrika Cumhuriyeti", + "Chad": "Çad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Şili", + "China": "Çin", + "Christmas Island": "Noel Adası", + "City": "City", + "Cocos (Keeling) Islands": "Cocos (Keeling) Adaları", + "Colombia": "Kolombiya", + "Comoros": "Komorlar", + "Confirm Payment": "Ödemeyi Onayla", + "Confirm your :amount payment": ":amount ödemenizi onaylayın", + "Congo": "Kongo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Cook Adaları", + "Costa Rica": "Costa", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Hırvatistan", + "Cuba": "Küba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Kıbrıs", + "Czech Republic": "Çekya", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Danimarka", + "Djibouti": "Cibuti", + "Dominica": "Pazar", + "Dominican Republic": "Dominik Cumhuriyeti", + "Download Receipt": "Download Receipt", + "Ecuador": "Ekvador", + "Egypt": "Mısır", + "El Salvador": "Salvador. kgm", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Ekvator Ginesi", + "Eritrea": "Eritre", + "Estonia": "Estonya", + "Ethiopia": "Etiyopya", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Ödemenizi işlemek için ek onay gereklidir. Lütfen aşağıdaki butona tıklayarak ödeme sayfasına devam ediniz.", + "Falkland Islands (Malvinas)": "(Malvinas Falkland Adaları )", + "Faroe Islands": "Faroe Adaları", + "Fiji": "Fiji", + "Finland": "Finlandiya", + "France": "Fransa", + "French Guiana": "Fransız Guyanası", + "French Polynesia": "Fransız Polinezyası", + "French Southern Territories": "Fransız Güney Bölgeleri", + "Gabon": "Gabonname", + "Gambia": "Gambiyaname", + "Georgia": "Gürcistan", + "Germany": "Almanya", + "Ghana": "Gana", + "Gibraltar": "Cebelitarık", + "Greece": "Yunanistan", + "Greenland": "Grönland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guamname", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Gine", + "Guinea-Bissau": "Gine-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Macaristan", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "İzlanda", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Hindistan", + "Indonesia": "Endonezya", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Irak", + "Ireland": "İrlanda", + "Isle of Man": "Isle of Man", + "Israel": "İsrail", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "İtalya", + "Jamaica": "Jamaika", + "Japan": "Japonya", + "Jersey": "Jersey", + "Jordan": "Ürdün", + "Kazakhstan": "Kazakistan", + "Kenya": "Kenya", + "Kiribati": "Kiribati. kgm", + "Korea, Democratic People's Republic of": "Kuzey Kore", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuveyt", + "Kyrgyzstan": "Kırgızistan", + "Lao People's Democratic Republic": "Laosname", + "Latvia": "Letonya", + "Lebanon": "Lübnan", + "Lesotho": "Lesotho", + "Liberia": "Liberya", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Lihtenştayn", + "Lithuania": "Litvanya", + "Luxembourg": "Lüksemburg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagaskar", + "Malawi": "Malavi", + "Malaysia": "Malezya", + "Maldives": "Maldivler", + "Mali": "Küçük", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marshall Adaları", + "Martinique": "Martinik", + "Mauritania": "Moritanya", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte. kgm", + "Mexico": "Meksikalı", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monako", + "Mongolia": "Moğolistan", + "Montenegro": "Karadağ", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Fas", + "Mozambique": "Mozambik", + "Myanmar": "Myanmar", + "Namibia": "Namibya", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Hollanda", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Yeni Kaledonya", + "New Zealand": "Yeni Zelanda", + "Nicaragua": "Nikaragua", + "Niger": "Nijer", + "Nigeria": "Nijerya", + "Niue": "Niue", + "Norfolk Island": "Norfolk Adası", + "Northern Mariana Islands": "Kuzey Mariana Adaları", + "Norway": "Norveçli", + "Oman": "Umman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palauname", + "Palestinian Territory, Occupied": "Filistin Toprakları", + "Panama": "Panama", + "Papua New Guinea": "Papua Yeni Gine", + "Paraguay": "Paraguay", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Filipinler", + "Pitcairn": "Pitcairn Adaları", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Polonyalı", + "Portugal": "Portekiz", + "Puerto Rico": "Porto Riko", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Romanya", + "Russian Federation": "Rusya Federasyonu", + "Rwanda": "Ruanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Aziz Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Aziz Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Suudi Arabistan", + "Save": "Kaydet", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Sırbistan", + "Seychelles": "Şeysel", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapur", + "Slovakia": "Slovakya", + "Slovenia": "Slovenya", + "Solomon Islands": "Solomon Adaları", + "Somalia": "Somali", + "South Africa": "Güney Afrika", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "İspanya", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Surinam", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "İsveç", + "Switzerland": "İsviçre", + "Syrian Arab Republic": "Suriye", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tacikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Hizmet Şartları", + "Thailand": "Tayland", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Togocomment", + "Tokelau": "Tokelauworld. kgm", + "Tonga": "Gel", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunus", + "Turkey": "Hindi", + "Turkmenistan": "Türkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu. kgm", + "Uganda": "Uganda", + "Ukraine": "Ukrayna", + "United Arab Emirates": "Birleşik Arap Emirlikleri", + "United Kingdom": "İngiltere", + "United States": "Birleşik Devletler", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Güncelleme", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Özbekistan", + "Vanuatu": "Vanuatu. kgm", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "İngiliz Virgin Adaları", + "Virgin Islands, U.S.": "ABD Virgin Adaları", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Batı Sahra", + "Whoops! Something went wrong.": "Eyvaaah! Bir şeyler ters gitti.", + "Yearly": "Yearly", + "Yemen": "Yemen", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambiya", + "Zimbabwe": "Zimbabve", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/tr/tr.json b/locales/tr/tr.json index b001f203a90..57b88cd4c32 100644 --- a/locales/tr/tr.json +++ b/locales/tr/tr.json @@ -1,710 +1,48 @@ { - "30 Days": "30 gün", - "60 Days": "60 gün", - "90 Days": "90 gün", - ":amount Total": "Toplam :amount", - ":days day trial": ":days day trial", - ":resource Details": ":resource detaylar", - ":resource Details: :title": ":resource detaylar: :title", "A fresh verification link has been sent to your email address.": "Yeni bir doğrulama bağlantısı e-posta adresinize gönderildi.", - "A new verification link has been sent to the email address you provided during registration.": "Üyelik esnasında kullandığınız e-posta adresinize onay linki gönderildi.", - "Accept Invitation": "Daveti Kabul Et", - "Action": "İşlem", - "Action Happened At": "İşleme Alınan", - "Action Initiated By": "Tarafından Başlatılan", - "Action Name": "İşlem Adı", - "Action Status": "İşlem Durumu", - "Action Target": "İşlem Hedefi", - "Actions": "İşlemler", - "Add": "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ına izin verin.", - "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 row": "Satır Ekle", - "Add Team Member": "Ekip Üyesi Ekle", - "Add VAT Number": "Add VAT Number", - "Added.": "Eklendi.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Yönetici", - "Administrator users can perform any action.": "Yöneticiler herhangi bir eylemi gerçekleştirebilir.", - "Afghanistan": "Afganistan", - "Aland Islands": "Aland Adaları", - "Albania": "Arnavutluk", - "Algeria": "Cezayir", - "All of the people that are part of this team.": "Bu ekibin parçası olan tüm kişiler.", - "All resources loaded.": "Tüm kaynaklar yüklendi.", - "All rights reserved.": "Tüm hakları saklıdır.", - "Already registered?": "Zaten Üye Misiniz?", - "American Samoa": "Amerikan Samoası", - "An error occured while uploading the file.": "Dosya yüklenirken bir hata oluştu.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Bu sayfa yüklendikten sonra başka bir kullanıcı sayfa kaynağını değiştirdi. Lütfen sayfayı yenileyin ve tekrar deneyin.", - "Antarctica": "Antarktika", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua ve Barbuda", - "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 jetonları, üçüncü taraf hizmetlerin sizin adınıza uygulamamızla kimlik doğrulaması yapmasına izin verir.", - "April": "Nisan", - "Are you sure you want to delete the selected resources?": "Seçili kaynakları silmek istediğinizden emin misiniz?", - "Are you sure you want to delete this file?": "Bu dosyayı silmek istediğinizden emin misiniz?", - "Are you sure you want to delete this resource?": "Bu kaynağı silmek istediğinizden emin misiniz?", - "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 şifrenizi girin.", - "Are you sure you want to detach the selected resources?": "Seçilen kaynakları ayırmak istediğinizden emin misiniz?", - "Are you sure you want to detach this resource?": "Bu kaynağı ayırmak istediğinizden emin misiniz?", - "Are you sure you want to force delete the selected resources?": "Seçili kaynakları silmeye zorlamak istediğinizden emin misiniz?", - "Are you sure you want to force delete this resource?": "Bu kaynağı silmeye zorlamak istediğinizden emin misiniz?", - "Are you sure you want to restore the selected resources?": "Seçilen kaynakları geri yüklemek istediğinizden emin misiniz?", - "Are you sure you want to restore this resource?": "Bu kaynağı geri yüklemek istediğinizden emin misiniz?", - "Are you sure you want to run this action?": "Bu eylemi çalıştırmak 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 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?", - "Argentina": "Arjantin", - "Armenia": "Ermenistan", - "Aruba": "Aruba", - "Attach": "Tanımla", - "Attach & Attach Another": "Tanımla ve Yenisini Tanımla", - "Attach :resource": ":resource Ekle", - "August": "Ağustos", - "Australia": "Avustralya", - "Austria": "Avusturya", - "Azerbaijan": "Azerbaycan", - "Bahamas": "Bahamalar", - "Bahrain": "Bahreyn", - "Bangladesh": "Bangladeş", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Devam etmeden önce, doğrulama bağlantısı için lütfen e-postanızı kontrol edin.", - "Belarus": "Beyaz Rusya", - "Belgium": "Belçika", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Butan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivya", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius ve Sabado", - "Bosnia And Herzegovina": "Bosna", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botsvana", - "Bouvet Island": "Bouvet Adası", - "Brazil": "Brezilya", - "British Indian Ocean Territory": "İngiliz Hint Okyanusu Bölgesi", - "Browser Sessions": "Tarayıcı Oturumları", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgaristan", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Kamboçya", - "Cameroon": "Kamerunlu", - "Canada": "Kanada", - "Cancel": "İptal et", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Cape Verde", - "Card": "Kart", - "Cayman Islands": "Cayman Adaları", - "Central African Republic": "Orta Afrika Cumhuriyeti", - "Chad": "Çad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Değişimler", - "Chile": "Şili", - "China": "Çin", - "Choose": "Seç", - "Choose :field": ":field'i seçin", - "Choose :resource": ":resource seçin", - "Choose an option": "Bir seçenek belirleyin", - "Choose date": "Tarih seç", - "Choose File": "Dosya Seç", - "Choose Type": "Türü Seçin", - "Christmas Island": "Noel Adası", - "City": "City", "click here to request another": "başka bir tane daha talep etmek için tıklayın", - "Click to choose": "Seçmek için tıklayın", - "Close": "Kapat", - "Cocos (Keeling) Islands": "Cocos (Keeling) Adaları", - "Code": "Kod", - "Colombia": "Kolombiya", - "Comoros": "Komorlar", - "Confirm": "Onayla", - "Confirm Password": "Parolayı Onayla", - "Confirm Payment": "Ödemeyi Onayla", - "Confirm your :amount payment": ":amount ödemenizi onaylayın", - "Congo": "Kongo", - "Congo, Democratic Republic": "Kongo, Demokratik Cumhuriyet", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Sabit", - "Cook Islands": "Cook Adaları", - "Costa Rica": "Costa", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "bulunamadı.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Oluştur", - "Create & Add Another": "Oluştur ve Başka Ekle", - "Create :resource": ":resource 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 Account": "Hesap Oluştur", - "Create API Token": "Api Jetonu Oluştur", - "Create New Team": "Yeni Ekip Oluştur", - "Create Team": "Ekip Oluştur", - "Created.": "Oluşturuldu.", - "Croatia": "Hırvatistan", - "Cuba": "Küba", - "Curaçao": "Curaçao", - "Current Password": "Geçerli Şifre", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Özelleştir", - "Cyprus": "Kıbrıs", - "Czech Republic": "Çekya", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Gösterge Paneli", - "December": "Aralık", - "Decrease": "Azaltma", - "Delete": "Sil", - "Delete Account": "Hesabı Sil", - "Delete API Token": "API Jetonunu Sil", - "Delete File": "Dosyayı Sil", - "Delete Resource": "Kaynağı Sil", - "Delete Selected": "Seçileni Sil", - "Delete Team": "Ekibi Sil", - "Denmark": "Danimarka", - "Detach": "Ayırmak", - "Detach Resource": "Kaynağı Ayır", - "Detach Selected": "Seçileni Ayır", - "Details": "Detaylar", - "Disable": "Devre Dışı Bırak", - "Djibouti": "Cibuti", - "Do you really want to leave? You have unsaved changes.": "Gerçekten ayrılmak istiyor musun? Kaydedilmemiş değişiklikler var.", - "Dominica": "Pazar", - "Dominican Republic": "Dominik Cumhuriyeti", - "Done.": "Bitti.", - "Download": "İndir", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-Posta Adresi", - "Ecuador": "Ekvador", - "Edit": "Düzenle", - "Edit :resource": "Düzenle: :resource", - "Edit Attached": "Ekleneni Düzenle", - "Editor": "Editör", - "Editor users have the ability to read, create, and update.": "Editörler okuma, oluşturma ve güncelleme yapabilir.", - "Egypt": "Mısır", - "El Salvador": "Salvador. kgm", - "Email": "E-Posta", - "Email Address": "E-Posta Adresi", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "E-Posta Şifre Sıfırlama Linki", - "Enable": "Etkinleştir", - "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 şifre kullandığınızdan emin olun.", - "Equatorial Guinea": "Ekvator Ginesi", - "Eritrea": "Eritre", - "Estonia": "Estonya", - "Ethiopia": "Etiyopya", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Ödemenizi işlemek için ek onay gereklidir. Lütfen aşağıdaki ödeme bilgilerinizi doldurarak ödemenizi onaylayın.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Ödemenizi işlemek için ek onay gereklidir. Lütfen aşağıdaki butona tıklayarak ödeme sayfasına devam ediniz.", - "Falkland Islands (Malvinas)": "(Malvinas Falkland Adaları )", - "Faroe Islands": "Faroe Adaları", - "February": "Şubat", - "Fiji": "Fiji", - "Finland": "Finlandiya", - "For your security, please confirm your password to continue.": "Güvenliğiniz için lütfen devam etmek için şifrenizi onaylayın.", "Forbidden": "Yasak", - "Force Delete": "Zorla Sil", - "Force Delete Resource": "Kaynağı Zorla Sil", - "Force Delete Selected": "Seçileni Silmeye Zorla", - "Forgot Your Password?": "Parolamı Unuttum?", - "Forgot your password?": "Şifrenizi mi 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.": "Şifrenizi mi unuttunuz? Sorun değil. Sadece e-posta adresinizi bize söyleyin size yeni şifrenizi belirleyebileceğiniz bir parola sıfırlama linki gönderelim.", - "France": "Fransa", - "French Guiana": "Fransız Guyanası", - "French Polynesia": "Fransız Polinezyası", - "French Southern Territories": "Fransız Güney Bölgeleri", - "Full name": "Tam adı", - "Gabon": "Gabonname", - "Gambia": "Gambiyaname", - "Georgia": "Gürcistan", - "Germany": "Almanya", - "Ghana": "Gana", - "Gibraltar": "Cebelitarık", - "Go back": "Geri dön", - "Go Home": "Anasayfaya Git", "Go to page :page": ":page sayfasına git", - "Great! You have accepted the invitation to join the :team team.": "Harika! :team ekibine katılma davetini kabul ettiniz.", - "Greece": "Yunanistan", - "Greenland": "Grönland", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guamname", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Gine", - "Guinea-Bissau": "Gine-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Heard Adası ve McDonald Adaları", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Merhaba!", - "Hide Content": "İçeriği Gizle", - "Hold Up!": "Bekle!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Macaristan", - "I agree to the :terms_of_service and :privacy_policy": ":terms_of_service ve :privacy_policy'yi kabul ediyorum", - "Iceland": "İzlanda", - "ID": "KİMLİK", - "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, şifrenizi de güncellemelisiniz.", "If necessary, you may logout 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ızdaki diğer tüm tarayıcı oturumlarınızdan çıkış yapabilirsiniz. Son oturumlarınızın 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 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 receive the email": "E-postayı almadıysanız", - "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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "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: [:actionURL](:actionURL)", - "Increase": "Artır", - "India": "Hindistan", - "Indonesia": "Endonezya", "Invalid signature.": "Geçersiz imza.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "İranlı", - "Iraq": "Irak", - "Ireland": "İrlanda", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Man Adası", - "Israel": "İsrail", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "İtalya", - "Jamaica": "Jamaika", - "January": "Ocak", - "Japan": "Japonya", - "Jersey": "Jersey", - "Jordan": "Ürdün", - "July": "Temmuz", - "June": "Haziran", - "Kazakhstan": "Kazakistan", - "Kenya": "Kenya", - "Key": "Anahtar", - "Kiribati": "Kiribati. kgm", - "Korea": "Güney Kore", - "Korea, Democratic People's Republic of": "Kuzey Kore", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosova", - "Kuwait": "Kuveyt", - "Kyrgyzstan": "Kırgızistan", - "Lao People's Democratic Republic": "Laosname", - "Last active": "Son aktiflik", - "Last used": "Son kullanım", - "Latvia": "Letonya", - "Leave": "Ayrıl", - "Leave Team": "Ekipten Ayrıl", - "Lebanon": "Lübnan", - "Lens": "Lens", - "Lesotho": "Lesotho", - "Liberia": "Liberya", - "Libyan Arab Jamahiriya": "Libya", - "Liechtenstein": "Lihtenştayn", - "Lithuania": "Litvanya", - "Load :perPage More": ":perpage daha yükle", - "Log in": "Giriş yap", "Log out": "Çıkış yap", - "Log Out": "Çıkış Yap", - "Log Out Other Browser Sessions": "Diğer Tarayıcılardaki Oturumları Sonlandır", - "Login": "Giriş Yap", - "Logout": "Çıkış Yap", "Logout Other Browser Sessions": "Diğer Tarayıcılardaki Oturumları Sonlandır", - "Luxembourg": "Lüksemburg", - "Macao": "Macao", - "Macedonia": "Kuzey Makedonya", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagaskar", - "Malawi": "Malavi", - "Malaysia": "Malezya", - "Maldives": "Maldivler", - "Mali": "Küçük", - "Malta": "Malta", - "Manage Account": "Hesabı Yönet", - "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 and logout 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 Role": "Rolü Yönet", - "Manage Team": "Ekibi Yönet", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Mart", - "Marshall Islands": "Marshall Adaları", - "Martinique": "Martinik", - "Mauritania": "Moritanya", - "Mauritius": "Mauritius", - "May": "-ebilmek", - "Mayotte": "Mayotte. kgm", - "Mexico": "Meksikalı", - "Micronesia, Federated States Of": "Mikronezya", - "Moldova": "Moldova", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monako", - "Mongolia": "Moğolistan", - "Montenegro": "Karadağ", - "Month To Date": "Ayın Başından Beri", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Fas", - "Mozambique": "Mozambik", - "Myanmar": "Myanmar", - "Name": "Ad", - "Namibia": "Namibya", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Hollanda", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Boşver", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Yeni", - "New :resource": "Yeni :resource", - "New Caledonia": "Yeni Kaledonya", - "New Password": "Yeni Şifre", - "New Zealand": "Yeni Zelanda", - "Next": "Sonraki", - "Nicaragua": "Nikaragua", - "Niger": "Nijer", - "Nigeria": "Nijerya", - "Niue": "Niue", - "No": "Hayır", - "No :resource matched the given criteria.": "Bu kriterlere uyan bir :resource yok.", - "No additional information...": "Ek bilgi yok...", - "No Current Data": "Geçerli Veri Yok", - "No Data": "Veri Yok", - "no file selected": "dosya seçilmedi", - "No Increase": "Artış Yok", - "No Prior Data": "Önceden Veri Yok", - "No Results Found.": "Hiç Sonuç Bulunamadı.", - "Norfolk Island": "Norfolk Adası", - "Northern Mariana Islands": "Kuzey Mariana Adaları", - "Norway": "Norveçli", "Not Found": "Bulunamadı", - "Nova User": "Nova Kullanıcı", - "November": "Kasım", - "October": "Ekim", - "of": "-den", "Oh no": "Ah hayır", - "Oman": "Umman", - "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 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 Trashed": "Sadece Çöpe", - "Original": "Orijinal", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Sayfa zaman aşımına uğradı", "Pagination Navigation": "Sayfalandırma Çubuğu", - "Pakistan": "Pakistan", - "Palau": "Palauname", - "Palestinian Territory, Occupied": "Filistin Toprakları", - "Panama": "Panama", - "Papua New Guinea": "Papua Yeni Gine", - "Paraguay": "Paraguay", - "Password": "Parola", - "Pay :amount": "Ödeme :amount", - "Payment Cancelled": "Ödeme İptal Edildi", - "Payment Confirmation": "Ödeme Onayı", - "Payment Information": "Payment Information", - "Payment Successful": "Ödeme Başarılı", - "Pending Team Invitations": "Bekleyen Ekip Davetiyeleri", - "Per Page": "Sayfa Başına", - "Permanently delete this team.": "Bu ekibi kalıcı olarak sil", - "Permanently delete your account.": "Hesabını kalıcı olarak sil", - "Permissions": "İzinler", - "Peru": "Peru", - "Philippines": "Filipinler", - "Photo": "Resim", - "Pitcairn": "Pitcairn Adaları", "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 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 your password before continuing.": "Devam etmeden önce lütfen parolanızı onaylayın.", - "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 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 logout of your other browser sessions across all of your devices.": "Lütfen tüm cihazlarınızdaki diğer tarayıcı oturumlarınızdan çıkış yapmak istediğinizi onaylamak için şifrenizi girin.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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 provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Lütfen bu ekibe eklemek istediğiniz kişinin e-posta adresini sağlayın. E-posta adresi mevcut bir hesapla ilişkilendirilmelidir.", - "Please provide your name.": "Lütfen adınızı belirtin.", - "Poland": "Polonyalı", - "Portugal": "Portekiz", - "Press \/ to search": "Basın \/ arama ", - "Preview": "Önizle", - "Previous": "Önceki", - "Privacy Policy": "Gizlilik Politikası", - "Profile": "Profil", - "Profile Information": "Profil Bilgileri", - "Puerto Rico": "Porto Riko", - "Qatar": "Qatar", - "Quarter To Date": "Bugüne Kadar Çeyrek", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Kurtarma Kodu", "Regards": "En iyi dileklerle", - "Regenerate Recovery Codes": "Kurtarma Kodunu Tekrar Üret", - "Register": "Kayıt Ol", - "Reload": "Yüklemek", - "Remember me": "Beni hatırla", - "Remember Me": "Beni Hatırla", - "Remove": "Kaldır", - "Remove Photo": "Resmi Kaldır", - "Remove Team Member": "Ekip Üyesini Kaldır", - "Resend Verification Email": "Onay Mailini Tekrar Gönder", - "Reset Filters": "Filtreleri Sıfırla", - "Reset Password": "Parolayı Sıfırla", - "Reset Password Notification": "Parola Sıfırlama Bildirimi", - "resource": "kaynak", - "Resources": "Kaynaklar", - "resources": "kaynaklar", - "Restore": "Onarmak", - "Restore Resource": "Kaynağı Geri Yükle", - "Restore Selected": "Seçilen Geri Yükleme", "results": "sonuçlar", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Toplantı", - "Role": "Rol", - "Romania": "Romanya", - "Run Action": "Eylem Çalıştır", - "Russian Federation": "Rusya Federasyonu", - "Rwanda": "Ruanda", - "Réunion": "Réunion", - "Saint Barthelemy": "Aziz Barthelemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Aziz Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "St. Kitts ve Nevis", - "Saint Lucia": "Aziz Lucia", - "Saint Martin": "Aziz Martin.", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "St. Pierre ve Miquelon", - "Saint Vincent And Grenadines": "St. Vincent ve Grenadinler", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "São Tomé ve Principe", - "Saudi Arabia": "Suudi Arabistan", - "Save": "Kaydet", - "Saved.": "Kaydedildi.", - "Search": "Aramak", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Yeni Bir Fotoğraf Seçin", - "Select Action": "İşlem Seç", - "Select All": "Tümünü Seç", - "Select All Matching": "Tüm Eşleşmeleri Seç", - "Send Password Reset Link": "Parola Sıfırlama Bağlantısı Gönder", - "Senegal": "Senegal", - "September": "Eylül", - "Serbia": "Sırbistan", "Server Error": "Sunucu Hatası", "Service Unavailable": "Hizmet Kullanılamıyor", - "Seychelles": "Şeysel", - "Show All Fields": "Tüm Alanları Göster", - "Show Content": "İçeriği Göster", - "Show Recovery Codes": "Kurtarma Kodlarını Göster", "Showing": "Gösteri", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapur", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovakya", - "Slovenia": "Slovenya", - "Solomon Islands": "Solomon Adaları", - "Somalia": "Somali", - "Something went wrong.": "Bir şeyler yanlış gitti.", - "Sorry! You are not authorized to perform this action.": "Üzgünüm! Bu işlemi gerçekleştirme yetkiniz yok.", - "Sorry, your session has expired.": "Üzgünüm, oturum süreniz sona erdi.", - "South Africa": "Güney Afrika", - "South Georgia And Sandwich Isl.": "Güney Georgia ve Güney Sandwich Adaları", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Güney Sudan", - "Spain": "İspanya", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Yoklamaya Başla", - "State \/ County": "State \/ County", - "Stop Polling": "Yoklamayı Durdur", - "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 şifre yöneticisinde saklayın. İki faktörlü kimlik doğrulama cihazınız kaybolursa hesabınıza erişimi kurtarmak için kullanılabilirler.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Surinam", - "Svalbard And Jan Mayen": "Svalbard ve Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "İsveç", - "Switch Teams": "Ekip Değiştir", - "Switzerland": "İsviçre", - "Syrian Arab Republic": "Suriye", - "Taiwan": "Tayvan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tacikistan", - "Tanzania": "Tanzanya", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Ekip Detayları", - "Team Invitation": "Ekip Davetiyesi", - "Team Members": "Ekip Üyeleri", - "Team Name": "Ekip İsmi", - "Team Owner": "Ekip Sahibi", - "Team Settings": "Ekip Ayarları", - "Terms of Service": "Hizmet Şartları", - "Thailand": "Tayland", - "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 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öndereceğiz.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute geçerli bir rol olmalıdır.", - "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 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 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 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 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.": " :attribute en az :length karakterli olmalı.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource oluşturuldu!", - "The :resource was deleted!": ":resource silindi!", - "The :resource was restored!": ":resource restore edildi!", - "The :resource was updated!": ":resource güncellendi!", - "The action ran successfully!": "Eylem başarıyla koştu!", - "The file was deleted!": "Dosya silindi!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Hükümet size bu kapıların ardında ne olduğunu göstermemize izin vermiyor.", - "The HasOne relationship has already been filled.": "HasOne ilişkisi zaten dolduruldu.", - "The payment was successful.": "Ödeme başarıyla tamamlandı.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Belirtilen şifre mevcut şifrenizle eşleşmiyor.", - "The provided password was incorrect.": "Belirtilen şifre yanlış.", - "The provided two factor authentication code was invalid.": "Belirtilen iki faktörlü kimlik doğrulama kodu geçersiz.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Kaynak güncellendi!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Ekibin adı ve sahip bilgileri.", - "There are no available options for this resource.": "Bu kaynak için kullanılabilir seçenek yok.", - "There was a problem executing the action.": "Bu eylemi gerçekleştirirken bir sorun vardı.", - "There was a problem submitting the form.": "Formu gönderirken bir sorun oluştu.", - "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.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Bu işleme izin verilmiyor.", - "This device": "Bu cihaz", - "This file field is read-only.": "Bu dosya alanı salt okunur.", - "This image": "Bu görüntü", - "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 şifrenizi onaylayın.", - "This password does not match our records.": "Şifreniz 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 payment was already successfully confirmed.": "Bu ödeme zaten başarıyla onaylandı.", - "This payment was cancelled.": "Bu ödeme iptal edildi.", - "This resource no longer exists": "Bu kaynak artık mevcut değil", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "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.", - "Timor-Leste": "Timor-Leste", "to": "a", - "Today": "Bugün", "Toggle navigation": "Menüyü Aç\/Kapat", - "Togo": "Togocomment", - "Tokelau": "Tokelauworld. kgm", - "Token Name": "Jeston İsmi", - "Tonga": "Gel", "Too Many Attempts.": "Çok Fazla Deneme.", "Too Many Requests": "Çok Fazla İstek", - "total": "toplam", - "Total:": "Total:", - "Trashed": "Dağıtıyordu", - "Trinidad And Tobago": "Trinidad ve Tobago", - "Tunisia": "Tunus", - "Turkey": "Hindi", - "Turkmenistan": "Türkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Turks ve Caicos Adaları", - "Tuvalu": "Tuvalu. kgm", - "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.": "İki faktörlü kimlik doğrulama etkinleştirildi. Telefonunuzun kimlik doğrulama uygulamasını kullanarak aşağıdaki QR kodunu tarayın.", - "Uganda": "Uganda", - "Ukraine": "Ukrayna", "Unauthorized": "İzinsiz", - "United Arab Emirates": "Birleşik Arap Emirlikleri", - "United Kingdom": "İngiltere", - "United States": "Birleşik Devletler", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "ABD Dış Adaları", - "Update": "Güncelleme", - "Update & Continue Editing": "Güncelle Ve Düzenlemeye Devam Et", - "Update :resource": "Güncelleme :resource", - "Update :resource: :title": "Güncelleme :resource: :title", - "Update attached :resource: :title": "Güncelleme ekli :resource: :title", - "Update Password": "Şifreyi Güncelle", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Hesabınızın profil bilgilerini ve e-posta adresini güncelleyin.", - "Uruguay": "Uruguay", - "Use a recovery code": "Kurtarma kodu kullan", - "Use an authentication code": "Bir kimlik doğrulama kodu kullanın", - "Uzbekistan": "Özbekistan", - "Value": "Değer", - "Vanuatu": "Vanuatu. kgm", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "E-posta Adresini Doğrula", "Verify Your Email Address": "E-posta Adresinizi Doğrulayın", - "Viet Nam": "Vietnam", - "View": "Manzara", - "Virgin Islands, British": "İngiliz Virgin Adaları", - "Virgin Islands, U.S.": "ABD Virgin Adaları", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis ve Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Bu e-posta adresiyle kayıtlı bir kullanıcı bulamadık.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Birkaç saat boyunca parolanızı tekrar sormayacağız.", - "We're lost in space. The page you were trying to view does not exist.": "Uzayda kaybolduk. Görüntülemeye çalıştığınız sayfa yok.", - "Welcome Back!": "Tekrar Hoş Geldiniz!", - "Western Sahara": "Batı Sahra", - "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.", - "Whoops": "Bağırma", - "Whoops!": "Hoppala!", - "Whoops! Something went wrong.": "Eyvaaah! Bir şeyler ters gitti.", - "With Trashed": "Çöpe İle", - "Write": "Yazmak", - "Year To Date": "Yıldan Bugüne", - "Yearly": "Yearly", - "Yemen": "Yemen", - "Yes": "Evet", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Giriş yaptınız!", - "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 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 may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.": "Kendi oluşturduğunuz bir ekipten ayrılamazsınız.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "E-posta adresiniz doğrulanmadı.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambiya", - "Zimbabwe": "Zimbabve", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "E-posta adresiniz doğrulanmadı." } diff --git a/locales/ug/packages/cashier.json b/locales/ug/packages/cashier.json new file mode 100644 index 00000000000..d815141a0b5 --- /dev/null +++ b/locales/ug/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "All rights reserved.", + "Card": "Card", + "Confirm Payment": "Confirm Payment", + "Confirm your :amount payment": "Confirm your :amount payment", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", + "Full name": "Full name", + "Go back": "Go back", + "Jane Doe": "Jane Doe", + "Pay :amount": "Pay :amount", + "Payment Cancelled": "Payment Cancelled", + "Payment Confirmation": "Payment Confirmation", + "Payment Successful": "Payment Successful", + "Please provide your name.": "Please provide your name.", + "The payment was successful.": "The payment was successful.", + "This payment was already successfully confirmed.": "This payment was already successfully confirmed.", + "This payment was cancelled.": "This payment was cancelled." +} diff --git a/locales/ug/packages/fortify.json b/locales/ug/packages/fortify.json new file mode 100644 index 00000000000..fa4b05c7684 --- /dev/null +++ b/locales/ug/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 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 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." +} diff --git a/locales/ug/packages/jetstream.json b/locales/ug/packages/jetstream.json new file mode 100644 index 00000000000..0f42c7ba1ac --- /dev/null +++ b/locales/ug/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "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.", + "Accept Invitation": "Accept Invitation", + "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 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", + "Added.": "Added.", + "Administrator": "Administrator", + "Administrator users can perform any action.": "Administrator users can perform any action.", + "All of the people that are part of this team.": "All of the people that are part of this team.", + "Already registered?": "Already registered?", + "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.", + "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 delete this API token?": "Are you sure you would like to delete this API token?", + "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?", + "Browser Sessions": "Browser Sessions", + "Cancel": "Cancel", + "Close": "Close", + "Code": "Code", + "Confirm": "Confirm", + "Confirm Password": "Confirm Password", + "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 API Token": "Create API Token", + "Create New Team": "Create New Team", + "Create Team": "Create Team", + "Created.": "Created.", + "Current Password": "Current Password", + "Dashboard": "Dashboard", + "Delete": "Delete", + "Delete Account": "Delete Account", + "Delete API Token": "Delete API Token", + "Delete Team": "Delete Team", + "Disable": "Disable", + "Done.": "Done.", + "Editor": "Editor", + "Editor users have the ability to read, create, and update.": "Editor users have the ability to read, create, and update.", + "Email": "Email", + "Email Password Reset Link": "Email Password Reset Link", + "Enable": "Enable", + "Ensure your account is using a long, random password to stay secure.": "Ensure your account is using a long, random password to stay secure.", + "For your security, please confirm your password to continue.": "For your security, please confirm your password to continue.", + "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.", + "Great! You have accepted the invitation to join the :team team.": "Great! You have accepted the invitation to join the :team team.", + "I agree to the :terms_of_service and :privacy_policy": "I agree to the :terms_of_service and :privacy_policy", + "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 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 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 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:", + "Last active": "Last active", + "Last used": "Last used", + "Leave": "Leave", + "Leave Team": "Leave Team", + "Log in": "Log in", + "Log Out": "Log Out", + "Log Out Other Browser Sessions": "Log Out Other Browser Sessions", + "Manage Account": "Manage Account", + "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 Role": "Manage Role", + "Manage Team": "Manage Team", + "Name": "Name", + "New Password": "New Password", + "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 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.", + "Password": "Password", + "Pending Team Invitations": "Pending Team Invitations", + "Permanently delete this team.": "Permanently delete this team.", + "Permanently delete your account.": "Permanently delete your account.", + "Permissions": "Permissions", + "Photo": "Photo", + "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 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 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.", + "Privacy Policy": "Privacy Policy", + "Profile": "Profile", + "Profile Information": "Profile Information", + "Recovery Code": "Recovery Code", + "Regenerate Recovery Codes": "Regenerate Recovery Codes", + "Register": "Register", + "Remember me": "Remember me", + "Remove": "Remove", + "Remove Photo": "Remove Photo", + "Remove Team Member": "Remove Team Member", + "Resend Verification Email": "Resend Verification Email", + "Reset Password": "Reset Password", + "Role": "Role", + "Save": "Save", + "Saved.": "Saved.", + "Select A New Photo": "Select A New Photo", + "Show Recovery Codes": "Show Recovery Codes", + "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.", + "Switch Teams": "Switch Teams", + "Team Details": "Team Details", + "Team Invitation": "Team Invitation", + "Team Members": "Team Members", + "Team Name": "Team Name", + "Team Owner": "Team Owner", + "Team Settings": "Team Settings", + "Terms of Service": "Terms of Service", + "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 a valid role.": "The :attribute must be a valid role.", + "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 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 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 team's name and owner information.": "The team's name and owner information.", + "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.", + "This device": "This device", + "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 password does not match our records.": "This password does not match our records.", + "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.", + "Token Name": "Token Name", + "Two Factor Authentication": "Two Factor Authentication", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.", + "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", + "Use an authentication code": "Use an authentication code", + "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.", + "Whoops! Something went wrong.": "Whoops! Something went wrong.", + "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 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." +} diff --git a/locales/ug/packages/nova.json b/locales/ug/packages/nova.json new file mode 100644 index 00000000000..4b295ddfca3 --- /dev/null +++ b/locales/ug/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Days", + "60 Days": "60 Days", + "90 Days": "90 Days", + ":amount Total": ":amount Total", + ":resource Details": ":resource Details", + ":resource Details: :title": ":resource Details: :title", + "Action": "Action", + "Action Happened At": "Happened At", + "Action Initiated By": "Initiated By", + "Action Name": "Name", + "Action Status": "Status", + "Action Target": "Target", + "Actions": "Actions", + "Add row": "Add row", + "Afghanistan": "Afghanistan", + "Aland Islands": "Åland Islands", + "Albania": "Albania", + "Algeria": "Algeria", + "All resources loaded.": "All resources loaded.", + "American Samoa": "American Samoa", + "An error occured while uploading the file.": "An error occured while uploading the file.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Another user has updated this resource since this page was loaded. Please refresh the page and try again.", + "Antarctica": "Antarctica", + "Antigua And Barbuda": "Antigua and Barbuda", + "April": "April", + "Are you sure you want to delete the selected resources?": "Are you sure you want to delete the selected resources?", + "Are you sure you want to delete this file?": "Are you sure you want to delete this file?", + "Are you sure you want to delete this resource?": "Are you sure you want to delete this resource?", + "Are you sure you want to detach the selected resources?": "Are you sure you want to detach the selected resources?", + "Are you sure you want to detach this resource?": "Are you sure you want to detach this resource?", + "Are you sure you want to force delete the selected resources?": "Are you sure you want to force delete the selected resources?", + "Are you sure you want to force delete this resource?": "Are you sure you want to force delete this resource?", + "Are you sure you want to restore the selected resources?": "Are you sure you want to restore the selected resources?", + "Are you sure you want to restore this resource?": "Are you sure you want to restore this resource?", + "Are you sure you want to run this action?": "Are you sure you want to run this action?", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Attach": "Attach", + "Attach & Attach Another": "Attach & Attach Another", + "Attach :resource": "Attach :resource", + "August": "August", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgium", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Saba", + "Bosnia And Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brazil", + "British Indian Ocean Territory": "British Indian Ocean Territory", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Cameroon", + "Canada": "Canada", + "Cancel": "Cancel", + "Cape Verde": "Cape Verde", + "Cayman Islands": "Cayman Islands", + "Central African Republic": "Central African Republic", + "Chad": "Chad", + "Changes": "Changes", + "Chile": "Chile", + "China": "China", + "Choose": "Choose", + "Choose :field": "Choose :field", + "Choose :resource": "Choose :resource", + "Choose an option": "Choose an option", + "Choose date": "Choose date", + "Choose File": "Choose File", + "Choose Type": "Choose Type", + "Christmas Island": "Christmas Island", + "Click to choose": "Click to choose", + "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", + "Colombia": "Colombia", + "Comoros": "Comoros", + "Confirm Password": "Confirm Password", + "Congo": "Congo", + "Congo, Democratic Republic": "Congo, Democratic Republic", + "Constant": "Constant", + "Cook Islands": "Cook Islands", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "could not be found.", + "Create": "Create", + "Create & Add Another": "Create & Add Another", + "Create :resource": "Create :resource", + "Croatia": "Croatia", + "Cuba": "Cuba", + "Curaçao": "Curaçao", + "Customize": "Customize", + "Cyprus": "Cyprus", + "Czech Republic": "Czechia", + "Dashboard": "Dashboard", + "December": "December", + "Decrease": "Decrease", + "Delete": "Delete", + "Delete File": "Delete File", + "Delete Resource": "Delete Resource", + "Delete Selected": "Delete Selected", + "Denmark": "Denmark", + "Detach": "Detach", + "Detach Resource": "Detach Resource", + "Detach Selected": "Detach Selected", + "Details": "Details", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Do you really want to leave? You have unsaved changes.", + "Dominica": "Dominica", + "Dominican Republic": "Dominican Republic", + "Download": "Download", + "Ecuador": "Ecuador", + "Edit": "Edit", + "Edit :resource": "Edit :resource", + "Edit Attached": "Edit Attached", + "Egypt": "Egypt", + "El Salvador": "El Salvador", + "Email Address": "Email Address", + "Equatorial Guinea": "Equatorial Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Ethiopia", + "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", + "Faroe Islands": "Faroe Islands", + "February": "February", + "Fiji": "Fiji", + "Finland": "Finland", + "Force Delete": "Force Delete", + "Force Delete Resource": "Force Delete Resource", + "Force Delete Selected": "Force Delete Selected", + "Forgot Your Password?": "Forgot Your Password?", + "Forgot your password?": "Forgot your password?", + "France": "France", + "French Guiana": "French Guiana", + "French Polynesia": "French Polynesia", + "French Southern Territories": "French Southern Territories", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Germany", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "Go Home", + "Greece": "Greece", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Heard Island and McDonald Islands", + "Hide Content": "Hide Content", + "Hold Up!": "Hold Up!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungary", + "Iceland": "Iceland", + "ID": "ID", + "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.", + "Increase": "Increase", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Iraq", + "Ireland": "Ireland", + "Isle Of Man": "Isle of Man", + "Israel": "Israel", + "Italy": "Italy", + "Jamaica": "Jamaica", + "January": "January", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "July": "July", + "June": "June", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Key": "Key", + "Kiribati": "Kiribati", + "Korea": "South Korea", + "Korea, Democratic People's Republic of": "North Korea", + "Kosovo": "Kosovo", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvia", + "Lebanon": "Lebanon", + "Lens": "Lens", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lithuania", + "Load :perPage More": "Load :perPage More", + "Login": "Login", + "Logout": "Logout", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia": "North Macedonia", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Mali", + "Malta": "Malta", + "March": "March", + "Marshall Islands": "Marshall Islands", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "May": "May", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States Of": "Micronesia", + "Moldova": "Moldova", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Month To Date": "Month To Date", + "Montserrat": "Montserrat", + "Morocco": "Morocco", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Netherlands", + "New": "New", + "New :resource": "New :resource", + "New Caledonia": "New Caledonia", + "New Zealand": "New Zealand", + "Next": "Next", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "No", + "No :resource matched the given criteria.": "No :resource matched the given criteria.", + "No additional information...": "No additional information...", + "No Current Data": "No Current Data", + "No Data": "No Data", + "no file selected": "no file selected", + "No Increase": "No Increase", + "No Prior Data": "No Prior Data", + "No Results Found.": "No Results Found.", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Northern Mariana Islands", + "Norway": "Norway", + "Nova User": "Nova User", + "November": "November", + "October": "October", + "of": "of", + "Oman": "Oman", + "Only Trashed": "Only Trashed", + "Original": "Original", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinian Territories", + "Panama": "Panama", + "Papua New Guinea": "Papua New Guinea", + "Paraguay": "Paraguay", + "Password": "Password", + "Per Page": "Per Page", + "Peru": "Peru", + "Philippines": "Philippines", + "Pitcairn": "Pitcairn Islands", + "Poland": "Poland", + "Portugal": "Portugal", + "Press \/ to search": "Press \/ to search", + "Preview": "Preview", + "Previous": "Previous", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Quarter To Date", + "Reload": "Reload", + "Remember Me": "Remember Me", + "Reset Filters": "Reset Filters", + "Reset Password": "Reset Password", + "Reset Password Notification": "Reset Password Notification", + "resource": "resource", + "Resources": "Resources", + "resources": "resources", + "Restore": "Restore", + "Restore Resource": "Restore Resource", + "Restore Selected": "Restore Selected", + "Reunion": "Réunion", + "Romania": "Romania", + "Run Action": "Run Action", + "Russian Federation": "Russian Federation", + "Rwanda": "Rwanda", + "Saint Barthelemy": "St. Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts And Nevis": "St. Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin": "St. Martin", + "Saint Pierre And Miquelon": "St. Pierre and Miquelon", + "Saint Vincent And Grenadines": "St. Vincent and Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "São Tomé and Príncipe", + "Saudi Arabia": "Saudi Arabia", + "Search": "Search", + "Select Action": "Select Action", + "Select All": "Select All", + "Select All Matching": "Select All Matching", + "Send Password Reset Link": "Send Password Reset Link", + "Senegal": "Senegal", + "September": "September", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Show All Fields": "Show All Fields", + "Show Content": "Show Content", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapore", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Solomon Islands", + "Somalia": "Somalia", + "Something went wrong.": "Something went wrong.", + "Sorry! You are not authorized to perform this action.": "Sorry! You are not authorized to perform this action.", + "Sorry, your session has expired.": "Sorry, your session has expired.", + "South Africa": "South Africa", + "South Georgia And Sandwich Isl.": "South Georgia and South Sandwich Islands", + "South Sudan": "South Sudan", + "Spain": "Spain", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Start Polling", + "Stop Polling": "Stop Polling", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sweden", + "Switzerland": "Switzerland", + "Syrian Arab Republic": "Syria", + "Taiwan": "Taiwan", + "Tajikistan": "Tajikistan", + "Tanzania": "Tanzania", + "Thailand": "Thailand", + "The :resource was created!": "The :resource was created!", + "The :resource was deleted!": "The :resource was deleted!", + "The :resource was restored!": "The :resource was restored!", + "The :resource was updated!": "The :resource was updated!", + "The action ran successfully!": "The action ran successfully!", + "The file was deleted!": "The file was deleted!", + "The government won't let us show you what's behind these doors": "The government won't let us show you what's behind these doors", + "The HasOne relationship has already been filled.": "The HasOne relationship has already been filled.", + "The resource was updated!": "The resource was updated!", + "There are no available options for this resource.": "There are no available options for this resource.", + "There was a problem executing the action.": "There was a problem executing the action.", + "There was a problem submitting the form.": "There was a problem submitting the form.", + "This file field is read-only.": "This file field is read-only.", + "This image": "This image", + "This resource no longer exists": "This resource no longer exists", + "Timor-Leste": "Timor-Leste", + "Today": "Today", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "total": "total", + "Trashed": "Trashed", + "Trinidad And Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turkey", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "United Arab Emirates", + "United Kingdom": "United Kingdom", + "United States": "United States", + "United States Outlying Islands": "U.S. Outlying Islands", + "Update": "Update", + "Update & Continue Editing": "Update & Continue Editing", + "Update :resource": "Update :resource", + "Update :resource: :title": "Update :resource: :title", + "Update attached :resource: :title": "Update attached :resource: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Value": "Value", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Vietnam", + "View": "View", + "Virgin Islands, British": "British Virgin Islands", + "Virgin Islands, U.S.": "U.S. Virgin Islands", + "Wallis And Futuna": "Wallis and Futuna", + "We're lost in space. The page you were trying to view does not exist.": "We're lost in space. The page you were trying to view does not exist.", + "Welcome Back!": "Welcome Back!", + "Western Sahara": "Western Sahara", + "Whoops": "Whoops", + "Whoops!": "Whoops!", + "With Trashed": "With Trashed", + "Write": "Write", + "Year To Date": "Year To Date", + "Yemen": "Yemen", + "Yes": "Yes", + "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.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/ug/packages/spark-paddle.json b/locales/ug/packages/spark-paddle.json new file mode 100644 index 00000000000..d3b44a5fcae --- /dev/null +++ b/locales/ug/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Terms of Service", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Whoops! Something went wrong.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/ug/packages/spark-stripe.json b/locales/ug/packages/spark-stripe.json new file mode 100644 index 00000000000..69f478bd749 --- /dev/null +++ b/locales/ug/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afghanistan", + "Albania": "Albania", + "Algeria": "Algeria", + "American Samoa": "American Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarctica", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgium", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brazil", + "British Indian Ocean Territory": "British Indian Ocean Territory", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Cameroon", + "Canada": "Canada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Cape Verde", + "Card": "Card", + "Cayman Islands": "Cayman Islands", + "Central African Republic": "Central African Republic", + "Chad": "Chad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Chile", + "China": "China", + "Christmas Island": "Christmas Island", + "City": "City", + "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", + "Colombia": "Colombia", + "Comoros": "Comoros", + "Confirm Payment": "Confirm Payment", + "Confirm your :amount payment": "Confirm your :amount payment", + "Congo": "Congo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Cook Islands", + "Costa Rica": "Costa Rica", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Croatia", + "Cuba": "Cuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Cyprus", + "Czech Republic": "Czechia", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Denmark", + "Djibouti": "Djibouti", + "Dominica": "Dominica", + "Dominican Republic": "Dominican Republic", + "Download Receipt": "Download Receipt", + "Ecuador": "Ecuador", + "Egypt": "Egypt", + "El Salvador": "El Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Equatorial Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Ethiopia", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", + "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", + "Faroe Islands": "Faroe Islands", + "Fiji": "Fiji", + "Finland": "Finland", + "France": "France", + "French Guiana": "French Guiana", + "French Polynesia": "French Polynesia", + "French Southern Territories": "French Southern Territories", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Germany", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Greece", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungary", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Iceland", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Iraq", + "Ireland": "Ireland", + "Isle of Man": "Isle of Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italy", + "Jamaica": "Jamaica", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "North Korea", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latvia", + "Lebanon": "Lebanon", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lithuania", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Mali", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marshall Islands", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Morocco", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Netherlands", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "New Caledonia", + "New Zealand": "New Zealand", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Northern Mariana Islands", + "Norway": "Norway", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinian Territories", + "Panama": "Panama", + "Papua New Guinea": "Papua New Guinea", + "Paraguay": "Paraguay", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Philippines", + "Pitcairn": "Pitcairn Islands", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Poland", + "Portugal": "Portugal", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Romania", + "Russian Federation": "Russian Federation", + "Rwanda": "Rwanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saudi Arabia", + "Save": "Save", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapore", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Solomon Islands", + "Somalia": "Somalia", + "South Africa": "South Africa", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Spain", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Sweden", + "Switzerland": "Switzerland", + "Syrian Arab Republic": "Syria", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tajikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Terms of Service", + "Thailand": "Thailand", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turkey", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "United Arab Emirates", + "United Kingdom": "United Kingdom", + "United States": "United States", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Update", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "British Virgin Islands", + "Virgin Islands, U.S.": "U.S. Virgin Islands", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Western Sahara", + "Whoops! Something went wrong.": "Whoops! Something went wrong.", + "Yearly": "Yearly", + "Yemen": "Yemen", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/ug/ug.json b/locales/ug/ug.json index 7fe2e63dd96..62151bbcded 100644 --- a/locales/ug/ug.json +++ b/locales/ug/ug.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Days", - "60 Days": "60 Days", - "90 Days": "90 Days", - ":amount Total": ":amount Total", - ":days day trial": ":days day trial", - ":resource Details": ":resource Details", - ":resource Details: :title": ":resource Details: :title", "A fresh verification link has been sent to your email address.": "A fresh verification link has been sent to your email address.", - "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.", - "Accept Invitation": "Accept Invitation", - "Action": "Action", - "Action Happened At": "Happened At", - "Action Initiated By": "Initiated By", - "Action Name": "Name", - "Action Status": "Status", - "Action Target": "Target", - "Actions": "Actions", - "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 additional security to your account using two factor authentication.": "Add additional security to your account using two factor authentication.", - "Add row": "Add row", - "Add Team Member": "Add Team Member", - "Add VAT Number": "Add VAT Number", - "Added.": "Added.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administrator", - "Administrator users can perform any action.": "Administrator users can perform any action.", - "Afghanistan": "Afghanistan", - "Aland Islands": "Åland Islands", - "Albania": "Albania", - "Algeria": "Algeria", - "All of the people that are part of this team.": "All of the people that are part of this team.", - "All resources loaded.": "All resources loaded.", - "All rights reserved.": "All rights reserved.", - "Already registered?": "Already registered?", - "American Samoa": "American Samoa", - "An error occured while uploading the file.": "An error occured while uploading the file.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Another user has updated this resource since this page was loaded. Please refresh the page and try again.", - "Antarctica": "Antarctica", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua and Barbuda", - "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.", - "April": "April", - "Are you sure you want to delete the selected resources?": "Are you sure you want to delete the selected resources?", - "Are you sure you want to delete this file?": "Are you sure you want to delete this file?", - "Are you sure you want to delete this resource?": "Are you sure you want to delete this resource?", - "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 want to detach the selected resources?": "Are you sure you want to detach the selected resources?", - "Are you sure you want to detach this resource?": "Are you sure you want to detach this resource?", - "Are you sure you want to force delete the selected resources?": "Are you sure you want to force delete the selected resources?", - "Are you sure you want to force delete this resource?": "Are you sure you want to force delete this resource?", - "Are you sure you want to restore the selected resources?": "Are you sure you want to restore the selected resources?", - "Are you sure you want to restore this resource?": "Are you sure you want to restore this resource?", - "Are you sure you want to run this action?": "Are you sure you want to run this action?", - "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 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?", - "Argentina": "Argentina", - "Armenia": "Armenia", - "Aruba": "Aruba", - "Attach": "Attach", - "Attach & Attach Another": "Attach & Attach Another", - "Attach :resource": "Attach :resource", - "August": "August", - "Australia": "Australia", - "Austria": "Austria", - "Azerbaijan": "Azerbaijan", - "Bahamas": "Bahamas", - "Bahrain": "Bahrain", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Before proceeding, please check your email for a verification link.", - "Belarus": "Belarus", - "Belgium": "Belgium", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bhutan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Saba", - "Bosnia And Herzegovina": "Bosnia and Herzegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvet Island", - "Brazil": "Brazil", - "British Indian Ocean Territory": "British Indian Ocean Territory", - "Browser Sessions": "Browser Sessions", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgaria", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Cambodia", - "Cameroon": "Cameroon", - "Canada": "Canada", - "Cancel": "Cancel", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Cape Verde", - "Card": "Card", - "Cayman Islands": "Cayman Islands", - "Central African Republic": "Central African Republic", - "Chad": "Chad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Changes", - "Chile": "Chile", - "China": "China", - "Choose": "Choose", - "Choose :field": "Choose :field", - "Choose :resource": "Choose :resource", - "Choose an option": "Choose an option", - "Choose date": "Choose date", - "Choose File": "Choose File", - "Choose Type": "Choose Type", - "Christmas Island": "Christmas Island", - "City": "City", "click here to request another": "click here to request another", - "Click to choose": "Click to choose", - "Close": "Close", - "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", - "Code": "Code", - "Colombia": "Colombia", - "Comoros": "Comoros", - "Confirm": "Confirm", - "Confirm Password": "Confirm Password", - "Confirm Payment": "Confirm Payment", - "Confirm your :amount payment": "Confirm your :amount payment", - "Congo": "Congo", - "Congo, Democratic Republic": "Congo, Democratic Republic", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Constant", - "Cook Islands": "Cook Islands", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "could not be found.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Create", - "Create & Add Another": "Create & Add Another", - "Create :resource": "Create :resource", - "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 API Token": "Create API Token", - "Create New Team": "Create New Team", - "Create Team": "Create Team", - "Created.": "Created.", - "Croatia": "Croatia", - "Cuba": "Cuba", - "Curaçao": "Curaçao", - "Current Password": "Current Password", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Customize", - "Cyprus": "Cyprus", - "Czech Republic": "Czechia", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Dashboard", - "December": "December", - "Decrease": "Decrease", - "Delete": "Delete", - "Delete Account": "Delete Account", - "Delete API Token": "Delete API Token", - "Delete File": "Delete File", - "Delete Resource": "Delete Resource", - "Delete Selected": "Delete Selected", - "Delete Team": "Delete Team", - "Denmark": "Denmark", - "Detach": "Detach", - "Detach Resource": "Detach Resource", - "Detach Selected": "Detach Selected", - "Details": "Details", - "Disable": "Disable", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Do you really want to leave? You have unsaved changes.", - "Dominica": "Dominica", - "Dominican Republic": "Dominican Republic", - "Done.": "Done.", - "Download": "Download", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-Mail Address", - "Ecuador": "Ecuador", - "Edit": "Edit", - "Edit :resource": "Edit :resource", - "Edit Attached": "Edit Attached", - "Editor": "Editor", - "Editor users have the ability to read, create, and update.": "Editor users have the ability to read, create, and update.", - "Egypt": "Egypt", - "El Salvador": "El Salvador", - "Email": "Email", - "Email Address": "Email Address", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Email Password Reset Link", - "Enable": "Enable", - "Ensure your account is using a long, random password to stay secure.": "Ensure your account is using a long, random password to stay secure.", - "Equatorial Guinea": "Equatorial Guinea", - "Eritrea": "Eritrea", - "Estonia": "Estonia", - "Ethiopia": "Ethiopia", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", - "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", - "Faroe Islands": "Faroe Islands", - "February": "February", - "Fiji": "Fiji", - "Finland": "Finland", - "For your security, please confirm your password to continue.": "For your security, please confirm your password to continue.", "Forbidden": "Forbidden", - "Force Delete": "Force Delete", - "Force Delete Resource": "Force Delete Resource", - "Force Delete Selected": "Force Delete Selected", - "Forgot Your Password?": "Forgot Your Password?", - "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.", - "France": "France", - "French Guiana": "French Guiana", - "French Polynesia": "French Polynesia", - "French Southern Territories": "French Southern Territories", - "Full name": "Full name", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Georgia", - "Germany": "Germany", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Go back", - "Go Home": "Go Home", "Go to page :page": "Go to page :page", - "Great! You have accepted the invitation to join the :team team.": "Great! You have accepted the invitation to join the :team team.", - "Greece": "Greece", - "Greenland": "Greenland", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Heard Island and McDonald Islands", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Hello!", - "Hide Content": "Hide Content", - "Hold Up!": "Hold Up!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Hungary", - "I agree to the :terms_of_service and :privacy_policy": "I agree to the :terms_of_service and :privacy_policy", - "Iceland": "Iceland", - "ID": "ID", - "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 necessary, you may logout 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 logout 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 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 receive the email": "If you did not receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "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:", - "Increase": "Increase", - "India": "India", - "Indonesia": "Indonesia", "Invalid signature.": "Invalid signature.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Iraq", - "Ireland": "Ireland", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Isle of Man", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italy", - "Jamaica": "Jamaica", - "January": "January", - "Japan": "Japan", - "Jersey": "Jersey", - "Jordan": "Jordan", - "July": "July", - "June": "June", - "Kazakhstan": "Kazakhstan", - "Kenya": "Kenya", - "Key": "Key", - "Kiribati": "Kiribati", - "Korea": "South Korea", - "Korea, Democratic People's Republic of": "North Korea", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuwait", - "Kyrgyzstan": "Kyrgyzstan", - "Lao People's Democratic Republic": "Laos", - "Last active": "Last active", - "Last used": "Last used", - "Latvia": "Latvia", - "Leave": "Leave", - "Leave Team": "Leave Team", - "Lebanon": "Lebanon", - "Lens": "Lens", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libya", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Lithuania", - "Load :perPage More": "Load :perPage More", - "Log in": "Log in", "Log out": "Log out", - "Log Out": "Log Out", - "Log Out Other Browser Sessions": "Log Out Other Browser Sessions", - "Login": "Login", - "Logout": "Logout", "Logout Other Browser Sessions": "Logout Other Browser Sessions", - "Luxembourg": "Luxembourg", - "Macao": "Macao", - "Macedonia": "North Macedonia", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagascar", - "Malawi": "Malawi", - "Malaysia": "Malaysia", - "Maldives": "Maldives", - "Mali": "Mali", - "Malta": "Malta", - "Manage Account": "Manage Account", - "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 and logout your active sessions on other browsers and devices.": "Manage and logout your active sessions on other browsers and devices.", - "Manage API Tokens": "Manage API Tokens", - "Manage Role": "Manage Role", - "Manage Team": "Manage Team", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "March", - "Marshall Islands": "Marshall Islands", - "Martinique": "Martinique", - "Mauritania": "Mauritania", - "Mauritius": "Mauritius", - "May": "May", - "Mayotte": "Mayotte", - "Mexico": "Mexico", - "Micronesia, Federated States Of": "Micronesia", - "Moldova": "Moldova", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monaco", - "Mongolia": "Mongolia", - "Montenegro": "Montenegro", - "Month To Date": "Month To Date", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Morocco", - "Mozambique": "Mozambique", - "Myanmar": "Myanmar", - "Name": "Name", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Netherlands", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Nevermind", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "New", - "New :resource": "New :resource", - "New Caledonia": "New Caledonia", - "New Password": "New Password", - "New Zealand": "New Zealand", - "Next": "Next", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "No", - "No :resource matched the given criteria.": "No :resource matched the given criteria.", - "No additional information...": "No additional information...", - "No Current Data": "No Current Data", - "No Data": "No Data", - "no file selected": "no file selected", - "No Increase": "No Increase", - "No Prior Data": "No Prior Data", - "No Results Found.": "No Results Found.", - "Norfolk Island": "Norfolk Island", - "Northern Mariana Islands": "Northern Mariana Islands", - "Norway": "Norway", "Not Found": "Not Found", - "Nova User": "Nova User", - "November": "November", - "October": "October", - "of": "of", "Oh no": "Oh no", - "Oman": "Oman", - "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 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 Trashed": "Only Trashed", - "Original": "Original", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Page Expired", "Pagination Navigation": "Pagination Navigation", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Palestinian Territories", - "Panama": "Panama", - "Papua New Guinea": "Papua New Guinea", - "Paraguay": "Paraguay", - "Password": "Password", - "Pay :amount": "Pay :amount", - "Payment Cancelled": "Payment Cancelled", - "Payment Confirmation": "Payment Confirmation", - "Payment Information": "Payment Information", - "Payment Successful": "Payment Successful", - "Pending Team Invitations": "Pending Team Invitations", - "Per Page": "Per Page", - "Permanently delete this team.": "Permanently delete this team.", - "Permanently delete your account.": "Permanently delete your account.", - "Permissions": "Permissions", - "Peru": "Peru", - "Philippines": "Philippines", - "Photo": "Photo", - "Pitcairn": "Pitcairn Islands", "Please click the button below to verify your email address.": "Please click the button below to verify your email address.", - "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 confirm your password before continuing.": "Please confirm your password before continuing.", - "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 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 enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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 provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.", - "Please provide your name.": "Please provide your name.", - "Poland": "Poland", - "Portugal": "Portugal", - "Press \/ to search": "Press \/ to search", - "Preview": "Preview", - "Previous": "Previous", - "Privacy Policy": "Privacy Policy", - "Profile": "Profile", - "Profile Information": "Profile Information", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Quarter To Date", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Recovery Code", "Regards": "Regards", - "Regenerate Recovery Codes": "Regenerate Recovery Codes", - "Register": "Register", - "Reload": "Reload", - "Remember me": "Remember me", - "Remember Me": "Remember Me", - "Remove": "Remove", - "Remove Photo": "Remove Photo", - "Remove Team Member": "Remove Team Member", - "Resend Verification Email": "Resend Verification Email", - "Reset Filters": "Reset Filters", - "Reset Password": "Reset Password", - "Reset Password Notification": "Reset Password Notification", - "resource": "resource", - "Resources": "Resources", - "resources": "resources", - "Restore": "Restore", - "Restore Resource": "Restore Resource", - "Restore Selected": "Restore Selected", "results": "results", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Réunion", - "Role": "Role", - "Romania": "Romania", - "Run Action": "Run Action", - "Russian Federation": "Russian Federation", - "Rwanda": "Rwanda", - "Réunion": "Réunion", - "Saint Barthelemy": "St. Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "St. Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "St. Kitts and Nevis", - "Saint Lucia": "St. Lucia", - "Saint Martin": "St. Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "St. Pierre and Miquelon", - "Saint Vincent And Grenadines": "St. Vincent and Grenadines", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "São Tomé and Príncipe", - "Saudi Arabia": "Saudi Arabia", - "Save": "Save", - "Saved.": "Saved.", - "Search": "Search", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Select A New Photo", - "Select Action": "Select Action", - "Select All": "Select All", - "Select All Matching": "Select All Matching", - "Send Password Reset Link": "Send Password Reset Link", - "Senegal": "Senegal", - "September": "September", - "Serbia": "Serbia", "Server Error": "Server Error", "Service Unavailable": "Service Unavailable", - "Seychelles": "Seychelles", - "Show All Fields": "Show All Fields", - "Show Content": "Show Content", - "Show Recovery Codes": "Show Recovery Codes", "Showing": "Showing", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapore", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovakia", - "Slovenia": "Slovenia", - "Solomon Islands": "Solomon Islands", - "Somalia": "Somalia", - "Something went wrong.": "Something went wrong.", - "Sorry! You are not authorized to perform this action.": "Sorry! You are not authorized to perform this action.", - "Sorry, your session has expired.": "Sorry, your session has expired.", - "South Africa": "South Africa", - "South Georgia And Sandwich Isl.": "South Georgia and South Sandwich Islands", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "South Sudan", - "Spain": "Spain", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Start Polling", - "State \/ County": "State \/ County", - "Stop Polling": "Stop Polling", - "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.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard and Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Sweden", - "Switch Teams": "Switch Teams", - "Switzerland": "Switzerland", - "Syrian Arab Republic": "Syria", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tajikistan", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Team Details", - "Team Invitation": "Team Invitation", - "Team Members": "Team Members", - "Team Name": "Team Name", - "Team Owner": "Team Owner", - "Team Settings": "Team Settings", - "Terms of Service": "Terms of Service", - "Thailand": "Thailand", - "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.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "The :attribute must be a valid role.", - "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 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 contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "The :resource was created!", - "The :resource was deleted!": "The :resource was deleted!", - "The :resource was restored!": "The :resource was restored!", - "The :resource was updated!": "The :resource was updated!", - "The action ran successfully!": "The action ran successfully!", - "The file was deleted!": "The file was deleted!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "The government won't let us show you what's behind these doors", - "The HasOne relationship has already been filled.": "The HasOne relationship has already been filled.", - "The payment was successful.": "The payment was successful.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "The resource was updated!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "The team's name and owner information.", - "There are no available options for this resource.": "There are no available options for this resource.", - "There was a problem executing the action.": "There was a problem executing the action.", - "There was a problem submitting the form.": "There was a problem submitting the form.", - "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.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "This action is unauthorized.", - "This device": "This device", - "This file field is read-only.": "This file field is read-only.", - "This image": "This image", - "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 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 payment was already successfully confirmed.": "This payment was already successfully confirmed.", - "This payment was cancelled.": "This payment was cancelled.", - "This resource no longer exists": "This resource no longer exists", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "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.", - "Timor-Leste": "Timor-Leste", "to": "to", - "Today": "Today", "Toggle navigation": "Toggle navigation", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Token Name", - "Tonga": "Tonga", "Too Many Attempts.": "Too Many Attempts.", "Too Many Requests": "Too Many Requests", - "total": "total", - "Total:": "Total:", - "Trashed": "Trashed", - "Trinidad And Tobago": "Trinidad and Tobago", - "Tunisia": "Tunisia", - "Turkey": "Turkey", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Turks and Caicos Islands", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Two Factor Authentication", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.", - "Uganda": "Uganda", - "Ukraine": "Ukraine", "Unauthorized": "Unauthorized", - "United Arab Emirates": "United Arab Emirates", - "United Kingdom": "United Kingdom", - "United States": "United States", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "U.S. Outlying Islands", - "Update": "Update", - "Update & Continue Editing": "Update & Continue Editing", - "Update :resource": "Update :resource", - "Update :resource: :title": "Update :resource: :title", - "Update attached :resource: :title": "Update attached :resource: :title", - "Update Password": "Update Password", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Update your account's profile information and email address.", - "Uruguay": "Uruguay", - "Use a recovery code": "Use a recovery code", - "Use an authentication code": "Use an authentication code", - "Uzbekistan": "Uzbekistan", - "Value": "Value", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Verify Email Address", "Verify Your Email Address": "Verify Your Email Address", - "Viet Nam": "Vietnam", - "View": "View", - "Virgin Islands, British": "British Virgin Islands", - "Virgin Islands, U.S.": "U.S. Virgin Islands", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis and Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "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 will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "We won't ask for your password again for a few hours.", - "We're lost in space. The page you were trying to view does not exist.": "We're lost in space. The page you were trying to view does not exist.", - "Welcome Back!": "Welcome Back!", - "Western Sahara": "Western Sahara", - "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.", - "Whoops": "Whoops", - "Whoops!": "Whoops!", - "Whoops! Something went wrong.": "Whoops! Something went wrong.", - "With Trashed": "With Trashed", - "Write": "Write", - "Year To Date": "Year To Date", - "Yearly": "Yearly", - "Yemen": "Yemen", - "Yes": "Yes", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "You are logged in!", - "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 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 may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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 :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Your email address is not verified.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Your email address is not verified." } diff --git a/locales/uk/packages/cashier.json b/locales/uk/packages/cashier.json new file mode 100644 index 00000000000..1d5fd6a52a9 --- /dev/null +++ b/locales/uk/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Усі права захищені.", + "Card": "Карта", + "Confirm Payment": "Підтвердіть Оплату", + "Confirm your :amount payment": "Підтвердьте свій платіж :amount", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Для обробки вашого платежу потрібне додаткове підтвердження. Будь ласка, підтвердіть свій платіж, заповнивши платіжні реквізити нижче.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Для обробки вашого платежу потрібне додаткове підтвердження. Будь ласка, перейдіть на сторінку оплати, натиснувши на кнопку нижче.", + "Full name": "Повне ім'я", + "Go back": "Повертатися", + "Jane Doe": "Jane Doe", + "Pay :amount": "Плати :amount", + "Payment Cancelled": "Оплата Скасована", + "Payment Confirmation": "Підтвердження оплати", + "Payment Successful": "Оплата Пройшла Успішно", + "Please provide your name.": "Будь ласка, назвіть своє ім'я.", + "The payment was successful.": "Оплата пройшла успішно.", + "This payment was already successfully confirmed.": "Цей платіж вже був успішно підтверджений.", + "This payment was cancelled.": "Цей платіж був скасований." +} diff --git a/locales/uk/packages/fortify.json b/locales/uk/packages/fortify.json new file mode 100644 index 00000000000..dee009b4eb4 --- /dev/null +++ b/locales/uk/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 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 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.": "Поле :attribute має бути принаймні :length символів.", + "The provided password does not match your current password.": "Наданий пароль не відповідає вашому поточному паролю.", + "The provided password was incorrect.": "Введений пароль був неправильним.", + "The provided two factor authentication code was invalid.": "Наданий двофакторний код автентифікації був недійсним." +} diff --git a/locales/uk/packages/jetstream.json b/locales/uk/packages/jetstream.json new file mode 100644 index 00000000000..34d9a037ecf --- /dev/null +++ b/locales/uk/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "На електронну адресу, яку ви вказали під час реєстрації, надіслано нове посилання для підтвердження.", + "Accept Invitation": "Прийняти Запрошення", + "Add": "Додати", + "Add a new team member to your team, allowing them to collaborate with you.": "Додайте до своєї команди нового члена, що дозволить йому співпрацювати з вами.", + "Add additional security to your account using two factor authentication.": "Додати додаткову безпеку для вашого профілю, використовуючи два фактора аутентифікації.", + "Add Team Member": "Додати члена команди", + "Added.": "Додано.", + "Administrator": "Адміністратор", + "Administrator users can perform any action.": "Користувачі адміністратори можуть виконувати будь-які дії.", + "All of the people that are part of this team.": "Усі люди, які є частиною цієї команди.", + "Already registered?": "Вже зареєстровані?", + "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 дозволяють стороннім службам пройти автентифікацію за допомогою нашої програми від вашого імені.", + "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 delete this API token?": "Ви впевнені, що хочете видалити цей API-токен?", + "Are you sure you would like to leave this team?": "Ви впевнені, що хотіли б залишити цю команду?", + "Are you sure you would like to remove this person from the team?": "Ви впевнені, що хочете вилучити цю людину із команди?", + "Browser Sessions": "Сеанси браузера", + "Cancel": "Відмінивши", + "Close": "Закрити", + "Code": "Код", + "Confirm": "Підтвердити", + "Confirm Password": "Підтвердити пароль", + "Create": "Створити", + "Create a new team to collaborate with others on projects.": "Створити нову команду для спільної роботи з іншими користувачами проектів.", + "Create Account": "створити обліковий запис", + "Create API Token": "Створити API-токен", + "Create New Team": "Створити нову команду", + "Create Team": "Створити команду", + "Created.": "Створено.", + "Current Password": "Поточний пароль", + "Dashboard": "Головна", + "Delete": "Видалити", + "Delete Account": "Видалити аккаунт", + "Delete API Token": "Видалити API-токен", + "Delete Team": "Видалити команду", + "Disable": "Вимкнути", + "Done.": "Готово.", + "Editor": "Редактор", + "Editor users have the ability to read, create, and update.": "Редактори мають можливість читати, створювати та оновлювати.", + "Email": "Електронна пошта", + "Email Password Reset Link": "Посилання для скидання пароля електронної пошти", + "Enable": "Увімкнути", + "Ensure your account is using a long, random password to stay secure.": "Переконайтеся, що ваш обліковий запис використовує довгий, випадковий пароль, щоб захистити себе.", + "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.": "Забули свій пароль? Нема проблем. Просто повідомте нам свою електронну адресу, і ми надішлемо вам посилання для скидання пароля, яке дозволить вам змінити пароль.", + "Great! You have accepted the invitation to join the :team team.": "Чудово! Ви прийняли запрошення долучитись до команди :team.", + "I agree to the :terms_of_service and :privacy_policy": "Я згоден на :terms_of_service і :privacy_policy", + "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 you already have an account, you may accept this invitation by clicking the button below:": "Якщо ви вже маєте обліковий запис, ви можете прийняти запрошення, натиснувши на кнопку:", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "Якщо у вас немає облікового запису, ви можете створити його, натиснувши на кнопку нижче. Після створення облікового запису, ви натиснути кнопку прийняття запрошення в цьому листі, щоб прийняти його:", + "Last active": "Останній активний", + "Last used": "Останнє використання", + "Leave": "Залишити", + "Leave Team": "Залишити команду", + "Log in": "Авторизувати", + "Log Out": "вийти з системи", + "Log Out Other Browser Sessions": "Вийдіть З Інших Сеансів Браузера", + "Manage Account": "Керувати обліковим записом", + "Manage and log out your active sessions on other browsers and devices.": "Керуйте активними сеансами і виходьте з них в інших браузерах і пристроях.", + "Manage API Tokens": "Керуйте API-токенами", + "Manage Role": "Управління роллю", + "Manage Team": "Керувати командою", + "Name": "Ім'я", + "New Password": "Новий пароль", + "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 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.": "Після видалення вашого облікового запису всі його ресурси та дані будуть остаточно видалені. Перш ніж видалити свій обліковий запис, завантажте будь-які дані чи інформацію, які ви хочете зберегти.", + "Password": "Пароль", + "Pending Team Invitations": "Запрошення в команди на очікуванні", + "Permanently delete this team.": "Назавжди видалити цю команду.", + "Permanently delete your account.": "Остаточно видалити свій обліковий запис.", + "Permissions": "Дозволи", + "Photo": "Фото", + "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 copy your new API token. For your security, it won't be shown again.": "Скопіюйте ваш новий API-токен. З міркувань безпеки він більше не відображатиметься.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Будь ласка, введіть свій пароль, щоб підтвердити, що ви хочете вийти з інших сеансів браузера на всіх ваших пристроях.", + "Please provide the email address of the person you would like to add to this team.": "Будь ласка, вкажіть адресу електронної пошти людини, яку ви хотіли б додати в цю команду.", + "Privacy Policy": "Політика конфіденційності", + "Profile": "Профіль", + "Profile Information": "Інформація про профіль", + "Recovery Code": "Код відновлення", + "Regenerate Recovery Codes": "Згенерувати коди відновлення", + "Register": "Реєстрація", + "Remember me": "Запам'ятати мене", + "Remove": "Видалити", + "Remove Photo": "Видалити фото", + "Remove Team Member": "Видалити учасника команди", + "Resend Verification Email": "Відправити лист із підтвердженням", + "Reset Password": "Відновити пароль", + "Role": "Роль", + "Save": "Зберегти", + "Saved.": "Збережено.", + "Select A New Photo": "Виберіть нове фото", + "Show Recovery Codes": "Показати коди відновлення", + "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.": "Зберігайте ці коди відновлення в захищеному менеджері паролів. Вони можуть бути використані для відновлення доступу до вашого облікового запису, якщо ваш двофакторний пристрій автентифікації втрачено.", + "Switch Teams": "Змінити команди", + "Team Details": "Подробиці команди", + "Team Invitation": "Запрошення в команду", + "Team Members": "Члени команди", + "Team Name": "Назва команди", + "Team Owner": "Власник команди", + "Team Settings": "Налаштування команди", + "Terms of Service": "умови обслуговування", + "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 a valid role.": "Поле :attribute повинне мати дійсну роль.", + "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 and 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 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 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.": "Поле :attribute має бути принаймні :length символів.", + "The provided password does not match your current password.": "Наданий пароль не відповідає вашому поточному паролю.", + "The provided password was incorrect.": "Введений пароль був неправильним.", + "The provided two factor authentication code was invalid.": "Наданий двофакторний код автентифікації був недійсним.", + "The team's name and owner information.": "Ім'я команди та інформація про власника.", + "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.": "Цих людей було запрощено до вашої команди і вони отримали лист із запрошенням. Вони можуть долучитись до команди якщо приймуть запрошення.", + "This device": "Цей пристрій", + "This is a secure area of the application. Please confirm your password before continuing.": "Це захищена частина додатку. Будь ласка, підтвердіть ваш пароль, перед продовженням.", + "This password does not match our records.": "Цей пароль не відповідає нашим записам.", + "This user already belongs to the team.": "Цей користувач вже належить до команди.", + "This user has already been invited to the team.": "Цього користувача вже було запрошено до команди.", + "Token Name": "Назва токена", + "Two Factor Authentication": "Двофакторна аутентифікація", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Двофакторна автентифікація тепер увімкнена. Відскануйте наступний QR-код за допомогою програми автентифікації вашого телефону.", + "Update Password": "Оновити пароль", + "Update your account's profile information and email address.": "Оновіть дані профілю свого облікового запису та електронну адресу.", + "Use a recovery code": "Використовуйте код відновлення", + "Use an authentication code": "Використовуйте код автентифікації", + "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.": "Коли увімкнено двофакторну автентифікацію то під час автентифікації вам буде запропоновано ввести безпечний випадковий токен. Ви можете отримати цей токен із програми Google Authenticator на своєму телефоні.", + "Whoops! Something went wrong.": "Ой! Щось пішло не так.", + "You have been invited to join the :team team!": "Вас запрошено долучитись до команди :team!", + "You have enabled two factor authentication.": "Ви ввімкнули двофакторну автентифікацію.", + "You have not enabled two factor authentication.": "Ви не ввімкнули двофакторну автентифікацію.", + "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.": "Ви не можете залишити створену вами команду." +} diff --git a/locales/uk/packages/nova.json b/locales/uk/packages/nova.json new file mode 100644 index 00000000000..e8f7985939a --- /dev/null +++ b/locales/uk/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 днів", + "60 Days": "60 днів", + "90 Days": "90 днів", + ":amount Total": "Всього :amount", + ":resource Details": ":resource Деталей", + ":resource Details: :title": ":resource деталі: :title", + "Action": "Дія", + "Action Happened At": "Сталося В", + "Action Initiated By": "Ініційовано", + "Action Name": "Ім'я", + "Action Status": "Статус", + "Action Target": "Мета", + "Actions": "Дія", + "Add row": "Додати рядок", + "Afghanistan": "Афганістан", + "Aland Islands": "Аландські острови", + "Albania": "Албанія", + "Algeria": "Алжир", + "All resources loaded.": "Всі ресурси завантажені.", + "American Samoa": "Американське Самоа", + "An error occured while uploading the file.": "При завантаженні файлу сталася помилка.", + "Andorra": "Андорра", + "Angola": "Ангола", + "Anguilla": "Ангілья", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Інший користувач оновив цей ресурс з моменту завантаження цієї сторінки. Будь ласка, оновіть сторінку і спробуйте ще раз.", + "Antarctica": "Антарктида", + "Antigua And Barbuda": "Антигуа і Барбуда", + "April": "Квітень", + "Are you sure you want to delete the selected resources?": "Ви впевнені, що хочете видалити вибрані ресурси?", + "Are you sure you want to delete this file?": "Ви впевнені, що хочете видалити цей файл?", + "Are you sure you want to delete this resource?": "Ви впевнені, що хочете видалити цей ресурс?", + "Are you sure you want to detach the selected resources?": "Ви впевнені, що хочете від'єднати вибрані ресурси?", + "Are you sure you want to detach this resource?": "Ви впевнені, що хочете від'єднати цей ресурс?", + "Are you sure you want to force delete the selected resources?": "Ви впевнені, що хочете примусово видалити вибрані ресурси?", + "Are you sure you want to force delete this resource?": "Ви впевнені, що хочете примусово видалити цей ресурс?", + "Are you sure you want to restore the selected resources?": "Ви впевнені, що хочете відновити вибрані ресурси?", + "Are you sure you want to restore this resource?": "Ви впевнені, що хочете відновити цей ресурс?", + "Are you sure you want to run this action?": "Ви впевнені, що хочете запустити цю дію?", + "Argentina": "Аргентина", + "Armenia": "Вірменія", + "Aruba": "Аруба", + "Attach": "Прикріплювати", + "Attach & Attach Another": "Прикріпити і прикріпити ще один", + "Attach :resource": "Прикріпити :resource", + "August": "Серпень", + "Australia": "Австралія", + "Austria": "Австрія", + "Azerbaijan": "Азербайджан", + "Bahamas": "Багамські острови", + "Bahrain": "Бахрейн", + "Bangladesh": "Бангладеш", + "Barbados": "Барбадос", + "Belarus": "Білорусь", + "Belgium": "Бельгія", + "Belize": "Беліз", + "Benin": "Бенін", + "Bermuda": "Бермудські острови", + "Bhutan": "Бутан", + "Bolivia": "Болівія", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sabbath", + "Bosnia And Herzegovina": "Боснія і Герцеговина", + "Botswana": "Ботсвана", + "Bouvet Island": "Острів Буве", + "Brazil": "Бразилія", + "British Indian Ocean Territory": "Британська територія в Індійському океані", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Болгарія", + "Burkina Faso": "Буркіна-Фасо", + "Burundi": "Бурунді", + "Cambodia": "Камбоджа", + "Cameroon": "Камерун", + "Canada": "Канада", + "Cancel": "Відмінивши", + "Cape Verde": "Кабо-Верде", + "Cayman Islands": "Кайманові острови", + "Central African Republic": "Центральноафриканська Республіка", + "Chad": "Чад", + "Changes": "Зміна", + "Chile": "Чилі", + "China": "Китай", + "Choose": "Вибирати", + "Choose :field": "Виберіть :field", + "Choose :resource": "Виберіть :resource", + "Choose an option": "Виберіть варіант", + "Choose date": "Виберіть дату", + "Choose File": "Виберіть Файл", + "Choose Type": "Виберіть Тип", + "Christmas Island": "Острів Різдва", + "Click to choose": "Натисніть, щоб вибрати", + "Cocos (Keeling) Islands": "Кокос (Кілінг) Острови", + "Colombia": "Колумбія", + "Comoros": "Коморські острови", + "Confirm Password": "Підтвердити пароль", + "Congo": "Конго", + "Congo, Democratic Republic": "Конго, Демократична Республіка", + "Constant": "Постійний", + "Cook Islands": "Острови Кука", + "Costa Rica": "Коста-Ріка", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "знайти його не вдалося.", + "Create": "Створити", + "Create & Add Another": "Створити і додати ще Один", + "Create :resource": "Створити :resource", + "Croatia": "Хорватія", + "Cuba": "Куба", + "Curaçao": "Кюрасао", + "Customize": "Настроївши", + "Cyprus": "Кіпр", + "Czech Republic": "Чехія", + "Dashboard": "Головна", + "December": "Грудень", + "Decrease": "Зменшувати", + "Delete": "Видалити", + "Delete File": "Видалити файл", + "Delete Resource": "Вилучити ресурс", + "Delete Selected": "Видалити Вибране", + "Denmark": "Данія", + "Detach": "Від'єднати", + "Detach Resource": "Від'єднати ресурс", + "Detach Selected": "Від'єднати Вибраний", + "Details": "Подробиця", + "Djibouti": "Джибуті", + "Do you really want to leave? You have unsaved changes.": "Ти дійсно хочеш піти? У вас є незбережені зміни.", + "Dominica": "Неділя", + "Dominican Republic": "Домініканська Республіка", + "Download": "Скачавши", + "Ecuador": "Еквадор", + "Edit": "Редагувати", + "Edit :resource": "Правка :resource", + "Edit Attached": "Правка Додається", + "Egypt": "Єгипет", + "El Salvador": "Рятівник", + "Email Address": "адреса електронної пошти", + "Equatorial Guinea": "Екваторіальна Гвінея", + "Eritrea": "Еритрея", + "Estonia": "Естонія", + "Ethiopia": "Ефіопія", + "Falkland Islands (Malvinas)": "Фолклендські (Мальвінські) острови)", + "Faroe Islands": "Фарерські острови", + "February": "Лютий", + "Fiji": "Фіджі", + "Finland": "Фінляндія", + "Force Delete": "Примусове видалення", + "Force Delete Resource": "Примусове видалення ресурсу", + "Force Delete Selected": "Примусове Видалення Вибраного", + "Forgot Your Password?": "Забули пароль?", + "Forgot your password?": "Забули пароль?", + "France": "Франція", + "French Guiana": "Французька Гвіана", + "French Polynesia": "Французька Полінезія", + "French Southern Territories": "Французькі Південні Території", + "Gabon": "Габон", + "Gambia": "Гамбія", + "Georgia": "Грузія", + "Germany": "Німеччина", + "Ghana": "Гана", + "Gibraltar": "Гібралтар", + "Go Home": "На Головну", + "Greece": "Греція", + "Greenland": "Гренландія", + "Grenada": "Гренада", + "Guadeloupe": "Гваделупа", + "Guam": "Гуам", + "Guatemala": "Гватемала", + "Guernsey": "Гернсі", + "Guinea": "Гвінея", + "Guinea-Bissau": "Гвінея-Бісау", + "Guyana": "Гайана", + "Haiti": "Гаїті", + "Heard Island & Mcdonald Islands": "Острови Херд і Макдональд", + "Hide Content": "Сховати вміст", + "Hold Up!": "- Стривай!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Гондурас", + "Hong Kong": "Гонконг", + "Hungary": "Угорщина", + "Iceland": "Ісландія", + "ID": "ІДЕНТИФІКАТОР", + "If you did not request a password reset, no further action is required.": "Якщо ви не надсилали запит на скидання паролю, подальші дії не потрібні.", + "Increase": "Збільшення", + "India": "Індій", + "Indonesia": "Індонезія", + "Iran, Islamic Republic Of": "Іран", + "Iraq": "Ірак", + "Ireland": "Ірландія", + "Isle Of Man": "Острів Мен", + "Israel": "Ізраїль", + "Italy": "Італія", + "Jamaica": "Ямайка", + "January": "Січень", + "Japan": "Японія", + "Jersey": "Джерсі", + "Jordan": "Йорданія", + "July": "Липень", + "June": "Червень", + "Kazakhstan": "Казахстан", + "Kenya": "Кенія", + "Key": "Ключ", + "Kiribati": "Кірібаті", + "Korea": "Південна Корея", + "Korea, Democratic People's Republic of": "Північна Корея", + "Kosovo": "Косово", + "Kuwait": "Кувейт", + "Kyrgyzstan": "Киргизстан", + "Lao People's Democratic Republic": "Лаос", + "Latvia": "Латвія", + "Lebanon": "Ліван", + "Lens": "Об'єктив", + "Lesotho": "Лесото", + "Liberia": "Ліберія", + "Libyan Arab Jamahiriya": "Лівія", + "Liechtenstein": "Ліхтенштейн", + "Lithuania": "Литва", + "Load :perPage More": "Завантажити ще :perстраницы", + "Login": "Увійти", + "Logout": "Вийти", + "Luxembourg": "Luxembourg", + "Macao": "Макао", + "Macedonia": "Північна Македонія", + "Madagascar": "Мадагаскар", + "Malawi": "Малаві", + "Malaysia": "Малайзія", + "Maldives": "Мальдіви", + "Mali": "Малий", + "Malta": "Мальта", + "March": "Березень", + "Marshall Islands": "Маршаллові Острови", + "Martinique": "Мартініка", + "Mauritania": "Мавританія", + "Mauritius": "Маврикій", + "May": "Травень", + "Mayotte": "Майотт", + "Mexico": "Мексика", + "Micronesia, Federated States Of": "Мікронезія", + "Moldova": "Молдова", + "Monaco": "Монако", + "Mongolia": "Монголія", + "Montenegro": "Чорногорія", + "Month To Date": "Місяць До Теперішнього Часу", + "Montserrat": "Монтсеррат", + "Morocco": "Марокко", + "Mozambique": "Мозамбік", + "Myanmar": "М'янма", + "Namibia": "Намібія", + "Nauru": "Науру", + "Nepal": "Непал", + "Netherlands": "Нідерланди", + "New": "Новий", + "New :resource": "Новий :resource", + "New Caledonia": "Нова Каледонія", + "New Zealand": "Нова Зеландія", + "Next": "Наступний", + "Nicaragua": "Нікарагуа", + "Niger": "Нігер", + "Nigeria": "Нігерія", + "Niue": "Ніуе", + "No": "Ні", + "No :resource matched the given criteria.": "Жоден номер :resource не відповідав заданим критеріям.", + "No additional information...": "Ніякої додаткової інформації...", + "No Current Data": "Немає Поточних Даних", + "No Data": "Немає Даних", + "no file selected": "файл не вибрано", + "No Increase": "Ніякого Збільшення", + "No Prior Data": "Ніяких Попередніх Даних", + "No Results Found.": "Ніяких Результатів Не Знайдено.", + "Norfolk Island": "Острів Норфолк", + "Northern Mariana Islands": "Північні Маріанські острови", + "Norway": "Норвегія", + "Nova User": "Користувач Nova", + "November": "Листопад", + "October": "Жовтень", + "of": "з", + "Oman": "Оман", + "Only Trashed": "Тільки Розгромили", + "Original": "Оригінал", + "Pakistan": "Пакистан", + "Palau": "Палау", + "Palestinian Territory, Occupied": "Палестинські Території", + "Panama": "Панама", + "Papua New Guinea": "Папуа-Нова Гвінея", + "Paraguay": "Парагвай", + "Password": "Пароль", + "Per Page": "На Сторінку", + "Peru": "Перу", + "Philippines": "Філіппіни", + "Pitcairn": "Острови Піткерн", + "Poland": "Польща", + "Portugal": "Португалія", + "Press \/ to search": "Натисніть \/ для пошуку", + "Preview": "Попередній перегляд", + "Previous": "Попередній", + "Puerto Rico": "Пуерто-Ріко", + "Qatar": "Qatar", + "Quarter To Date": "Квартал До Теперішнього Часу", + "Reload": "Перезавантажити", + "Remember Me": "Запам'ятати мене", + "Reset Filters": "Скидання фільтрів", + "Reset Password": "Відновити пароль", + "Reset Password Notification": "Сповіщення про скидання пароля", + "resource": "ресурс", + "Resources": "Ресурс", + "resources": "ресурс", + "Restore": "Відновлювати", + "Restore Resource": "Відновлення ресурсу", + "Restore Selected": "Відновити Вибране", + "Reunion": "Реюньйон", + "Romania": "Румунія", + "Run Action": "Виконати дію", + "Russian Federation": "Російська Федерація", + "Rwanda": "Руанда", + "Saint Barthelemy": "Святий Варфоломій", + "Saint Helena": "Острів Святої Єлени", + "Saint Kitts And Nevis": "Сент-Кітс і Невіс", + "Saint Lucia": "Сент-Люсія", + "Saint Martin": "Святий Мартін", + "Saint Pierre And Miquelon": "Сен-П'єр і Мікелон", + "Saint Vincent And Grenadines": "Сент-Вінсент і Гренадіни", + "Samoa": "Самоа", + "San Marino": "Сан-Марино", + "Sao Tome And Principe": "Сан-Томе і Принсіпі", + "Saudi Arabia": "Саудівська Аравія", + "Search": "Пошук", + "Select Action": "Виберіть Дію", + "Select All": "вибрати все", + "Select All Matching": "Виберіть Усі Відповідні", + "Send Password Reset Link": "Надіслати посилання для відновлення пароля", + "Senegal": "Сенегал", + "September": "Вересень", + "Serbia": "Сербія", + "Seychelles": "Сейшельські острови", + "Show All Fields": "Показати Всі Поля", + "Show Content": "Показати вміст", + "Sierra Leone": "Сьєрра-Леоне", + "Singapore": "Сінгапур", + "Sint Maarten (Dutch part)": "Синтаксис", + "Slovakia": "Словаччина", + "Slovenia": "Словенія", + "Solomon Islands": "Соломонові Острови", + "Somalia": "Сомалі", + "Something went wrong.": "Щось пішло не так.", + "Sorry! You are not authorized to perform this action.": "Прости! Ви не уповноважені виконувати цю дію.", + "Sorry, your session has expired.": "Вибачте, ваш сеанс закінчився.", + "South Africa": "Південна Африка", + "South Georgia And Sandwich Isl.": "Південна Георгія і Південні Сандвічеві острови", + "South Sudan": "Південний Судан", + "Spain": "Іспанія", + "Sri Lanka": "Шрі-Ланка", + "Start Polling": "Почати опитування", + "Stop Polling": "Зупинити опитування", + "Sudan": "Судан", + "Suriname": "Суринам", + "Svalbard And Jan Mayen": "Шпіцберген і Ян-Маєн", + "Swaziland": "Eswatini", + "Sweden": "Швеція", + "Switzerland": "Швейцарія", + "Syrian Arab Republic": "Сирія", + "Taiwan": "Тайвань", + "Tajikistan": "Таджикистан", + "Tanzania": "Танзанія", + "Thailand": "Таїланд", + "The :resource was created!": ":resource був створений!", + "The :resource was deleted!": ":resource був видалений!", + "The :resource was restored!": ":resource-й був відновлений!", + "The :resource was updated!": ":resource був оновлений!", + "The action ran successfully!": "Акція пройшла успішно!", + "The file was deleted!": "Файл був видалений!", + "The government won't let us show you what's behind these doors": "Уряд не дозволить нам показати вам, що знаходиться за цими дверима", + "The HasOne relationship has already been filled.": "Відносини hasOne вже заповнені.", + "The resource was updated!": "Ресурс був оновлений!", + "There are no available options for this resource.": "Для цього ресурсу немає доступних варіантів.", + "There was a problem executing the action.": "Виникла проблема з виконанням дії.", + "There was a problem submitting the form.": "Виникла проблема з подачею форми.", + "This file field is read-only.": "Це поле файлу доступне тільки для читання.", + "This image": "Цей образ", + "This resource no longer exists": "Цей ресурс більше не існує", + "Timor-Leste": "Тимор-Лешті", + "Today": "Сьогодні", + "Togo": "Того", + "Tokelau": "Токелау", + "Tonga": "Приходивши", + "total": "весь", + "Trashed": "Розгромлений", + "Trinidad And Tobago": "Тринідад і Тобаго", + "Tunisia": "Туніс", + "Turkey": "Індичка", + "Turkmenistan": "Туркменистан", + "Turks And Caicos Islands": "Острови Теркс і Кайкос", + "Tuvalu": "Тувалу", + "Uganda": "Уганда", + "Ukraine": "Україна", + "United Arab Emirates": "Об'єднані Арабські Емірати", + "United Kingdom": "Об'єднане Королівство", + "United States": "Сполучені Штати", + "United States Outlying Islands": "Віддалені острови США", + "Update": "Оновлення", + "Update & Continue Editing": "Оновлення та продовження редагування", + "Update :resource": "Оновлення :resource", + "Update :resource: :title": "Оновлення :resource: :title", + "Update attached :resource: :title": "Оновлення додається :resource: :title", + "Uruguay": "Уругвай", + "Uzbekistan": "Узбекистан", + "Value": "Цінність", + "Vanuatu": "Вануату", + "Venezuela": "Венесуела", + "Viet Nam": "Vietnam", + "View": "Дивитися", + "Virgin Islands, British": "Британські Віргінські острови", + "Virgin Islands, U.S.": "Віргінські острови США", + "Wallis And Futuna": "Уолліс і Футуна", + "We're lost in space. The page you were trying to view does not exist.": "Ми загубилися в космосі. Сторінка, яку ви намагалися переглянути, не існує.", + "Welcome Back!": "З Поверненням!", + "Western Sahara": "Західна Сахара", + "Whoops": "Упс", + "Whoops!": "Ой!", + "With Trashed": "З Розгромленим", + "Write": "Писати", + "Year To Date": "Рік До Теперішнього Часу", + "Yemen": "Ємен", + "Yes": "Так", + "You are receiving this email because we received a password reset request for your account.": "Ви отримали цей електронний лист, оскільки ми отримали запит на скидання паролю для вашого облікового запису.", + "Zambia": "Замбія", + "Zimbabwe": "Зімбабве" +} diff --git a/locales/uk/packages/spark-paddle.json b/locales/uk/packages/spark-paddle.json new file mode 100644 index 00000000000..2f66c2f12c1 --- /dev/null +++ b/locales/uk/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "умови обслуговування", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Ой! Щось пішло не так.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/uk/packages/spark-stripe.json b/locales/uk/packages/spark-stripe.json new file mode 100644 index 00000000000..c8874c7fd09 --- /dev/null +++ b/locales/uk/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Афганістан", + "Albania": "Албанія", + "Algeria": "Алжир", + "American Samoa": "Американське Самоа", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Андорра", + "Angola": "Ангола", + "Anguilla": "Ангілья", + "Antarctica": "Антарктида", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Аргентина", + "Armenia": "Вірменія", + "Aruba": "Аруба", + "Australia": "Австралія", + "Austria": "Австрія", + "Azerbaijan": "Азербайджан", + "Bahamas": "Багамські острови", + "Bahrain": "Бахрейн", + "Bangladesh": "Бангладеш", + "Barbados": "Барбадос", + "Belarus": "Білорусь", + "Belgium": "Бельгія", + "Belize": "Беліз", + "Benin": "Бенін", + "Bermuda": "Бермудські острови", + "Bhutan": "Бутан", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Ботсвана", + "Bouvet Island": "Острів Буве", + "Brazil": "Бразилія", + "British Indian Ocean Territory": "Британська територія в Індійському океані", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Болгарія", + "Burkina Faso": "Буркіна-Фасо", + "Burundi": "Бурунді", + "Cambodia": "Камбоджа", + "Cameroon": "Камерун", + "Canada": "Канада", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Кабо-Верде", + "Card": "Карта", + "Cayman Islands": "Кайманові острови", + "Central African Republic": "Центральноафриканська Республіка", + "Chad": "Чад", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Чилі", + "China": "Китай", + "Christmas Island": "Острів Різдва", + "City": "City", + "Cocos (Keeling) Islands": "Кокос (Кілінг) Острови", + "Colombia": "Колумбія", + "Comoros": "Коморські острови", + "Confirm Payment": "Підтвердіть Оплату", + "Confirm your :amount payment": "Підтвердьте свій платіж :amount", + "Congo": "Конго", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Острови Кука", + "Costa Rica": "Коста-Ріка", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Хорватія", + "Cuba": "Куба", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Кіпр", + "Czech Republic": "Чехія", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Данія", + "Djibouti": "Джибуті", + "Dominica": "Неділя", + "Dominican Republic": "Домініканська Республіка", + "Download Receipt": "Download Receipt", + "Ecuador": "Еквадор", + "Egypt": "Єгипет", + "El Salvador": "Рятівник", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Екваторіальна Гвінея", + "Eritrea": "Еритрея", + "Estonia": "Естонія", + "Ethiopia": "Ефіопія", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Для обробки вашого платежу потрібне додаткове підтвердження. Будь ласка, перейдіть на сторінку оплати, натиснувши на кнопку нижче.", + "Falkland Islands (Malvinas)": "Фолклендські (Мальвінські) острови)", + "Faroe Islands": "Фарерські острови", + "Fiji": "Фіджі", + "Finland": "Фінляндія", + "France": "Франція", + "French Guiana": "Французька Гвіана", + "French Polynesia": "Французька Полінезія", + "French Southern Territories": "Французькі Південні Території", + "Gabon": "Габон", + "Gambia": "Гамбія", + "Georgia": "Грузія", + "Germany": "Німеччина", + "Ghana": "Гана", + "Gibraltar": "Гібралтар", + "Greece": "Греція", + "Greenland": "Гренландія", + "Grenada": "Гренада", + "Guadeloupe": "Гваделупа", + "Guam": "Гуам", + "Guatemala": "Гватемала", + "Guernsey": "Гернсі", + "Guinea": "Гвінея", + "Guinea-Bissau": "Гвінея-Бісау", + "Guyana": "Гайана", + "Haiti": "Гаїті", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Гондурас", + "Hong Kong": "Гонконг", + "Hungary": "Угорщина", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Ісландія", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Індій", + "Indonesia": "Індонезія", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Ірак", + "Ireland": "Ірландія", + "Isle of Man": "Isle of Man", + "Israel": "Ізраїль", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Італія", + "Jamaica": "Ямайка", + "Japan": "Японія", + "Jersey": "Джерсі", + "Jordan": "Йорданія", + "Kazakhstan": "Казахстан", + "Kenya": "Кенія", + "Kiribati": "Кірібаті", + "Korea, Democratic People's Republic of": "Північна Корея", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Кувейт", + "Kyrgyzstan": "Киргизстан", + "Lao People's Democratic Republic": "Лаос", + "Latvia": "Латвія", + "Lebanon": "Ліван", + "Lesotho": "Лесото", + "Liberia": "Ліберія", + "Libyan Arab Jamahiriya": "Лівія", + "Liechtenstein": "Ліхтенштейн", + "Lithuania": "Литва", + "Luxembourg": "Luxembourg", + "Macao": "Макао", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Мадагаскар", + "Malawi": "Малаві", + "Malaysia": "Малайзія", + "Maldives": "Мальдіви", + "Mali": "Малий", + "Malta": "Мальта", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Маршаллові Острови", + "Martinique": "Мартініка", + "Mauritania": "Мавританія", + "Mauritius": "Маврикій", + "Mayotte": "Майотт", + "Mexico": "Мексика", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Монако", + "Mongolia": "Монголія", + "Montenegro": "Чорногорія", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Монтсеррат", + "Morocco": "Марокко", + "Mozambique": "Мозамбік", + "Myanmar": "М'янма", + "Namibia": "Намібія", + "Nauru": "Науру", + "Nepal": "Непал", + "Netherlands": "Нідерланди", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Нова Каледонія", + "New Zealand": "Нова Зеландія", + "Nicaragua": "Нікарагуа", + "Niger": "Нігер", + "Nigeria": "Нігерія", + "Niue": "Ніуе", + "Norfolk Island": "Острів Норфолк", + "Northern Mariana Islands": "Північні Маріанські острови", + "Norway": "Норвегія", + "Oman": "Оман", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Пакистан", + "Palau": "Палау", + "Palestinian Territory, Occupied": "Палестинські Території", + "Panama": "Панама", + "Papua New Guinea": "Папуа-Нова Гвінея", + "Paraguay": "Парагвай", + "Payment Information": "Payment Information", + "Peru": "Перу", + "Philippines": "Філіппіни", + "Pitcairn": "Острови Піткерн", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Польща", + "Portugal": "Португалія", + "Puerto Rico": "Пуерто-Ріко", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Румунія", + "Russian Federation": "Російська Федерація", + "Rwanda": "Руанда", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Острів Святої Єлени", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Сент-Люсія", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Самоа", + "San Marino": "Сан-Марино", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Саудівська Аравія", + "Save": "Зберегти", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Сенегал", + "Serbia": "Сербія", + "Seychelles": "Сейшельські острови", + "Sierra Leone": "Сьєрра-Леоне", + "Signed in as": "Signed in as", + "Singapore": "Сінгапур", + "Slovakia": "Словаччина", + "Slovenia": "Словенія", + "Solomon Islands": "Соломонові Острови", + "Somalia": "Сомалі", + "South Africa": "Південна Африка", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Іспанія", + "Sri Lanka": "Шрі-Ланка", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Судан", + "Suriname": "Суринам", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Швеція", + "Switzerland": "Швейцарія", + "Syrian Arab Republic": "Сирія", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Таджикистан", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "умови обслуговування", + "Thailand": "Таїланд", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Тимор-Лешті", + "Togo": "Того", + "Tokelau": "Токелау", + "Tonga": "Приходивши", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Туніс", + "Turkey": "Індичка", + "Turkmenistan": "Туркменистан", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Тувалу", + "Uganda": "Уганда", + "Ukraine": "Україна", + "United Arab Emirates": "Об'єднані Арабські Емірати", + "United Kingdom": "Об'єднане Королівство", + "United States": "Сполучені Штати", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Оновлення", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Уругвай", + "Uzbekistan": "Узбекистан", + "Vanuatu": "Вануату", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Британські Віргінські острови", + "Virgin Islands, U.S.": "Віргінські острови США", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Західна Сахара", + "Whoops! Something went wrong.": "Ой! Щось пішло не так.", + "Yearly": "Yearly", + "Yemen": "Ємен", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Замбія", + "Zimbabwe": "Зімбабве", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/uk/uk.json b/locales/uk/uk.json index 778fe761d79..221a74311f4 100644 --- a/locales/uk/uk.json +++ b/locales/uk/uk.json @@ -1,710 +1,48 @@ { - "30 Days": "30 днів", - "60 Days": "60 днів", - "90 Days": "90 днів", - ":amount Total": "Всього :amount", - ":days day trial": ":days day trial", - ":resource Details": ":resource Деталей", - ":resource Details: :title": ":resource деталі: :title", "A fresh verification link has been sent to your email address.": "Нове посилання для підтвердження електронної адреси було надіслане Вам на пошту", - "A new verification link has been sent to the email address you provided during registration.": "На електронну адресу, яку ви вказали під час реєстрації, надіслано нове посилання для підтвердження.", - "Accept Invitation": "Прийняти Запрошення", - "Action": "Дія", - "Action Happened At": "Сталося В", - "Action Initiated By": "Ініційовано", - "Action Name": "Ім'я", - "Action Status": "Статус", - "Action Target": "Мета", - "Actions": "Дія", - "Add": "Додати", - "Add a new team member to your team, allowing them to collaborate with you.": "Додайте до своєї команди нового члена, що дозволить йому співпрацювати з вами.", - "Add additional security to your account using two factor authentication.": "Додати додаткову безпеку для вашого профілю, використовуючи два фактора аутентифікації.", - "Add row": "Додати рядок", - "Add Team Member": "Додати члена команди", - "Add VAT Number": "Add VAT Number", - "Added.": "Додано.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Адміністратор", - "Administrator users can perform any action.": "Користувачі адміністратори можуть виконувати будь-які дії.", - "Afghanistan": "Афганістан", - "Aland Islands": "Аландські острови", - "Albania": "Албанія", - "Algeria": "Алжир", - "All of the people that are part of this team.": "Усі люди, які є частиною цієї команди.", - "All resources loaded.": "Всі ресурси завантажені.", - "All rights reserved.": "Усі права захищені.", - "Already registered?": "Вже зареєстровані?", - "American Samoa": "Американське Самоа", - "An error occured while uploading the file.": "При завантаженні файлу сталася помилка.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Андорра", - "Angola": "Ангола", - "Anguilla": "Ангілья", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Інший користувач оновив цей ресурс з моменту завантаження цієї сторінки. Будь ласка, оновіть сторінку і спробуйте ще раз.", - "Antarctica": "Антарктида", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Антигуа і Барбуда", - "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 дозволяють стороннім службам пройти автентифікацію за допомогою нашої програми від вашого імені.", - "April": "Квітень", - "Are you sure you want to delete the selected resources?": "Ви впевнені, що хочете видалити вибрані ресурси?", - "Are you sure you want to delete this file?": "Ви впевнені, що хочете видалити цей файл?", - "Are you sure you want to delete this resource?": "Ви впевнені, що хочете видалити цей ресурс?", - "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 detach the selected resources?": "Ви впевнені, що хочете від'єднати вибрані ресурси?", - "Are you sure you want to detach this resource?": "Ви впевнені, що хочете від'єднати цей ресурс?", - "Are you sure you want to force delete the selected resources?": "Ви впевнені, що хочете примусово видалити вибрані ресурси?", - "Are you sure you want to force delete this resource?": "Ви впевнені, що хочете примусово видалити цей ресурс?", - "Are you sure you want to restore the selected resources?": "Ви впевнені, що хочете відновити вибрані ресурси?", - "Are you sure you want to restore this resource?": "Ви впевнені, що хочете відновити цей ресурс?", - "Are you sure you want to run this action?": "Ви впевнені, що хочете запустити цю дію?", - "Are you sure you would like to delete this API token?": "Ви впевнені, що хочете видалити цей API-токен?", - "Are you sure you would like to leave this team?": "Ви впевнені, що хотіли б залишити цю команду?", - "Are you sure you would like to remove this person from the team?": "Ви впевнені, що хочете вилучити цю людину із команди?", - "Argentina": "Аргентина", - "Armenia": "Вірменія", - "Aruba": "Аруба", - "Attach": "Прикріплювати", - "Attach & Attach Another": "Прикріпити і прикріпити ще один", - "Attach :resource": "Прикріпити :resource", - "August": "Серпень", - "Australia": "Австралія", - "Austria": "Австрія", - "Azerbaijan": "Азербайджан", - "Bahamas": "Багамські острови", - "Bahrain": "Бахрейн", - "Bangladesh": "Бангладеш", - "Barbados": "Барбадос", "Before proceeding, please check your email for a verification link.": "Перед продовженням, будь ласка, перевірте електронну пошту з посиланням на підтвердження електронної адреси.", - "Belarus": "Білорусь", - "Belgium": "Бельгія", - "Belize": "Беліз", - "Benin": "Бенін", - "Bermuda": "Бермудські острови", - "Bhutan": "Бутан", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Болівія", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Sabbath", - "Bosnia And Herzegovina": "Боснія і Герцеговина", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Ботсвана", - "Bouvet Island": "Острів Буве", - "Brazil": "Бразилія", - "British Indian Ocean Territory": "Британська територія в Індійському океані", - "Browser Sessions": "Сеанси браузера", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Болгарія", - "Burkina Faso": "Буркіна-Фасо", - "Burundi": "Бурунді", - "Cambodia": "Камбоджа", - "Cameroon": "Камерун", - "Canada": "Канада", - "Cancel": "Відмінивши", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Кабо-Верде", - "Card": "Карта", - "Cayman Islands": "Кайманові острови", - "Central African Republic": "Центральноафриканська Республіка", - "Chad": "Чад", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Зміна", - "Chile": "Чилі", - "China": "Китай", - "Choose": "Вибирати", - "Choose :field": "Виберіть :field", - "Choose :resource": "Виберіть :resource", - "Choose an option": "Виберіть варіант", - "Choose date": "Виберіть дату", - "Choose File": "Виберіть Файл", - "Choose Type": "Виберіть Тип", - "Christmas Island": "Острів Різдва", - "City": "City", "click here to request another": "натисніть тут для повторного запиту", - "Click to choose": "Натисніть, щоб вибрати", - "Close": "Закрити", - "Cocos (Keeling) Islands": "Кокос (Кілінг) Острови", - "Code": "Код", - "Colombia": "Колумбія", - "Comoros": "Коморські острови", - "Confirm": "Підтвердити", - "Confirm Password": "Підтвердити пароль", - "Confirm Payment": "Підтвердіть Оплату", - "Confirm your :amount payment": "Підтвердьте свій платіж :amount", - "Congo": "Конго", - "Congo, Democratic Republic": "Конго, Демократична Республіка", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Постійний", - "Cook Islands": "Острови Кука", - "Costa Rica": "Коста-Ріка", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "знайти його не вдалося.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Створити", - "Create & Add Another": "Створити і додати ще Один", - "Create :resource": "Створити :resource", - "Create a new team to collaborate with others on projects.": "Створити нову команду для спільної роботи з іншими користувачами проектів.", - "Create Account": "створити обліковий запис", - "Create API Token": "Створити API-токен", - "Create New Team": "Створити нову команду", - "Create Team": "Створити команду", - "Created.": "Створено.", - "Croatia": "Хорватія", - "Cuba": "Куба", - "Curaçao": "Кюрасао", - "Current Password": "Поточний пароль", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Настроївши", - "Cyprus": "Кіпр", - "Czech Republic": "Чехія", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Головна", - "December": "Грудень", - "Decrease": "Зменшувати", - "Delete": "Видалити", - "Delete Account": "Видалити аккаунт", - "Delete API Token": "Видалити API-токен", - "Delete File": "Видалити файл", - "Delete Resource": "Вилучити ресурс", - "Delete Selected": "Видалити Вибране", - "Delete Team": "Видалити команду", - "Denmark": "Данія", - "Detach": "Від'єднати", - "Detach Resource": "Від'єднати ресурс", - "Detach Selected": "Від'єднати Вибраний", - "Details": "Подробиця", - "Disable": "Вимкнути", - "Djibouti": "Джибуті", - "Do you really want to leave? You have unsaved changes.": "Ти дійсно хочеш піти? У вас є незбережені зміни.", - "Dominica": "Неділя", - "Dominican Republic": "Домініканська Республіка", - "Done.": "Готово.", - "Download": "Скачавши", - "Download Receipt": "Download Receipt", "E-Mail Address": "Адреса електронної пошти", - "Ecuador": "Еквадор", - "Edit": "Редагувати", - "Edit :resource": "Правка :resource", - "Edit Attached": "Правка Додається", - "Editor": "Редактор", - "Editor users have the ability to read, create, and update.": "Редактори мають можливість читати, створювати та оновлювати.", - "Egypt": "Єгипет", - "El Salvador": "Рятівник", - "Email": "Електронна пошта", - "Email Address": "адреса електронної пошти", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Посилання для скидання пароля електронної пошти", - "Enable": "Увімкнути", - "Ensure your account is using a long, random password to stay secure.": "Переконайтеся, що ваш обліковий запис використовує довгий, випадковий пароль, щоб захистити себе.", - "Equatorial Guinea": "Екваторіальна Гвінея", - "Eritrea": "Еритрея", - "Estonia": "Естонія", - "Ethiopia": "Ефіопія", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Для обробки вашого платежу потрібне додаткове підтвердження. Будь ласка, підтвердіть свій платіж, заповнивши платіжні реквізити нижче.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Для обробки вашого платежу потрібне додаткове підтвердження. Будь ласка, перейдіть на сторінку оплати, натиснувши на кнопку нижче.", - "Falkland Islands (Malvinas)": "Фолклендські (Мальвінські) острови)", - "Faroe Islands": "Фарерські острови", - "February": "Лютий", - "Fiji": "Фіджі", - "Finland": "Фінляндія", - "For your security, please confirm your password to continue.": "З міркувань безпеки підтвердьте свій пароль, щоб продовжити.", "Forbidden": "Заборонено", - "Force Delete": "Примусове видалення", - "Force Delete Resource": "Примусове видалення ресурсу", - "Force Delete Selected": "Примусове Видалення Вибраного", - "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.": "Забули свій пароль? Нема проблем. Просто повідомте нам свою електронну адресу, і ми надішлемо вам посилання для скидання пароля, яке дозволить вам змінити пароль.", - "France": "Франція", - "French Guiana": "Французька Гвіана", - "French Polynesia": "Французька Полінезія", - "French Southern Territories": "Французькі Південні Території", - "Full name": "Повне ім'я", - "Gabon": "Габон", - "Gambia": "Гамбія", - "Georgia": "Грузія", - "Germany": "Німеччина", - "Ghana": "Гана", - "Gibraltar": "Гібралтар", - "Go back": "Повертатися", - "Go Home": "На Головну", "Go to page :page": "Перейти на сторінку :page", - "Great! You have accepted the invitation to join the :team team.": "Чудово! Ви прийняли запрошення долучитись до команди :team.", - "Greece": "Греція", - "Greenland": "Гренландія", - "Grenada": "Гренада", - "Guadeloupe": "Гваделупа", - "Guam": "Гуам", - "Guatemala": "Гватемала", - "Guernsey": "Гернсі", - "Guinea": "Гвінея", - "Guinea-Bissau": "Гвінея-Бісау", - "Guyana": "Гайана", - "Haiti": "Гаїті", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Острови Херд і Макдональд", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Привіт!", - "Hide Content": "Сховати вміст", - "Hold Up!": "- Стривай!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Гондурас", - "Hong Kong": "Гонконг", - "Hungary": "Угорщина", - "I agree to the :terms_of_service and :privacy_policy": "Я згоден на :terms_of_service і :privacy_policy", - "Iceland": "Ісландія", - "ID": "ІДЕНТИФІКАТОР", - "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 logout 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 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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Якщо у вас виникли проблеми натискаючи на кнопку \":actionText\", скопіюйте та вставте URL нижче\nу свій браузер:", - "Increase": "Збільшення", - "India": "Індій", - "Indonesia": "Індонезія", "Invalid signature.": "Недійсний підпис.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Іран", - "Iraq": "Ірак", - "Ireland": "Ірландія", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Острів Мен", - "Israel": "Ізраїль", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Італія", - "Jamaica": "Ямайка", - "January": "Січень", - "Japan": "Японія", - "Jersey": "Джерсі", - "Jordan": "Йорданія", - "July": "Липень", - "June": "Червень", - "Kazakhstan": "Казахстан", - "Kenya": "Кенія", - "Key": "Ключ", - "Kiribati": "Кірібаті", - "Korea": "Південна Корея", - "Korea, Democratic People's Republic of": "Північна Корея", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Косово", - "Kuwait": "Кувейт", - "Kyrgyzstan": "Киргизстан", - "Lao People's Democratic Republic": "Лаос", - "Last active": "Останній активний", - "Last used": "Останнє використання", - "Latvia": "Латвія", - "Leave": "Залишити", - "Leave Team": "Залишити команду", - "Lebanon": "Ліван", - "Lens": "Об'єктив", - "Lesotho": "Лесото", - "Liberia": "Ліберія", - "Libyan Arab Jamahiriya": "Лівія", - "Liechtenstein": "Ліхтенштейн", - "Lithuania": "Литва", - "Load :perPage More": "Завантажити ще :perстраницы", - "Log in": "Авторизувати", "Log out": "Вийти з системи", - "Log Out": "вийти з системи", - "Log Out Other Browser Sessions": "Вийдіть З Інших Сеансів Браузера", - "Login": "Увійти", - "Logout": "Вийти", "Logout Other Browser Sessions": "Вийти з інших сеансів браузера", - "Luxembourg": "Luxembourg", - "Macao": "Макао", - "Macedonia": "Північна Македонія", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Мадагаскар", - "Malawi": "Малаві", - "Malaysia": "Малайзія", - "Maldives": "Мальдіви", - "Mali": "Малий", - "Malta": "Мальта", - "Manage Account": "Керувати обліковим записом", - "Manage and log out your active sessions on other browsers and devices.": "Керуйте активними сеансами і виходьте з них в інших браузерах і пристроях.", "Manage and logout your active sessions on other browsers and devices.": "Керуйте активними сеансами та виходьте з них у інших браузерах та на пристроях.", - "Manage API Tokens": "Керуйте API-токенами", - "Manage Role": "Управління роллю", - "Manage Team": "Керувати командою", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Березень", - "Marshall Islands": "Маршаллові Острови", - "Martinique": "Мартініка", - "Mauritania": "Мавританія", - "Mauritius": "Маврикій", - "May": "Травень", - "Mayotte": "Майотт", - "Mexico": "Мексика", - "Micronesia, Federated States Of": "Мікронезія", - "Moldova": "Молдова", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Монако", - "Mongolia": "Монголія", - "Montenegro": "Чорногорія", - "Month To Date": "Місяць До Теперішнього Часу", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Монтсеррат", - "Morocco": "Марокко", - "Mozambique": "Мозамбік", - "Myanmar": "М'янма", - "Name": "Ім'я", - "Namibia": "Намібія", - "Nauru": "Науру", - "Nepal": "Непал", - "Netherlands": "Нідерланди", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Не зважати", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Новий", - "New :resource": "Новий :resource", - "New Caledonia": "Нова Каледонія", - "New Password": "Новий пароль", - "New Zealand": "Нова Зеландія", - "Next": "Наступний", - "Nicaragua": "Нікарагуа", - "Niger": "Нігер", - "Nigeria": "Нігерія", - "Niue": "Ніуе", - "No": "Ні", - "No :resource matched the given criteria.": "Жоден номер :resource не відповідав заданим критеріям.", - "No additional information...": "Ніякої додаткової інформації...", - "No Current Data": "Немає Поточних Даних", - "No Data": "Немає Даних", - "no file selected": "файл не вибрано", - "No Increase": "Ніякого Збільшення", - "No Prior Data": "Ніяких Попередніх Даних", - "No Results Found.": "Ніяких Результатів Не Знайдено.", - "Norfolk Island": "Острів Норфолк", - "Northern Mariana Islands": "Північні Маріанські острови", - "Norway": "Норвегія", "Not Found": "Не знайдено", - "Nova User": "Користувач Nova", - "November": "Листопад", - "October": "Жовтень", - "of": "з", "Oh no": "О ні", - "Oman": "Оман", - "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 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 Trashed": "Тільки Розгромили", - "Original": "Оригінал", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Час сесії минув", "Pagination Navigation": "Навігація пагінацією", - "Pakistan": "Пакистан", - "Palau": "Палау", - "Palestinian Territory, Occupied": "Палестинські Території", - "Panama": "Панама", - "Papua New Guinea": "Папуа-Нова Гвінея", - "Paraguay": "Парагвай", - "Password": "Пароль", - "Pay :amount": "Плати :amount", - "Payment Cancelled": "Оплата Скасована", - "Payment Confirmation": "Підтвердження оплати", - "Payment Information": "Payment Information", - "Payment Successful": "Оплата Пройшла Успішно", - "Pending Team Invitations": "Запрошення в команди на очікуванні", - "Per Page": "На Сторінку", - "Permanently delete this team.": "Назавжди видалити цю команду.", - "Permanently delete your account.": "Остаточно видалити свій обліковий запис.", - "Permissions": "Дозволи", - "Peru": "Перу", - "Philippines": "Філіппіни", - "Photo": "Фото", - "Pitcairn": "Острови Піткерн", "Please click the button below to verify your email address.": "Будь ласка, натисніть кнопку нижче щоб підтвердити свою електронну адресу.", - "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 your password before continuing.": "Підтвердьте свій пароль, перш ніж продовжувати.", - "Please copy your new API token. For your security, it won't be shown again.": "Скопіюйте ваш новий API-токен. З міркувань безпеки він більше не відображатиметься.", - "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 logout of your other browser sessions across all of your devices.": "Введіть свій пароль, щоб підтвердити, що хочете вийти з інших сеансів браузера на всіх своїх пристроях.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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. The email address must be associated with an existing account.": "Будь ласка, вкажіть електронну адресу особи, яку ви хочете додати до цієї команди. Адреса електронної пошти повинна бути пов'язана з наявним обліковим записом.", - "Please provide your name.": "Будь ласка, назвіть своє ім'я.", - "Poland": "Польща", - "Portugal": "Португалія", - "Press \/ to search": "Натисніть \/ для пошуку", - "Preview": "Попередній перегляд", - "Previous": "Попередній", - "Privacy Policy": "Політика конфіденційності", - "Profile": "Профіль", - "Profile Information": "Інформація про профіль", - "Puerto Rico": "Пуерто-Ріко", - "Qatar": "Qatar", - "Quarter To Date": "Квартал До Теперішнього Часу", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Код відновлення", "Regards": "З повагою", - "Regenerate Recovery Codes": "Згенерувати коди відновлення", - "Register": "Реєстрація", - "Reload": "Перезавантажити", - "Remember me": "Запам'ятати мене", - "Remember Me": "Запам'ятати мене", - "Remove": "Видалити", - "Remove Photo": "Видалити фото", - "Remove Team Member": "Видалити учасника команди", - "Resend Verification Email": "Відправити лист із підтвердженням", - "Reset Filters": "Скидання фільтрів", - "Reset Password": "Відновити пароль", - "Reset Password Notification": "Сповіщення про скидання пароля", - "resource": "ресурс", - "Resources": "Ресурс", - "resources": "ресурс", - "Restore": "Відновлювати", - "Restore Resource": "Відновлення ресурсу", - "Restore Selected": "Відновити Вибране", "results": "результати", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Реюньйон", - "Role": "Роль", - "Romania": "Румунія", - "Run Action": "Виконати дію", - "Russian Federation": "Російська Федерація", - "Rwanda": "Руанда", - "Réunion": "Réunion", - "Saint Barthelemy": "Святий Варфоломій", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Острів Святої Єлени", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "Сент-Кітс і Невіс", - "Saint Lucia": "Сент-Люсія", - "Saint Martin": "Святий Мартін", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "Сен-П'єр і Мікелон", - "Saint Vincent And Grenadines": "Сент-Вінсент і Гренадіни", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Самоа", - "San Marino": "Сан-Марино", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "Сан-Томе і Принсіпі", - "Saudi Arabia": "Саудівська Аравія", - "Save": "Зберегти", - "Saved.": "Збережено.", - "Search": "Пошук", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Виберіть нове фото", - "Select Action": "Виберіть Дію", - "Select All": "вибрати все", - "Select All Matching": "Виберіть Усі Відповідні", - "Send Password Reset Link": "Надіслати посилання для відновлення пароля", - "Senegal": "Сенегал", - "September": "Вересень", - "Serbia": "Сербія", "Server Error": "Помилка серверу", "Service Unavailable": "Сервіс недоступний", - "Seychelles": "Сейшельські острови", - "Show All Fields": "Показати Всі Поля", - "Show Content": "Показати вміст", - "Show Recovery Codes": "Показати коди відновлення", "Showing": "Показ", - "Sierra Leone": "Сьєрра-Леоне", - "Signed in as": "Signed in as", - "Singapore": "Сінгапур", - "Sint Maarten (Dutch part)": "Синтаксис", - "Slovakia": "Словаччина", - "Slovenia": "Словенія", - "Solomon Islands": "Соломонові Острови", - "Somalia": "Сомалі", - "Something went wrong.": "Щось пішло не так.", - "Sorry! You are not authorized to perform this action.": "Прости! Ви не уповноважені виконувати цю дію.", - "Sorry, your session has expired.": "Вибачте, ваш сеанс закінчився.", - "South Africa": "Південна Африка", - "South Georgia And Sandwich Isl.": "Південна Георгія і Південні Сандвічеві острови", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Південний Судан", - "Spain": "Іспанія", - "Sri Lanka": "Шрі-Ланка", - "Start Polling": "Почати опитування", - "State \/ County": "State \/ County", - "Stop Polling": "Зупинити опитування", - "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.": "Зберігайте ці коди відновлення в захищеному менеджері паролів. Вони можуть бути використані для відновлення доступу до вашого облікового запису, якщо ваш двофакторний пристрій автентифікації втрачено.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Судан", - "Suriname": "Суринам", - "Svalbard And Jan Mayen": "Шпіцберген і Ян-Маєн", - "Swaziland": "Eswatini", - "Sweden": "Швеція", - "Switch Teams": "Змінити команди", - "Switzerland": "Швейцарія", - "Syrian Arab Republic": "Сирія", - "Taiwan": "Тайвань", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Таджикистан", - "Tanzania": "Танзанія", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Подробиці команди", - "Team Invitation": "Запрошення в команду", - "Team Members": "Члени команди", - "Team Name": "Назва команди", - "Team Owner": "Власник команди", - "Team Settings": "Налаштування команди", - "Terms of Service": "умови обслуговування", - "Thailand": "Таїланд", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "Поле :attribute повинне мати дійсну роль.", - "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 and 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 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 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.": "Поле :attribute має бути принаймні :length символів.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource був створений!", - "The :resource was deleted!": ":resource був видалений!", - "The :resource was restored!": ":resource-й був відновлений!", - "The :resource was updated!": ":resource був оновлений!", - "The action ran successfully!": "Акція пройшла успішно!", - "The file was deleted!": "Файл був видалений!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Уряд не дозволить нам показати вам, що знаходиться за цими дверима", - "The HasOne relationship has already been filled.": "Відносини hasOne вже заповнені.", - "The payment was successful.": "Оплата пройшла успішно.", - "The provided coupon code is invalid.": "The provided coupon code is 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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Ресурс був оновлений!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Ім'я команди та інформація про власника.", - "There are no available options for this resource.": "Для цього ресурсу немає доступних варіантів.", - "There was a problem executing the action.": "Виникла проблема з виконанням дії.", - "There was a problem submitting the form.": "Виникла проблема з подачею форми.", - "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.": "Цих людей було запрощено до вашої команди і вони отримали лист із запрошенням. Вони можуть долучитись до команди якщо приймуть запрошення.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Ця дія несанкціонована.", - "This device": "Цей пристрій", - "This file field is read-only.": "Це поле файлу доступне тільки для читання.", - "This image": "Цей образ", - "This is a secure area of the application. Please confirm your password before continuing.": "Це захищена частина додатку. Будь ласка, підтвердіть ваш пароль, перед продовженням.", - "This password does not match our records.": "Цей пароль не відповідає нашим записам.", "This password reset link will expire in :count minutes.": "Термін дії цього посилання для скидання пароля закінчується через :count хвилин.", - "This payment was already successfully confirmed.": "Цей платіж вже був успішно підтверджений.", - "This payment was cancelled.": "Цей платіж був скасований.", - "This resource no longer exists": "Цей ресурс більше не існує", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Цей користувач вже належить до команди.", - "This user has already been invited to the team.": "Цього користувача вже було запрошено до команди.", - "Timor-Leste": "Тимор-Лешті", "to": "до", - "Today": "Сьогодні", "Toggle navigation": "Перемкнути меню", - "Togo": "Того", - "Tokelau": "Токелау", - "Token Name": "Назва токена", - "Tonga": "Приходивши", "Too Many Attempts.": "Занадто багато спроб.", "Too Many Requests": "Забагато запитів", - "total": "весь", - "Total:": "Total:", - "Trashed": "Розгромлений", - "Trinidad And Tobago": "Тринідад і Тобаго", - "Tunisia": "Туніс", - "Turkey": "Індичка", - "Turkmenistan": "Туркменистан", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Острови Теркс і Кайкос", - "Tuvalu": "Тувалу", - "Two Factor Authentication": "Двофакторна аутентифікація", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Двофакторна автентифікація тепер увімкнена. Відскануйте наступний QR-код за допомогою програми автентифікації вашого телефону.", - "Uganda": "Уганда", - "Ukraine": "Україна", "Unauthorized": "Неавторизований", - "United Arab Emirates": "Об'єднані Арабські Емірати", - "United Kingdom": "Об'єднане Королівство", - "United States": "Сполучені Штати", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "Віддалені острови США", - "Update": "Оновлення", - "Update & Continue Editing": "Оновлення та продовження редагування", - "Update :resource": "Оновлення :resource", - "Update :resource: :title": "Оновлення :resource: :title", - "Update attached :resource: :title": "Оновлення додається :resource: :title", - "Update Password": "Оновити пароль", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Оновіть дані профілю свого облікового запису та електронну адресу.", - "Uruguay": "Уругвай", - "Use a recovery code": "Використовуйте код відновлення", - "Use an authentication code": "Використовуйте код автентифікації", - "Uzbekistan": "Узбекистан", - "Value": "Цінність", - "Vanuatu": "Вануату", - "VAT Number": "VAT Number", - "Venezuela": "Венесуела", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Підтвердьте адресу електронної пошти", "Verify Your Email Address": "Підтвердьте свою адресу електронної пошти", - "Viet Nam": "Vietnam", - "View": "Дивитися", - "Virgin Islands, British": "Британські Віргінські острови", - "Virgin Islands, U.S.": "Віргінські острови США", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Уолліс і Футуна", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Нам не вдалося знайти зареєстрованого користувача з цією електронною адресою.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Ми не будемо запитувати ваш пароль знову протягом кількох годин.", - "We're lost in space. The page you were trying to view does not exist.": "Ми загубилися в космосі. Сторінка, яку ви намагалися переглянути, не існує.", - "Welcome Back!": "З Поверненням!", - "Western Sahara": "Західна Сахара", - "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 на своєму телефоні.", - "Whoops": "Упс", - "Whoops!": "Ой!", - "Whoops! Something went wrong.": "Ой! Щось пішло не так.", - "With Trashed": "З Розгромленим", - "Write": "Писати", - "Year To Date": "Рік До Теперішнього Часу", - "Yearly": "Yearly", - "Yemen": "Ємен", - "Yes": "Так", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Ви увійшли в систему", - "You are receiving this email because we received a password reset request for your account.": "Ви отримали цей електронний лист, оскільки ми отримали запит на скидання паролю для вашого облікового запису.", - "You have been invited to join the :team team!": "Вас запрошено долучитись до команди :team!", - "You have enabled two factor authentication.": "Ви ввімкнули двофакторну автентифікацію.", - "You have not enabled two factor authentication.": "Ви не ввімкнули двофакторну автентифікацію.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.": "Ви не можете залишити створену вами команду.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Ваша електронна адреса не підтверджена.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Замбія", - "Zimbabwe": "Зімбабве", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Ваша електронна адреса не підтверджена." } diff --git a/locales/ur/packages/cashier.json b/locales/ur/packages/cashier.json new file mode 100644 index 00000000000..71d7c21379b --- /dev/null +++ b/locales/ur/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "تمام حقوق محفوظ ہیں.", + "Card": "کارڈ", + "Confirm Payment": "ادائیگی کی تصدیق", + "Confirm your :amount payment": "اس کی تصدیق آپ :amount ادائیگی", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "اضافی تصدیق کی ضرورت ہے عمل کرنے کے لئے آپ کی ادائیگی. براہ مہربانی اس بات کی تصدیق آپ کی ادائیگی کو بھرنے کی طرف سے آپ کی ادائیگی کی تفصیلات ذیل میں.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "اضافی تصدیق کی ضرورت ہے عمل کرنے کے لئے آپ کی ادائیگی. براہ مہربانی کرنے کے لئے جاری کی ادائیگی کے صفحے پر کلک کر کے نیچے دیے گئے بٹن.", + "Full name": "مکمل نام", + "Go back": "واپس جانے کے", + "Jane Doe": "Jane Doe", + "Pay :amount": "ادا :amount", + "Payment Cancelled": "ادائیگی منسوخ کر دیا", + "Payment Confirmation": "ادائیگی کی تصدیق", + "Payment Successful": "ادائیگی کامیاب", + "Please provide your name.": "براہ مہربانی فراہم کرتے ہیں آپ کے نام.", + "The payment was successful.": "ادائیگی کی کامیاب تھا.", + "This payment was already successfully confirmed.": "اس کی ادائیگی پہلے سے ہی تھا کامیابی سے اس بات کی تصدیق.", + "This payment was cancelled.": "اس کی ادائیگی کو منسوخ کر دیا گیا." +} diff --git a/locales/ur/packages/fortify.json b/locales/ur/packages/fortify.json new file mode 100644 index 00000000000..a7932d0d010 --- /dev/null +++ b/locales/ur/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 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 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.": "اس :attribute ہونا ضروری ہے کم از کم :length حروف.", + "The provided password does not match your current password.": "فراہم کردہ پاس ورڈ سے مماثل نہیں ہے آپ کے موجودہ پاس ورڈ.", + "The provided password was incorrect.": "فراہم کردہ پاس ورڈ غلط تھا.", + "The provided two factor authentication code was invalid.": "فراہم کردہ دو عنصر کی تصدیق کے کوڈ باطل بھى كيا ہے." +} diff --git a/locales/ur/packages/jetstream.json b/locales/ur/packages/jetstream.json new file mode 100644 index 00000000000..1ef8c9f80a3 --- /dev/null +++ b/locales/ur/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "ایک نئی کی توثیق کے لنک بھیجا گیا ہے ، ای میل ایڈریس آپ کے فراہم کردہ رجسٹریشن کے دوران.", + "Accept Invitation": "قبول دعوت", + "Add": "شامل کریں", + "Add a new team member to your team, allowing them to collaborate with you.": "شامل ایک نئی ٹیم کے رکن کے لئے آپ کی ٹیم کی اجازت دیتا ہے ان کے ساتھ تعاون کرنے کے لئے آپ کو.", + "Add additional security to your account using two factor authentication.": "اضافی سیکورٹی کے لئے آپ کے اکاؤنٹ کا استعمال کرتے ہوئے دو عنصر کی تصدیق.", + "Add Team Member": "شامل ٹیم کے رکن", + "Added.": "شامل کر دیا گیا.", + "Administrator": "ایڈمنسٹریٹر", + "Administrator users can perform any action.": "ایڈمنسٹریٹر صارفین کو انجام دے سکتے ہیں کسی بھی کارروائی کی ہے.", + "All of the people that are part of this team.": "تمام ہے کہ لوگوں کی اس ٹیم کا حصہ.", + "Already registered?": "پہلے سے رجسٹرڈ ؟ ", + "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 کے ٹوکن کی اجازت تیسری پارٹی کی خدمات کی توثیق کرنے کے لئے ہماری درخواست آپ کی جانب سے.", + "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 delete this API token?": "ہیں آپ کو اس بات کا یقین کرنے کے لئے چاہتے ہیں کو خارج کر دیں یہ API ٹوکن?", + "Are you sure you would like to leave this team?": "کیا آپ کو یقین ہے کہ آپ گا کی طرح چھوڑنے کے لئے اس کی ٹیم?", + "Are you sure you would like to remove this person from the team?": "ہیں آپ کو اس بات کا یقین آپ کو اس کو دور کرنا چاہتے شخص کی ٹیم کی طرف سے?", + "Browser Sessions": "براؤزر کے سیشن", + "Cancel": "منسوخ", + "Close": "بند", + "Code": "کوڈ", + "Confirm": "اس بات کی تصدیق", + "Confirm Password": "پاس ورڈ کی توثیق کریں", + "Create": "تخلیق", + "Create a new team to collaborate with others on projects.": "بنانے کے ، ایک نئی ٹیم کے ساتھ تعاون کرنے کے لئے دوسروں کے منصوبوں پر.", + "Create Account": "اکاؤنٹ بنائیں", + "Create API Token": "پیدا API ٹوکن", + "Create New Team": "نئی ٹیم بنائیں", + "Create Team": "تخلیق ٹیم", + "Created.": "پیدا ہوتا ہے.", + "Current Password": "موجودہ پاس ورڈ", + "Dashboard": "ڈیش بورڈ", + "Delete": "کو حذف کریں", + "Delete Account": "اکاؤنٹ کو حذف کریں", + "Delete API Token": "کو حذف API ٹوکن", + "Delete Team": "کو حذف ٹیم", + "Disable": "غیر فعال", + "Done.": "کیا جاتا ہے.", + "Editor": "ایڈیٹر", + "Editor users have the ability to read, create, and update.": "ایڈیٹر صارفین کو پڑھنے کے لئے کی صلاحیت, تخلیق, اور اپ ڈیٹ.", + "Email": "ای میل", + "Email Password Reset Link": "ای میل کے پاس ورڈ ری سیٹ لنک", + "Enable": "چالو", + "Ensure your account is using a long, random password to stay secure.": "کو یقینی بنانے کے آپ کے اکاؤنٹ کا استعمال کرتے ہوئے ایک طویل, بے ترتیب پاس ورڈ رہنے کے لئے محفوظ ہے.", + "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.": "پاسورڈ بھول گئے ؟ کوئی مسئلہ نہیں. صرف ہمیں پتہ ہے کہ آپ کے ای میل ایڈریس اور ہم نے آپ کو ای میل ایک پاس ورڈ ری سیٹ کریں کے لنک کی اجازت دے گا کہ آپ کو منتخب کرنے کے لئے ایک نئی ایک.", + "Great! You have accepted the invitation to join the :team team.": "عظیم! آپ نے دعوت قبول کر لی شامل کرنے کے لئے :team ٹیم.", + "I agree to the :terms_of_service and :privacy_policy": "میں اتفاق کرتا ہوں کے لئے :terms_of_service اور :privacy_policy", + "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 you already have an account, you may accept this invitation by clicking the button below:": "اگر آپ پہلے سے ہی ایک اکاؤنٹ ہے, آپ کو قبول کر سکتے ہیں اس دعوت کے بٹن پر کلک کر کے نیچے:", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "اگر آپ کو ایک اکاؤنٹ نہیں ہے تو, آپ کو پیدا کر سکتے ہیں ایک بٹن پر کلک کر کے نیچے. بنانے کے بعد ایک اکاؤنٹ ہے, آپ کو کلک کر سکتے ہیں دعوت کی قبولیت کے بٹن میں اس ای میل کو قبول کرنے کے لئے ٹیم کی دعوت:", + "Last active": "گزشتہ فعال", + "Last used": "آخری بار استعمال کیا", + "Leave": "چھوڑ دو", + "Leave Team": "چھوڑ کر ٹیم", + "Log in": "میں لاگ ان کریں", + "Log Out": "باہر لاگ ان کریں", + "Log Out Other Browser Sessions": "لاگ آؤٹ دیگر براؤزر سیشن", + "Manage Account": "اکاؤنٹ کا انتظام", + "Manage and log out your active sessions on other browsers and devices.": "انتظام کریں اور لاگ آؤٹ آپ کے فعال سیشن پر دیگر براؤزرز اور آلات.", + "Manage API Tokens": "کا انتظام API ٹوکن", + "Manage Role": "انتظام کے کردار", + "Manage Team": "ٹیم کو منظم", + "Name": "نام", + "New Password": "نیا پاس ورڈ", + "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 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.": "ایک بار جب آپ کے اکاؤنٹ کو خارج کر دیا, اس کے تمام وسائل اور اعداد و شمار ہو جائے گا مستقل طور پر خارج کر دیا. اس سے پہلے حذف کرنے سے آپ کے اکاؤنٹ, براہ مہربانی ڈاؤن لوڈ ، اتارنا کسی بھی ڈیٹا یا معلومات کو کہ آپ کی خواہش کو برقرار رکھنے کے لئے.", + "Password": "پاس ورڈ", + "Pending Team Invitations": "زیر التواء ٹیم کے دعوت نامے", + "Permanently delete this team.": "مستقل طور پر خارج کر دیں اس کی ٹیم.", + "Permanently delete your account.": "مستقل طور پر آپ کے اکاؤنٹ کو خارج.", + "Permissions": "اجازت", + "Photo": "تصویر", + "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 copy your new API token. For your security, it won't be shown again.": "براہ مہربانی کاپی آپ کے نئے API کے ٹوکن. آپ کی سیکورٹی کے لئے, یہ نہیں دکھایا جائے گا ایک بار پھر.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "براہ مہربانی آپ اپنا پاس ورڈ درج کرنے کے لئے اس بات کی تصدیق کرنے کے لئے چاہتے ہیں لاگ ان کریں آپ کی دیگر براؤزر سیشن کے تمام بھر میں آپ کے آلات.", + "Please provide the email address of the person you would like to add to this team.": "فراہم کریں ای میل ایڈریس کا شخص آپ کو پسند کرے گا کرنے کے لئے شامل کرنے کے لئے اس کی ٹیم.", + "Privacy Policy": "رازداری کی پالیسی", + "Profile": "پروفائل", + "Profile Information": "پروفائل کی معلومات", + "Recovery Code": "وصولی کے کوڈ", + "Regenerate Recovery Codes": "دوبارہ وصولی کے کوڈ", + "Register": "رجسٹر کریں", + "Remember me": "مجھے یاد رکھیں", + "Remove": "دور", + "Remove Photo": "دور تصویر", + "Remove Team Member": "دور کی ٹیم کے رکن", + "Resend Verification Email": "پھر بھیجیں ای میل کی توثیق", + "Reset Password": "پاس ورڈ ری سیٹ", + "Role": "کردار", + "Save": "کو بچانے کے", + "Saved.": "بچا لیا.", + "Select A New Photo": "ایک نئی تصویر کو منتخب کریں", + "Show Recovery Codes": "شو کی وصولی کے کوڈ", + "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.": "دکان ان کی وصولی کوڈ میں ایک محفوظ پاس ورڈ مینیجر. وہ استعمال کیا جا سکتا ہے کی وصولی کے لئے تک رسائی حاصل کرنے کے لئے آپ کے اکاؤنٹ میں آپ کے دو عنصر کی تصدیق کے آلہ کھو دیا ہے.", + "Switch Teams": "سوئچ ٹیموں", + "Team Details": "ٹیم کی تفصیلات", + "Team Invitation": "ٹیم دعوت", + "Team Members": "ٹیم کے ارکان", + "Team Name": "ٹیم کے نام", + "Team Owner": "ٹیم کے مالک", + "Team Settings": "ٹیم کی ترتیبات", + "Terms of Service": "سروس کی شرائط", + "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 a valid role.": "میں :attribute ہونا ضروری ہے ایک درست کردار.", + "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 and 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 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 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.": "اس :attribute ہونا ضروری ہے کم از کم :length حروف.", + "The provided password does not match your current password.": "فراہم کردہ پاس ورڈ سے مماثل نہیں ہے آپ کے موجودہ پاس ورڈ.", + "The provided password was incorrect.": "فراہم کردہ پاس ورڈ غلط تھا.", + "The provided two factor authentication code was invalid.": "فراہم کردہ دو عنصر کی تصدیق کے کوڈ باطل بھى كيا ہے.", + "The team's name and owner information.": "ٹیم کا نام اور مالک کے بارے میں معلومات.", + "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.": "ان لوگوں کو مدعو کیا گیا ہے کرنے کے لئے آپ کی ٹیم اور بھیج دیا گیا ہے ایک دعوت نامہ ای میل. ہو سکتا ہے کہ وہ ٹیم میں شامل ہونے کی طرف سے قبول ای میل کی دعوت.", + "This device": "یہ آلہ", + "This is a secure area of the application. Please confirm your password before continuing.": "یہ ایک محفوظ علاقے کی درخواست ہے. براہ مہربانی تصدیق کریں آپ کے پاس ورڈ جاری رکھنے سے پہلے.", + "This password does not match our records.": "اس کے پاس ورڈ مطابقت نہیں ہے ہمارے ریکارڈ.", + "This user already belongs to the team.": "یہ صارف پہلے ہی سے تعلق رکھتا ہے ، ٹیم.", + "This user has already been invited to the team.": "یہ صارف پہلے ہی مدعو کرنے کے لئے ٹیم.", + "Token Name": "ٹوکن کے نام", + "Two Factor Authentication": "دو عنصر کی تصدیق", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "دو عنصر کی تصدیق کی ہے اب فعال. اسکین مندرجہ ذیل QR کوڈ کا استعمال کرتے ہوئے آپ کے فون کی authenticator درخواست ہے.", + "Update Password": "پاس ورڈ کو اپ ڈیٹ", + "Update your account's profile information and email address.": "اپ ڈیٹ کریں آپ کی اکاؤنٹ کے پروفائل کی معلومات اور ای میل ایڈریس.", + "Use a recovery code": "استعمال وصولی کے کوڈ", + "Use an authentication code": "استعمال کی تصدیق کے کوڈ", + "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.": "جب دو عنصر کی تصدیق کے چالو حالت میں ہے, آپ کو ہو جائے گا کی حوصلہ افزائی کے لئے ایک محفوظ ، بے ترتیب ٹوکن کے دوران تصدیق. آپ کر سکتے ہیں حاصل یہ ٹوکن کی طرف سے آپ کے فون کی گوگل Authenticator درخواست ہے.", + "Whoops! Something went wrong.": "افوہ! کچھ غلط ہو گیا.", + "You have been invited to join the :team team!": "آپ کو مدعو کیا گیا ہے میں شامل ہونے کے لئے :team ٹیم!", + "You have enabled two factor authentication.": "آپ کو چالو حالت میں ہے دو عنصر کی تصدیق.", + "You have not enabled two factor authentication.": "آپ کو فعال نہیں دو عنصر کی تصدیق.", + "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.": "آپ کو چھوڑ نہیں کر سکتے ہیں کہ ایک ٹیم پیدا." +} diff --git a/locales/ur/packages/nova.json b/locales/ur/packages/nova.json new file mode 100644 index 00000000000..6c75bff7be0 --- /dev/null +++ b/locales/ur/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 دنوں کے", + "60 Days": "60 دنوں", + "90 Days": "90 دنوں", + ":amount Total": ":amount کل", + ":resource Details": ":resource تفصیلات", + ":resource Details: :title": ":resource تفصیلات: :title", + "Action": "کارروائی", + "Action Happened At": "ہوا میں", + "Action Initiated By": "کی طرف سے شروع", + "Action Name": "نام", + "Action Status": "حیثیت", + "Action Target": "ہدف", + "Actions": "اعمال", + "Add row": "صف میں شامل کریں", + "Afghanistan": "افغانستان", + "Aland Islands": "ایلانڈ جزائر", + "Albania": "البانیہ", + "Algeria": "الجیریا", + "All resources loaded.": "تمام وسائل بھری ہوئی.", + "American Samoa": "امریکی سمووا", + "An error occured while uploading the file.": "ایک خرابی آگئی ہے جبکہ اپ لوڈ فائل.", + "Andorra": "Andorran", + "Angola": "انگولا", + "Anguilla": "انگویلا", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "کسی دوسرے صارف کے اپ ڈیٹ کیا ہے اس کے وسائل اس کے بعد صفحہ بھری ہوئی کیا گیا تھا. براہ مہربانی صفحہ کی تازہ کاری اور دوبارہ کوشش کریں.", + "Antarctica": "انٹارکٹیکا", + "Antigua And Barbuda": "انٹیگوا اور باربودا", + "April": "اپریل", + "Are you sure you want to delete the selected resources?": "آپ چاہتے ہیں کو خارج کرنے کے لئے منتخب وسائل ؟ ", + "Are you sure you want to delete this file?": "آپ چاہتے ہیں کو خارج کرنے کے لئے اس فائل?", + "Are you sure you want to delete this resource?": "آپ چاہتے ہیں کو خارج کرنے کے لئے اس کے وسائل?", + "Are you sure you want to detach the selected resources?": "آپ چاہتے ہیں جدا کرنے کے لئے منتخب وسائل ؟ ", + "Are you sure you want to detach this resource?": "آپ چاہتے ہیں جدا کرنے کے لئے اس کے وسائل?", + "Are you sure you want to force delete the selected resources?": "ہیں آپ کو اس بات کا یقین آپ کو مجبور کرنا چاہتے ہیں کو خارج منتخب وسائل ؟ ", + "Are you sure you want to force delete this resource?": "ہیں آپ کو اس بات کا یقین آپ کو مجبور کرنا چاہتے ہیں کو خارج کر دیں یہ وسائل?", + "Are you sure you want to restore the selected resources?": "آپ چاہتے ہیں کو بحال کرنے کے لئے منتخب وسائل ؟ ", + "Are you sure you want to restore this resource?": "آپ چاہتے ہیں کو بحال کرنے کے لئے اس کے وسائل?", + "Are you sure you want to run this action?": "آپ چاہتے ہیں اس کو چلانے کے لئے کارروائی ہے ؟ ", + "Argentina": "ارجنٹینا", + "Armenia": "آرمینیا", + "Aruba": "اروبا", + "Attach": "منسلک", + "Attach & Attach Another": "منسلک & منسلک ایک", + "Attach :resource": "منسلک :resource", + "August": "اگست", + "Australia": "آسٹریلیا", + "Austria": "آسٹریا", + "Azerbaijan": "آذربایجان", + "Bahamas": "بہاماز", + "Bahrain": "بحرین", + "Bangladesh": "بنگلہ دیش", + "Barbados": "بارباڈوس", + "Belarus": "بیلاروس", + "Belgium": "بیلجیم", + "Belize": "بیلیز", + "Benin": "بینن", + "Bermuda": "برمودا", + "Bhutan": "بھوٹان", + "Bolivia": "بولیویا", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius اور Sábado", + "Bosnia And Herzegovina": "بوسنیا اور ہرزیگوینا", + "Botswana": "بوٹسوانا", + "Bouvet Island": "Bouvet جزیرے", + "Brazil": "برازیل", + "British Indian Ocean Territory": "برطانوی ہند کے علاقے", + "Brunei Darussalam": "Brunei", + "Bulgaria": "بلغاریہ", + "Burkina Faso": "برکینا فاسو", + "Burundi": "برونڈی", + "Cambodia": "کمبوڈیا", + "Cameroon": "کیمرون", + "Canada": "کینیڈا", + "Cancel": "منسوخ", + "Cape Verde": "کیپ وردے", + "Cayman Islands": "جزائر کیمن", + "Central African Republic": "وسطی افریقی جمہوریہ", + "Chad": "چاڈ", + "Changes": "تبدیلیوں", + "Chile": "چلی", + "China": "چین", + "Choose": "منتخب", + "Choose :field": "منتخب :field", + "Choose :resource": "منتخب :resource", + "Choose an option": "ایک اختیار کو منتخب کریں", + "Choose date": "تاریخ کا انتخاب", + "Choose File": "منتخب کریں فائل", + "Choose Type": "کا انتخاب کی قسم", + "Christmas Island": "جزیرہ کرسمس", + "Click to choose": "کلک کریں منتخب کرنے کے لئے", + "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", + "Colombia": "کولمبیا", + "Comoros": "کوموروس", + "Confirm Password": "پاس ورڈ کی توثیق کریں", + "Congo": "کانگو", + "Congo, Democratic Republic": "کانگو, جمہوری جمہوریہ", + "Constant": "مسلسل", + "Cook Islands": "جزائر کک", + "Costa Rica": "کوسٹا ریکا", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "نہیں کیا جا سکتا پایا.", + "Create": "تخلیق", + "Create & Add Another": "تخلیق اور ایک اور کا اضافہ کریں", + "Create :resource": "پیدا :resource", + "Croatia": "کروشیا", + "Cuba": "کیوبا", + "Curaçao": "کیوراساؤ", + "Customize": "اپنی مرضی کے مطابق", + "Cyprus": "قبرص", + "Czech Republic": "Czechia", + "Dashboard": "ڈیش بورڈ", + "December": "دسمبر", + "Decrease": "کمی", + "Delete": "کو حذف کریں", + "Delete File": "کو حذف فائل", + "Delete Resource": "کو حذف وسائل", + "Delete Selected": "کو حذف کریں منتخب", + "Denmark": "ڈنمارک", + "Detach": "جدا", + "Detach Resource": "جدا وسائل", + "Detach Selected": "جدا منتخب", + "Details": "تفصیلات", + "Djibouti": "جبوتی", + "Do you really want to leave? You have unsaved changes.": "کیا آپ واقعی چھوڑ کرنا چاہتے ہیں? آپ کو غیر محفوظ کردہ تبدیلیاں.", + "Dominica": "اتوار", + "Dominican Republic": "ڈومینیکن ریپبلک", + "Download": "ڈاؤن لوڈ ، اتارنا", + "Ecuador": "ایکواڈور", + "Edit": "میں ترمیم کریں", + "Edit :resource": "ترمیم :resource", + "Edit Attached": "ترمیم کے ساتھ منسلک", + "Egypt": "مصر", + "El Salvador": "سلواڈور", + "Email Address": "ای میل ایڈریس", + "Equatorial Guinea": "استوائی گنی", + "Eritrea": "اریٹیریا", + "Estonia": "ایسٹونیا", + "Ethiopia": "ایتھوپیا", + "Falkland Islands (Malvinas)": "جزائر فاک لینڈ (Malvinas)", + "Faroe Islands": "جزائرفارو", + "February": "فروری", + "Fiji": "فجی", + "Finland": "فن لینڈ", + "Force Delete": "قوت کو خارج کر دیں", + "Force Delete Resource": "فورس کو حذف وسائل", + "Force Delete Selected": "فورس کو حذف منتخب", + "Forgot Your Password?": "اپنا پاس ورڈ بھول گئے؟", + "Forgot your password?": "پاسورڈ بھول گئے ؟ ", + "France": "فرانس", + "French Guiana": "فرانسیسی گیانا", + "French Polynesia": "فرانسیسی پولینیشیا", + "French Southern Territories": "جنوبی فرانسیسی علاقہ جات", + "Gabon": "گیبون", + "Gambia": "گیمبیا", + "Georgia": "جارجیا", + "Germany": "جرمنی", + "Ghana": "گھانا", + "Gibraltar": "جبرالٹر", + "Go Home": "گھر جانے کے", + "Greece": "یونان", + "Greenland": "گرین لینڈ", + "Grenada": "گریناڈا", + "Guadeloupe": "گواڈیلوپ", + "Guam": "گوام", + "Guatemala": "گوئٹے مالا", + "Guernsey": "گرنزی", + "Guinea": "گنی", + "Guinea-Bissau": "گنی بساؤ", + "Guyana": "گیانا", + "Haiti": "ہیٹی", + "Heard Island & Mcdonald Islands": "جزیرہ ہرڈ اور جزائر مکڈونلڈ", + "Hide Content": "چھپائیں مواد", + "Hold Up!": "کو پکڑ!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "ہونڈوراس", + "Hong Kong": "ہانگ کانگ", + "Hungary": "ہنگری", + "Iceland": "آئس لینڈ", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "اگر آپ نے ایک پاسورڈ ری سیٹ کی درخواست نہیں کی تو، مزید کارروائی کی ضرورت نہیں ہے.", + "Increase": "میں اضافہ", + "India": "بھارت", + "Indonesia": "انڈونیشیا", + "Iran, Islamic Republic Of": "ایران", + "Iraq": "عراق", + "Ireland": "آئر لینڈ", + "Isle Of Man": "آئل آف مین", + "Israel": "اسرائیل", + "Italy": "اٹلی", + "Jamaica": "جمیکا", + "January": "جنوری", + "Japan": "جاپان", + "Jersey": "جرسی", + "Jordan": "اردن", + "July": "جولائی", + "June": "جون", + "Kazakhstan": "قازقستان", + "Kenya": "کینیا", + "Key": "اہم", + "Kiribati": "Kiribati", + "Korea": "جنوبی کوریا", + "Korea, Democratic People's Republic of": "شمالی کوریا", + "Kosovo": "کوسوو", + "Kuwait": "کویت", + "Kyrgyzstan": "کرغستان", + "Lao People's Democratic Republic": "لاؤس", + "Latvia": "لٹویا", + "Lebanon": "لبنان", + "Lens": "لینس", + "Lesotho": "لیسوتھو", + "Liberia": "لائبیریا", + "Libyan Arab Jamahiriya": "لیبیا", + "Liechtenstein": "لکٹنسٹائن", + "Lithuania": "لتھوانیا", + "Load :perPage More": "لوڈ :perPage زیادہ", + "Login": "لاگ ان کریں", + "Logout": "لاگ آوٹ", + "Luxembourg": "لکسمبرگ", + "Macao": "مکاؤ", + "Macedonia": "شمالی مقدونیہ", + "Madagascar": "مڈغاسکر", + "Malawi": "ملاوی", + "Malaysia": "ملائیشیا", + "Maldives": "مالدیپ", + "Mali": "چھوٹے", + "Malta": "مالٹا", + "March": "مارچ", + "Marshall Islands": "جزائر مارشل", + "Martinique": "مارٹنیک", + "Mauritania": "موریطانیہ", + "Mauritius": "ماریشس", + "May": "کر سکتے ہیں", + "Mayotte": "Mayotte", + "Mexico": "میکسیکو", + "Micronesia, Federated States Of": "مائکرونیزیا", + "Moldova": "مالدووا", + "Monaco": "موناکو", + "Mongolia": "منگولیا", + "Montenegro": "مونٹی نیگرو", + "Month To Date": "ماہ کے لئے قیام", + "Montserrat": "مانٹسریٹ", + "Morocco": "مراکش", + "Mozambique": "موزمبیق", + "Myanmar": "میانمار", + "Namibia": "نمیبیا", + "Nauru": "Nauru", + "Nepal": "نیپال", + "Netherlands": "ہالینڈ", + "New": "نئی", + "New :resource": "نئے :resource", + "New Caledonia": "نیو کیلیڈونیا", + "New Zealand": "نیوزی لینڈ", + "Next": "اگلے", + "Nicaragua": "نکاراگوا", + "Niger": "نائیجر", + "Nigeria": "نائیجیریا", + "Niue": "Niue", + "No": "کوئی", + "No :resource matched the given criteria.": "کوئی :resource رکن الدين صاحب کے دیئے گئے معیار.", + "No additional information...": "کوئی اضافی معلومات...", + "No Current Data": "کوئی موجودہ اعداد و شمار", + "No Data": "کوئی اعداد و شمار", + "no file selected": "کوئی فائل منتخب", + "No Increase": "کوئی اضافہ", + "No Prior Data": "کوئی پہلے کے اعداد و شمار", + "No Results Found.": "کوئی نتائج ملے.", + "Norfolk Island": "نارفوک جزیرہ", + "Northern Mariana Islands": "جزائر شمالی ماریانا", + "Norway": "ناروے", + "Nova User": "نووا صارف", + "November": "نومبر", + "October": "اکتوبر", + "of": "کی", + "Oman": "عمان", + "Only Trashed": "صرف ردی", + "Original": "اصل", + "Pakistan": "پاکستان", + "Palau": "پلاؤ", + "Palestinian Territory, Occupied": "فلسطینی علاقوں", + "Panama": "پانامہ", + "Papua New Guinea": "پاپوا نیو گنی", + "Paraguay": "پیراگوئے", + "Password": "پاس ورڈ", + "Per Page": "فی صفحہ", + "Peru": "پیرو", + "Philippines": "فلپائن", + "Pitcairn": "Pitcairn جزائر", + "Poland": "پولینڈ", + "Portugal": "پرتگال", + "Press \/ to search": "پریس \/ تلاش کرنے کے لئے", + "Preview": "پیش نظارہ", + "Previous": "گزشتہ", + "Puerto Rico": "پورٹو ریکو", + "Qatar": "Qatar", + "Quarter To Date": "سہ ماہی کے لئے قیام", + "Reload": "دوبارہ لوڈ کریں", + "Remember Me": "مجھے یاد رکھیں", + "Reset Filters": "ری سیٹ فلٹر", + "Reset Password": "پاس ورڈ ری سیٹ", + "Reset Password Notification": "پاس ورڈ کی اطلاع دوبارہ ترتیب دیں", + "resource": "وسائل", + "Resources": "وسائل", + "resources": "وسائل", + "Restore": "بحال", + "Restore Resource": "بحال وسائل", + "Restore Selected": "بحال منتخب", + "Reunion": "اجلاس", + "Romania": "رومانیہ", + "Run Action": "چلانے کے عمل", + "Russian Federation": "روسی فیڈریشن", + "Rwanda": "روانڈا", + "Saint Barthelemy": "سینٹ Barthélemy", + "Saint Helena": "سینٹ ہیلینا", + "Saint Kitts And Nevis": "سینٹ کٹس اور نیوس", + "Saint Lucia": "سینٹ لوسیا", + "Saint Martin": "سینٹ مارٹن", + "Saint Pierre And Miquelon": "سینٹ پیئر و میکوئیلون", + "Saint Vincent And Grenadines": "سینٹ کیرن اور گریناڈائنز", + "Samoa": "سمووا", + "San Marino": "سان مارینو", + "Sao Tome And Principe": "ساؤ ٹوم اور Príncipe", + "Saudi Arabia": "سعودی عرب", + "Search": "تلاش", + "Select Action": "ایکشن منتخب کریں", + "Select All": "تمام منتخب کریں", + "Select All Matching": "منتخب کریں سب سے مشابہ", + "Send Password Reset Link": "پاس ورڈ ری سیٹ لنک بھیجیں", + "Senegal": "سینیگال", + "September": "ستمبر", + "Serbia": "سربیا", + "Seychelles": "سے شلز", + "Show All Fields": "شو کے تمام شعبوں", + "Show Content": "شو مواد", + "Sierra Leone": "سیرا لیون", + "Singapore": "سنگاپور", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "سلوواکیہ", + "Slovenia": "سلووینیا", + "Solomon Islands": "جزائر سلیمان", + "Somalia": "صومالیہ", + "Something went wrong.": "کچھ غلط ہو گیا.", + "Sorry! You are not authorized to perform this action.": "معذرت! آپ نہیں کر رہے ہیں کی اجازت کرنے کے لئے یہ عمل انجام.", + "Sorry, your session has expired.": "معذرت, آپ کے سیشن ختم ہو گیا ہے.", + "South Africa": "جنوبی افریقہ", + "South Georgia And Sandwich Isl.": "جنوبی جارجیا اور جنوبی سینڈوچ جزائر", + "South Sudan": "جنوبی سوڈان", + "Spain": "سپین", + "Sri Lanka": "سری لنکا", + "Start Polling": "پولنگ شروع", + "Stop Polling": "کو روکنے کے پولنگ", + "Sudan": "سوڈان", + "Suriname": "سورینام", + "Svalbard And Jan Mayen": "سوالبارڈ اور Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "سویڈن", + "Switzerland": "سوئٹزر لینڈ", + "Syrian Arab Republic": "شام", + "Taiwan": "تائیوان", + "Tajikistan": "تاجکستان", + "Tanzania": "تنزانیہ", + "Thailand": "تھائی لینڈ", + "The :resource was created!": "اس :resource پیدا کیا گیا تھا!", + "The :resource was deleted!": "اس :resource خارج کر دیا گیا!", + "The :resource was restored!": "کی :resource بحال کیا گیا تھا!", + "The :resource was updated!": "اس :resource اپ ڈیٹ کیا گیا تھا!", + "The action ran successfully!": "کارروائی کامیابی سے بھاگ گیا!", + "The file was deleted!": "فائل کو خارج کر دیا گیا!", + "The government won't let us show you what's behind these doors": "حکومت نہیں آئیے آپ کو ظاہر کیا ہے ان دروازوں کے پیچھے", + "The HasOne relationship has already been filled.": "اس HasOne کے تعلقات پہلے سے ہی بھر گیا.", + "The resource was updated!": "وسائل کو اپ ڈیٹ کیا گیا تھا!", + "There are no available options for this resource.": "وہاں کوئی دستیاب اختیارات کے لئے اس کے وسائل.", + "There was a problem executing the action.": "وہاں ایک مسئلہ تھا کے عمل کے عمل.", + "There was a problem submitting the form.": "وہاں ایک مسئلہ تھا میں جمع کرانے کے فارم.", + "This file field is read-only.": "اس فائل میدان پڑھا جاتا ہے-صرف.", + "This image": "اس تصویر", + "This resource no longer exists": "اس کے وسائل اب موجود نہیں", + "Timor-Leste": "مشرقی تیمور", + "Today": "آج", + "Togo": "ٹوگو", + "Tokelau": "Tokelau", + "Tonga": "آئے", + "total": "کل", + "Trashed": "ردی", + "Trinidad And Tobago": "ٹرینیڈاڈ اور ٹوباگو", + "Tunisia": "تیونس", + "Turkey": "ترکی", + "Turkmenistan": "ترکمانستان", + "Turks And Caicos Islands": "کیکس اور ترکیہ", + "Tuvalu": "ٹوالو", + "Uganda": "یوگنڈا", + "Ukraine": "یوکرائن", + "United Arab Emirates": "متحدہ عرب امارات", + "United Kingdom": "برطانیہ", + "United States": "ریاست ہائے متحدہ امریکہ", + "United States Outlying Islands": "امریکی چھوٹے بیرونی جزائر", + "Update": "اپ ڈیٹ", + "Update & Continue Editing": "اپ ڈیٹ & جاری ترمیم", + "Update :resource": "اپ ڈیٹ :resource", + "Update :resource: :title": "اپ ڈیٹ :resource: :title", + "Update attached :resource: :title": "اپ ڈیٹ کے ساتھ منسلک :resource: :title", + "Uruguay": "یوروگوئے", + "Uzbekistan": "ازبکستان", + "Value": "قیمت", + "Vanuatu": "وانواٹو", + "Venezuela": "وینزویلا", + "Viet Nam": "Vietnam", + "View": "لنک", + "Virgin Islands, British": "برطانوی جزائر ورجن", + "Virgin Islands, U.S.": "امریکی جزائر ورجن", + "Wallis And Futuna": "Wallis and Futuna", + "We're lost in space. The page you were trying to view does not exist.": "ہم نے خلا میں کھو. اس صفحے پر آپ کو کوشش کر رہے تھے دیکھنے کے لئے موجود نہیں ہے.", + "Welcome Back!": "واپس میں خوش آمدید!", + "Western Sahara": "مغربی صحارا", + "Whoops": "افوہ", + "Whoops!": "افوہ!", + "With Trashed": "کے ساتھ ردی", + "Write": "لکھنے", + "Year To Date": "سال کے لئے قیام", + "Yemen": "یمنی", + "Yes": "جی ہاں", + "You are receiving this email because we received a password reset request for your account.": "آپ کو یہ ای میل موصول ہو رہا ہے کیونکہ ہم نے آپ کے اکاؤنٹ کے پاس پاسورٹ ری سیٹ کی درخواست موصول ہوئی ہے.", + "Zambia": "زیمبیا", + "Zimbabwe": "زمبابوے" +} diff --git a/locales/ur/packages/spark-paddle.json b/locales/ur/packages/spark-paddle.json new file mode 100644 index 00000000000..9eac4051540 --- /dev/null +++ b/locales/ur/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "سروس کی شرائط", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "افوہ! کچھ غلط ہو گیا.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/ur/packages/spark-stripe.json b/locales/ur/packages/spark-stripe.json new file mode 100644 index 00000000000..e86d46d6df8 --- /dev/null +++ b/locales/ur/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "افغانستان", + "Albania": "البانیہ", + "Algeria": "الجیریا", + "American Samoa": "امریکی سمووا", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorran", + "Angola": "انگولا", + "Anguilla": "انگویلا", + "Antarctica": "انٹارکٹیکا", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "ارجنٹینا", + "Armenia": "آرمینیا", + "Aruba": "اروبا", + "Australia": "آسٹریلیا", + "Austria": "آسٹریا", + "Azerbaijan": "آذربایجان", + "Bahamas": "بہاماز", + "Bahrain": "بحرین", + "Bangladesh": "بنگلہ دیش", + "Barbados": "بارباڈوس", + "Belarus": "بیلاروس", + "Belgium": "بیلجیم", + "Belize": "بیلیز", + "Benin": "بینن", + "Bermuda": "برمودا", + "Bhutan": "بھوٹان", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "بوٹسوانا", + "Bouvet Island": "Bouvet جزیرے", + "Brazil": "برازیل", + "British Indian Ocean Territory": "برطانوی ہند کے علاقے", + "Brunei Darussalam": "Brunei", + "Bulgaria": "بلغاریہ", + "Burkina Faso": "برکینا فاسو", + "Burundi": "برونڈی", + "Cambodia": "کمبوڈیا", + "Cameroon": "کیمرون", + "Canada": "کینیڈا", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "کیپ وردے", + "Card": "کارڈ", + "Cayman Islands": "جزائر کیمن", + "Central African Republic": "وسطی افریقی جمہوریہ", + "Chad": "چاڈ", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "چلی", + "China": "چین", + "Christmas Island": "جزیرہ کرسمس", + "City": "City", + "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", + "Colombia": "کولمبیا", + "Comoros": "کوموروس", + "Confirm Payment": "ادائیگی کی تصدیق", + "Confirm your :amount payment": "اس کی تصدیق آپ :amount ادائیگی", + "Congo": "کانگو", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "جزائر کک", + "Costa Rica": "کوسٹا ریکا", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "کروشیا", + "Cuba": "کیوبا", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "قبرص", + "Czech Republic": "Czechia", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "ڈنمارک", + "Djibouti": "جبوتی", + "Dominica": "اتوار", + "Dominican Republic": "ڈومینیکن ریپبلک", + "Download Receipt": "Download Receipt", + "Ecuador": "ایکواڈور", + "Egypt": "مصر", + "El Salvador": "سلواڈور", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "استوائی گنی", + "Eritrea": "اریٹیریا", + "Estonia": "ایسٹونیا", + "Ethiopia": "ایتھوپیا", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "اضافی تصدیق کی ضرورت ہے عمل کرنے کے لئے آپ کی ادائیگی. براہ مہربانی کرنے کے لئے جاری کی ادائیگی کے صفحے پر کلک کر کے نیچے دیے گئے بٹن.", + "Falkland Islands (Malvinas)": "جزائر فاک لینڈ (Malvinas)", + "Faroe Islands": "جزائرفارو", + "Fiji": "فجی", + "Finland": "فن لینڈ", + "France": "فرانس", + "French Guiana": "فرانسیسی گیانا", + "French Polynesia": "فرانسیسی پولینیشیا", + "French Southern Territories": "جنوبی فرانسیسی علاقہ جات", + "Gabon": "گیبون", + "Gambia": "گیمبیا", + "Georgia": "جارجیا", + "Germany": "جرمنی", + "Ghana": "گھانا", + "Gibraltar": "جبرالٹر", + "Greece": "یونان", + "Greenland": "گرین لینڈ", + "Grenada": "گریناڈا", + "Guadeloupe": "گواڈیلوپ", + "Guam": "گوام", + "Guatemala": "گوئٹے مالا", + "Guernsey": "گرنزی", + "Guinea": "گنی", + "Guinea-Bissau": "گنی بساؤ", + "Guyana": "گیانا", + "Haiti": "ہیٹی", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "ہونڈوراس", + "Hong Kong": "ہانگ کانگ", + "Hungary": "ہنگری", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "آئس لینڈ", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "بھارت", + "Indonesia": "انڈونیشیا", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "عراق", + "Ireland": "آئر لینڈ", + "Isle of Man": "Isle of Man", + "Israel": "اسرائیل", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "اٹلی", + "Jamaica": "جمیکا", + "Japan": "جاپان", + "Jersey": "جرسی", + "Jordan": "اردن", + "Kazakhstan": "قازقستان", + "Kenya": "کینیا", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "شمالی کوریا", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "کویت", + "Kyrgyzstan": "کرغستان", + "Lao People's Democratic Republic": "لاؤس", + "Latvia": "لٹویا", + "Lebanon": "لبنان", + "Lesotho": "لیسوتھو", + "Liberia": "لائبیریا", + "Libyan Arab Jamahiriya": "لیبیا", + "Liechtenstein": "لکٹنسٹائن", + "Lithuania": "لتھوانیا", + "Luxembourg": "لکسمبرگ", + "Macao": "مکاؤ", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "مڈغاسکر", + "Malawi": "ملاوی", + "Malaysia": "ملائیشیا", + "Maldives": "مالدیپ", + "Mali": "چھوٹے", + "Malta": "مالٹا", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "جزائر مارشل", + "Martinique": "مارٹنیک", + "Mauritania": "موریطانیہ", + "Mauritius": "ماریشس", + "Mayotte": "Mayotte", + "Mexico": "میکسیکو", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "موناکو", + "Mongolia": "منگولیا", + "Montenegro": "مونٹی نیگرو", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "مانٹسریٹ", + "Morocco": "مراکش", + "Mozambique": "موزمبیق", + "Myanmar": "میانمار", + "Namibia": "نمیبیا", + "Nauru": "Nauru", + "Nepal": "نیپال", + "Netherlands": "ہالینڈ", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "نیو کیلیڈونیا", + "New Zealand": "نیوزی لینڈ", + "Nicaragua": "نکاراگوا", + "Niger": "نائیجر", + "Nigeria": "نائیجیریا", + "Niue": "Niue", + "Norfolk Island": "نارفوک جزیرہ", + "Northern Mariana Islands": "جزائر شمالی ماریانا", + "Norway": "ناروے", + "Oman": "عمان", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "پاکستان", + "Palau": "پلاؤ", + "Palestinian Territory, Occupied": "فلسطینی علاقوں", + "Panama": "پانامہ", + "Papua New Guinea": "پاپوا نیو گنی", + "Paraguay": "پیراگوئے", + "Payment Information": "Payment Information", + "Peru": "پیرو", + "Philippines": "فلپائن", + "Pitcairn": "Pitcairn جزائر", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "پولینڈ", + "Portugal": "پرتگال", + "Puerto Rico": "پورٹو ریکو", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "رومانیہ", + "Russian Federation": "روسی فیڈریشن", + "Rwanda": "روانڈا", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "سینٹ ہیلینا", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "سینٹ لوسیا", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "سمووا", + "San Marino": "سان مارینو", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "سعودی عرب", + "Save": "کو بچانے کے", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "سینیگال", + "Serbia": "سربیا", + "Seychelles": "سے شلز", + "Sierra Leone": "سیرا لیون", + "Signed in as": "Signed in as", + "Singapore": "سنگاپور", + "Slovakia": "سلوواکیہ", + "Slovenia": "سلووینیا", + "Solomon Islands": "جزائر سلیمان", + "Somalia": "صومالیہ", + "South Africa": "جنوبی افریقہ", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "سپین", + "Sri Lanka": "سری لنکا", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "سوڈان", + "Suriname": "سورینام", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "سویڈن", + "Switzerland": "سوئٹزر لینڈ", + "Syrian Arab Republic": "شام", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "تاجکستان", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "سروس کی شرائط", + "Thailand": "تھائی لینڈ", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "مشرقی تیمور", + "Togo": "ٹوگو", + "Tokelau": "Tokelau", + "Tonga": "آئے", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "تیونس", + "Turkey": "ترکی", + "Turkmenistan": "ترکمانستان", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "ٹوالو", + "Uganda": "یوگنڈا", + "Ukraine": "یوکرائن", + "United Arab Emirates": "متحدہ عرب امارات", + "United Kingdom": "برطانیہ", + "United States": "ریاست ہائے متحدہ امریکہ", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "اپ ڈیٹ", + "Update Payment Information": "Update Payment Information", + "Uruguay": "یوروگوئے", + "Uzbekistan": "ازبکستان", + "Vanuatu": "وانواٹو", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "برطانوی جزائر ورجن", + "Virgin Islands, U.S.": "امریکی جزائر ورجن", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "مغربی صحارا", + "Whoops! Something went wrong.": "افوہ! کچھ غلط ہو گیا.", + "Yearly": "Yearly", + "Yemen": "یمنی", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "زیمبیا", + "Zimbabwe": "زمبابوے", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/ur/ur.json b/locales/ur/ur.json index 874938f2539..f58d0ecd8fc 100644 --- a/locales/ur/ur.json +++ b/locales/ur/ur.json @@ -1,710 +1,48 @@ { - "30 Days": "30 دنوں کے", - "60 Days": "60 دنوں", - "90 Days": "90 دنوں", - ":amount Total": ":amount کل", - ":days day trial": ":days day trial", - ":resource Details": ":resource تفصیلات", - ":resource Details: :title": ":resource تفصیلات: :title", "A fresh verification link has been sent to your email address.": "ایک تازہ تصدیق لنک کے لئے بھیج دیا گیا ہے اپنا ای میل ایڈریس.", - "A new verification link has been sent to the email address you provided during registration.": "ایک نئی کی توثیق کے لنک بھیجا گیا ہے ، ای میل ایڈریس آپ کے فراہم کردہ رجسٹریشن کے دوران.", - "Accept Invitation": "قبول دعوت", - "Action": "کارروائی", - "Action Happened At": "ہوا میں", - "Action Initiated By": "کی طرف سے شروع", - "Action Name": "نام", - "Action Status": "حیثیت", - "Action Target": "ہدف", - "Actions": "اعمال", - "Add": "شامل کریں", - "Add a new team member to your team, allowing them to collaborate with you.": "شامل ایک نئی ٹیم کے رکن کے لئے آپ کی ٹیم کی اجازت دیتا ہے ان کے ساتھ تعاون کرنے کے لئے آپ کو.", - "Add additional security to your account using two factor authentication.": "اضافی سیکورٹی کے لئے آپ کے اکاؤنٹ کا استعمال کرتے ہوئے دو عنصر کی تصدیق.", - "Add row": "صف میں شامل کریں", - "Add Team Member": "شامل ٹیم کے رکن", - "Add VAT Number": "Add VAT Number", - "Added.": "شامل کر دیا گیا.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "ایڈمنسٹریٹر", - "Administrator users can perform any action.": "ایڈمنسٹریٹر صارفین کو انجام دے سکتے ہیں کسی بھی کارروائی کی ہے.", - "Afghanistan": "افغانستان", - "Aland Islands": "ایلانڈ جزائر", - "Albania": "البانیہ", - "Algeria": "الجیریا", - "All of the people that are part of this team.": "تمام ہے کہ لوگوں کی اس ٹیم کا حصہ.", - "All resources loaded.": "تمام وسائل بھری ہوئی.", - "All rights reserved.": "تمام حقوق محفوظ ہیں.", - "Already registered?": "پہلے سے رجسٹرڈ ؟ ", - "American Samoa": "امریکی سمووا", - "An error occured while uploading the file.": "ایک خرابی آگئی ہے جبکہ اپ لوڈ فائل.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorran", - "Angola": "انگولا", - "Anguilla": "انگویلا", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "کسی دوسرے صارف کے اپ ڈیٹ کیا ہے اس کے وسائل اس کے بعد صفحہ بھری ہوئی کیا گیا تھا. براہ مہربانی صفحہ کی تازہ کاری اور دوبارہ کوشش کریں.", - "Antarctica": "انٹارکٹیکا", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "انٹیگوا اور باربودا", - "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 کے ٹوکن کی اجازت تیسری پارٹی کی خدمات کی توثیق کرنے کے لئے ہماری درخواست آپ کی جانب سے.", - "April": "اپریل", - "Are you sure you want to delete the selected resources?": "آپ چاہتے ہیں کو خارج کرنے کے لئے منتخب وسائل ؟ ", - "Are you sure you want to delete this file?": "آپ چاہتے ہیں کو خارج کرنے کے لئے اس فائل?", - "Are you sure you want to delete this resource?": "آپ چاہتے ہیں کو خارج کرنے کے لئے اس کے وسائل?", - "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 detach the selected resources?": "آپ چاہتے ہیں جدا کرنے کے لئے منتخب وسائل ؟ ", - "Are you sure you want to detach this resource?": "آپ چاہتے ہیں جدا کرنے کے لئے اس کے وسائل?", - "Are you sure you want to force delete the selected resources?": "ہیں آپ کو اس بات کا یقین آپ کو مجبور کرنا چاہتے ہیں کو خارج منتخب وسائل ؟ ", - "Are you sure you want to force delete this resource?": "ہیں آپ کو اس بات کا یقین آپ کو مجبور کرنا چاہتے ہیں کو خارج کر دیں یہ وسائل?", - "Are you sure you want to restore the selected resources?": "آپ چاہتے ہیں کو بحال کرنے کے لئے منتخب وسائل ؟ ", - "Are you sure you want to restore this resource?": "آپ چاہتے ہیں کو بحال کرنے کے لئے اس کے وسائل?", - "Are you sure you want to run this action?": "آپ چاہتے ہیں اس کو چلانے کے لئے کارروائی ہے ؟ ", - "Are you sure you would like to delete this API token?": "ہیں آپ کو اس بات کا یقین کرنے کے لئے چاہتے ہیں کو خارج کر دیں یہ API ٹوکن?", - "Are you sure you would like to leave this team?": "کیا آپ کو یقین ہے کہ آپ گا کی طرح چھوڑنے کے لئے اس کی ٹیم?", - "Are you sure you would like to remove this person from the team?": "ہیں آپ کو اس بات کا یقین آپ کو اس کو دور کرنا چاہتے شخص کی ٹیم کی طرف سے?", - "Argentina": "ارجنٹینا", - "Armenia": "آرمینیا", - "Aruba": "اروبا", - "Attach": "منسلک", - "Attach & Attach Another": "منسلک & منسلک ایک", - "Attach :resource": "منسلک :resource", - "August": "اگست", - "Australia": "آسٹریلیا", - "Austria": "آسٹریا", - "Azerbaijan": "آذربایجان", - "Bahamas": "بہاماز", - "Bahrain": "بحرین", - "Bangladesh": "بنگلہ دیش", - "Barbados": "بارباڈوس", "Before proceeding, please check your email for a verification link.": "آگے بڑھنے سے پہلے, براہ مہربانی چیک کریں آپ کا ای میل کے لئے ایک توثیقی لنک.", - "Belarus": "بیلاروس", - "Belgium": "بیلجیم", - "Belize": "بیلیز", - "Benin": "بینن", - "Bermuda": "برمودا", - "Bhutan": "بھوٹان", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "بولیویا", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius اور Sábado", - "Bosnia And Herzegovina": "بوسنیا اور ہرزیگوینا", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "بوٹسوانا", - "Bouvet Island": "Bouvet جزیرے", - "Brazil": "برازیل", - "British Indian Ocean Territory": "برطانوی ہند کے علاقے", - "Browser Sessions": "براؤزر کے سیشن", - "Brunei Darussalam": "Brunei", - "Bulgaria": "بلغاریہ", - "Burkina Faso": "برکینا فاسو", - "Burundi": "برونڈی", - "Cambodia": "کمبوڈیا", - "Cameroon": "کیمرون", - "Canada": "کینیڈا", - "Cancel": "منسوخ", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "کیپ وردے", - "Card": "کارڈ", - "Cayman Islands": "جزائر کیمن", - "Central African Republic": "وسطی افریقی جمہوریہ", - "Chad": "چاڈ", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "تبدیلیوں", - "Chile": "چلی", - "China": "چین", - "Choose": "منتخب", - "Choose :field": "منتخب :field", - "Choose :resource": "منتخب :resource", - "Choose an option": "ایک اختیار کو منتخب کریں", - "Choose date": "تاریخ کا انتخاب", - "Choose File": "منتخب کریں فائل", - "Choose Type": "کا انتخاب کی قسم", - "Christmas Island": "جزیرہ کرسمس", - "City": "City", "click here to request another": "یہاں کلک کریں کرنے کے لئے درخواست ایک", - "Click to choose": "کلک کریں منتخب کرنے کے لئے", - "Close": "بند", - "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", - "Code": "کوڈ", - "Colombia": "کولمبیا", - "Comoros": "کوموروس", - "Confirm": "اس بات کی تصدیق", - "Confirm Password": "پاس ورڈ کی توثیق کریں", - "Confirm Payment": "ادائیگی کی تصدیق", - "Confirm your :amount payment": "اس کی تصدیق آپ :amount ادائیگی", - "Congo": "کانگو", - "Congo, Democratic Republic": "کانگو, جمہوری جمہوریہ", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "مسلسل", - "Cook Islands": "جزائر کک", - "Costa Rica": "کوسٹا ریکا", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "نہیں کیا جا سکتا پایا.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "تخلیق", - "Create & Add Another": "تخلیق اور ایک اور کا اضافہ کریں", - "Create :resource": "پیدا :resource", - "Create a new team to collaborate with others on projects.": "بنانے کے ، ایک نئی ٹیم کے ساتھ تعاون کرنے کے لئے دوسروں کے منصوبوں پر.", - "Create Account": "اکاؤنٹ بنائیں", - "Create API Token": "پیدا API ٹوکن", - "Create New Team": "نئی ٹیم بنائیں", - "Create Team": "تخلیق ٹیم", - "Created.": "پیدا ہوتا ہے.", - "Croatia": "کروشیا", - "Cuba": "کیوبا", - "Curaçao": "کیوراساؤ", - "Current Password": "موجودہ پاس ورڈ", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "اپنی مرضی کے مطابق", - "Cyprus": "قبرص", - "Czech Republic": "Czechia", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "ڈیش بورڈ", - "December": "دسمبر", - "Decrease": "کمی", - "Delete": "کو حذف کریں", - "Delete Account": "اکاؤنٹ کو حذف کریں", - "Delete API Token": "کو حذف API ٹوکن", - "Delete File": "کو حذف فائل", - "Delete Resource": "کو حذف وسائل", - "Delete Selected": "کو حذف کریں منتخب", - "Delete Team": "کو حذف ٹیم", - "Denmark": "ڈنمارک", - "Detach": "جدا", - "Detach Resource": "جدا وسائل", - "Detach Selected": "جدا منتخب", - "Details": "تفصیلات", - "Disable": "غیر فعال", - "Djibouti": "جبوتی", - "Do you really want to leave? You have unsaved changes.": "کیا آپ واقعی چھوڑ کرنا چاہتے ہیں? آپ کو غیر محفوظ کردہ تبدیلیاں.", - "Dominica": "اتوار", - "Dominican Republic": "ڈومینیکن ریپبلک", - "Done.": "کیا جاتا ہے.", - "Download": "ڈاؤن لوڈ ، اتارنا", - "Download Receipt": "Download Receipt", "E-Mail Address": "ای میل اڈریس", - "Ecuador": "ایکواڈور", - "Edit": "میں ترمیم کریں", - "Edit :resource": "ترمیم :resource", - "Edit Attached": "ترمیم کے ساتھ منسلک", - "Editor": "ایڈیٹر", - "Editor users have the ability to read, create, and update.": "ایڈیٹر صارفین کو پڑھنے کے لئے کی صلاحیت, تخلیق, اور اپ ڈیٹ.", - "Egypt": "مصر", - "El Salvador": "سلواڈور", - "Email": "ای میل", - "Email Address": "ای میل ایڈریس", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "ای میل کے پاس ورڈ ری سیٹ لنک", - "Enable": "چالو", - "Ensure your account is using a long, random password to stay secure.": "کو یقینی بنانے کے آپ کے اکاؤنٹ کا استعمال کرتے ہوئے ایک طویل, بے ترتیب پاس ورڈ رہنے کے لئے محفوظ ہے.", - "Equatorial Guinea": "استوائی گنی", - "Eritrea": "اریٹیریا", - "Estonia": "ایسٹونیا", - "Ethiopia": "ایتھوپیا", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "اضافی تصدیق کی ضرورت ہے عمل کرنے کے لئے آپ کی ادائیگی. براہ مہربانی اس بات کی تصدیق آپ کی ادائیگی کو بھرنے کی طرف سے آپ کی ادائیگی کی تفصیلات ذیل میں.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "اضافی تصدیق کی ضرورت ہے عمل کرنے کے لئے آپ کی ادائیگی. براہ مہربانی کرنے کے لئے جاری کی ادائیگی کے صفحے پر کلک کر کے نیچے دیے گئے بٹن.", - "Falkland Islands (Malvinas)": "جزائر فاک لینڈ (Malvinas)", - "Faroe Islands": "جزائرفارو", - "February": "فروری", - "Fiji": "فجی", - "Finland": "فن لینڈ", - "For your security, please confirm your password to continue.": "آپ کی سیکورٹی کے لئے, براہ مہربانی اس بات کی تصدیق آپ کے پاس ورڈ کے لئے جاری رکھنے کے لئے.", "Forbidden": "حرام", - "Force Delete": "قوت کو خارج کر دیں", - "Force Delete Resource": "فورس کو حذف وسائل", - "Force Delete Selected": "فورس کو حذف منتخب", - "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.": "پاسورڈ بھول گئے ؟ کوئی مسئلہ نہیں. صرف ہمیں پتہ ہے کہ آپ کے ای میل ایڈریس اور ہم نے آپ کو ای میل ایک پاس ورڈ ری سیٹ کریں کے لنک کی اجازت دے گا کہ آپ کو منتخب کرنے کے لئے ایک نئی ایک.", - "France": "فرانس", - "French Guiana": "فرانسیسی گیانا", - "French Polynesia": "فرانسیسی پولینیشیا", - "French Southern Territories": "جنوبی فرانسیسی علاقہ جات", - "Full name": "مکمل نام", - "Gabon": "گیبون", - "Gambia": "گیمبیا", - "Georgia": "جارجیا", - "Germany": "جرمنی", - "Ghana": "گھانا", - "Gibraltar": "جبرالٹر", - "Go back": "واپس جانے کے", - "Go Home": "گھر جانے کے", "Go to page :page": "صفحہ پر جانے کے :page", - "Great! You have accepted the invitation to join the :team team.": "عظیم! آپ نے دعوت قبول کر لی شامل کرنے کے لئے :team ٹیم.", - "Greece": "یونان", - "Greenland": "گرین لینڈ", - "Grenada": "گریناڈا", - "Guadeloupe": "گواڈیلوپ", - "Guam": "گوام", - "Guatemala": "گوئٹے مالا", - "Guernsey": "گرنزی", - "Guinea": "گنی", - "Guinea-Bissau": "گنی بساؤ", - "Guyana": "گیانا", - "Haiti": "ہیٹی", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "جزیرہ ہرڈ اور جزائر مکڈونلڈ", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "ہیلو!", - "Hide Content": "چھپائیں مواد", - "Hold Up!": "کو پکڑ!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "ہونڈوراس", - "Hong Kong": "ہانگ کانگ", - "Hungary": "ہنگری", - "I agree to the :terms_of_service and :privacy_policy": "میں اتفاق کرتا ہوں کے لئے :terms_of_service اور :privacy_policy", - "Iceland": "آئس لینڈ", - "ID": "ID", - "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 logout 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 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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "اگر آپ کو مصیبت پر کلک کرنے \":actionText\" کے بٹن پر, کاپی اور پیسٹ ذیل یو آر ایل\nمیں آپ کے ویب براؤزر:", - "Increase": "میں اضافہ", - "India": "بھارت", - "Indonesia": "انڈونیشیا", "Invalid signature.": "جعلی دستخط.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "ایران", - "Iraq": "عراق", - "Ireland": "آئر لینڈ", - "Isle of Man": "Isle of Man", - "Isle Of Man": "آئل آف مین", - "Israel": "اسرائیل", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "اٹلی", - "Jamaica": "جمیکا", - "January": "جنوری", - "Japan": "جاپان", - "Jersey": "جرسی", - "Jordan": "اردن", - "July": "جولائی", - "June": "جون", - "Kazakhstan": "قازقستان", - "Kenya": "کینیا", - "Key": "اہم", - "Kiribati": "Kiribati", - "Korea": "جنوبی کوریا", - "Korea, Democratic People's Republic of": "شمالی کوریا", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "کوسوو", - "Kuwait": "کویت", - "Kyrgyzstan": "کرغستان", - "Lao People's Democratic Republic": "لاؤس", - "Last active": "گزشتہ فعال", - "Last used": "آخری بار استعمال کیا", - "Latvia": "لٹویا", - "Leave": "چھوڑ دو", - "Leave Team": "چھوڑ کر ٹیم", - "Lebanon": "لبنان", - "Lens": "لینس", - "Lesotho": "لیسوتھو", - "Liberia": "لائبیریا", - "Libyan Arab Jamahiriya": "لیبیا", - "Liechtenstein": "لکٹنسٹائن", - "Lithuania": "لتھوانیا", - "Load :perPage More": "لوڈ :perPage زیادہ", - "Log in": "میں لاگ ان کریں", "Log out": "باہر لاگ ان کریں", - "Log Out": "باہر لاگ ان کریں", - "Log Out Other Browser Sessions": "لاگ آؤٹ دیگر براؤزر سیشن", - "Login": "لاگ ان کریں", - "Logout": "لاگ آوٹ", "Logout Other Browser Sessions": "آؤٹ دیگر براؤزر سیشن", - "Luxembourg": "لکسمبرگ", - "Macao": "مکاؤ", - "Macedonia": "شمالی مقدونیہ", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "مڈغاسکر", - "Malawi": "ملاوی", - "Malaysia": "ملائیشیا", - "Maldives": "مالدیپ", - "Mali": "چھوٹے", - "Malta": "مالٹا", - "Manage Account": "اکاؤنٹ کا انتظام", - "Manage and log out your active sessions on other browsers and devices.": "انتظام کریں اور لاگ آؤٹ آپ کے فعال سیشن پر دیگر براؤزرز اور آلات.", "Manage and logout your active sessions on other browsers and devices.": "انتظام کریں اور لاگ آؤٹ کریں آپ کے فعال سیشن پر دیگر براؤزرز اور آلات.", - "Manage API Tokens": "کا انتظام API ٹوکن", - "Manage Role": "انتظام کے کردار", - "Manage Team": "ٹیم کو منظم", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "مارچ", - "Marshall Islands": "جزائر مارشل", - "Martinique": "مارٹنیک", - "Mauritania": "موریطانیہ", - "Mauritius": "ماریشس", - "May": "کر سکتے ہیں", - "Mayotte": "Mayotte", - "Mexico": "میکسیکو", - "Micronesia, Federated States Of": "مائکرونیزیا", - "Moldova": "مالدووا", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "موناکو", - "Mongolia": "منگولیا", - "Montenegro": "مونٹی نیگرو", - "Month To Date": "ماہ کے لئے قیام", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "مانٹسریٹ", - "Morocco": "مراکش", - "Mozambique": "موزمبیق", - "Myanmar": "میانمار", - "Name": "نام", - "Namibia": "نمیبیا", - "Nauru": "Nauru", - "Nepal": "نیپال", - "Netherlands": "ہالینڈ", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Nevermind", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "نئی", - "New :resource": "نئے :resource", - "New Caledonia": "نیو کیلیڈونیا", - "New Password": "نیا پاس ورڈ", - "New Zealand": "نیوزی لینڈ", - "Next": "اگلے", - "Nicaragua": "نکاراگوا", - "Niger": "نائیجر", - "Nigeria": "نائیجیریا", - "Niue": "Niue", - "No": "کوئی", - "No :resource matched the given criteria.": "کوئی :resource رکن الدين صاحب کے دیئے گئے معیار.", - "No additional information...": "کوئی اضافی معلومات...", - "No Current Data": "کوئی موجودہ اعداد و شمار", - "No Data": "کوئی اعداد و شمار", - "no file selected": "کوئی فائل منتخب", - "No Increase": "کوئی اضافہ", - "No Prior Data": "کوئی پہلے کے اعداد و شمار", - "No Results Found.": "کوئی نتائج ملے.", - "Norfolk Island": "نارفوک جزیرہ", - "Northern Mariana Islands": "جزائر شمالی ماریانا", - "Norway": "ناروے", "Not Found": "نہیں پایا", - "Nova User": "نووا صارف", - "November": "نومبر", - "October": "اکتوبر", - "of": "کی", "Oh no": "ارے نہیں", - "Oman": "عمان", - "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 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 Trashed": "صرف ردی", - "Original": "اصل", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "صفحہ کی میعاد ختم ہو", "Pagination Navigation": "صفحہ بندی نیویگیشن", - "Pakistan": "پاکستان", - "Palau": "پلاؤ", - "Palestinian Territory, Occupied": "فلسطینی علاقوں", - "Panama": "پانامہ", - "Papua New Guinea": "پاپوا نیو گنی", - "Paraguay": "پیراگوئے", - "Password": "پاس ورڈ", - "Pay :amount": "ادا :amount", - "Payment Cancelled": "ادائیگی منسوخ کر دیا", - "Payment Confirmation": "ادائیگی کی تصدیق", - "Payment Information": "Payment Information", - "Payment Successful": "ادائیگی کامیاب", - "Pending Team Invitations": "زیر التواء ٹیم کے دعوت نامے", - "Per Page": "فی صفحہ", - "Permanently delete this team.": "مستقل طور پر خارج کر دیں اس کی ٹیم.", - "Permanently delete your account.": "مستقل طور پر آپ کے اکاؤنٹ کو خارج.", - "Permissions": "اجازت", - "Peru": "پیرو", - "Philippines": "فلپائن", - "Photo": "تصویر", - "Pitcairn": "Pitcairn جزائر", "Please click the button below to verify your email address.": "براہ مہربانی ذیل بٹن پر کلک کریں کی تصدیق کرنے کے لئے آپ کے ای میل ایڈریس.", - "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 your password before continuing.": "براہ مہربانی تصدیق کریں آپ کے پاس ورڈ جاری رکھنے سے پہلے.", - "Please copy your new API token. For your security, it won't be shown again.": "براہ مہربانی کاپی آپ کے نئے API کے ٹوکن. آپ کی سیکورٹی کے لئے, یہ نہیں دکھایا جائے گا ایک بار پھر.", - "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 logout of your other browser sessions across all of your devices.": "براہ مہربانی آپ اپنا پاس ورڈ درج کرنے کے لئے اس بات کی تصدیق کرنے کے لئے چاہتے ہیں لاگ آؤٹ کے آپ کے دوسرے براؤزر سیشن کے تمام بھر میں آپ کے آلات.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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. The email address must be associated with an existing account.": "فراہم کریں ای میل ایڈریس کا شخص آپ کو پسند کرے گا کرنے کے لئے شامل کرنے کے لئے اس کی ٹیم. ای میل ایڈریس کے ساتھ منسلک ہونا ضروری ہے ایک موجودہ اکاؤنٹ.", - "Please provide your name.": "براہ مہربانی فراہم کرتے ہیں آپ کے نام.", - "Poland": "پولینڈ", - "Portugal": "پرتگال", - "Press \/ to search": "پریس \/ تلاش کرنے کے لئے", - "Preview": "پیش نظارہ", - "Previous": "گزشتہ", - "Privacy Policy": "رازداری کی پالیسی", - "Profile": "پروفائل", - "Profile Information": "پروفائل کی معلومات", - "Puerto Rico": "پورٹو ریکو", - "Qatar": "Qatar", - "Quarter To Date": "سہ ماہی کے لئے قیام", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "وصولی کے کوڈ", "Regards": "کے حوالے", - "Regenerate Recovery Codes": "دوبارہ وصولی کے کوڈ", - "Register": "رجسٹر کریں", - "Reload": "دوبارہ لوڈ کریں", - "Remember me": "مجھے یاد رکھیں", - "Remember Me": "مجھے یاد رکھیں", - "Remove": "دور", - "Remove Photo": "دور تصویر", - "Remove Team Member": "دور کی ٹیم کے رکن", - "Resend Verification Email": "پھر بھیجیں ای میل کی توثیق", - "Reset Filters": "ری سیٹ فلٹر", - "Reset Password": "پاس ورڈ ری سیٹ", - "Reset Password Notification": "پاس ورڈ کی اطلاع دوبارہ ترتیب دیں", - "resource": "وسائل", - "Resources": "وسائل", - "resources": "وسائل", - "Restore": "بحال", - "Restore Resource": "بحال وسائل", - "Restore Selected": "بحال منتخب", "results": "نتائج", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "اجلاس", - "Role": "کردار", - "Romania": "رومانیہ", - "Run Action": "چلانے کے عمل", - "Russian Federation": "روسی فیڈریشن", - "Rwanda": "روانڈا", - "Réunion": "Réunion", - "Saint Barthelemy": "سینٹ Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "سینٹ ہیلینا", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "سینٹ کٹس اور نیوس", - "Saint Lucia": "سینٹ لوسیا", - "Saint Martin": "سینٹ مارٹن", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "سینٹ پیئر و میکوئیلون", - "Saint Vincent And Grenadines": "سینٹ کیرن اور گریناڈائنز", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "سمووا", - "San Marino": "سان مارینو", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "ساؤ ٹوم اور Príncipe", - "Saudi Arabia": "سعودی عرب", - "Save": "کو بچانے کے", - "Saved.": "بچا لیا.", - "Search": "تلاش", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "ایک نئی تصویر کو منتخب کریں", - "Select Action": "ایکشن منتخب کریں", - "Select All": "تمام منتخب کریں", - "Select All Matching": "منتخب کریں سب سے مشابہ", - "Send Password Reset Link": "پاس ورڈ ری سیٹ لنک بھیجیں", - "Senegal": "سینیگال", - "September": "ستمبر", - "Serbia": "سربیا", "Server Error": "سرور کی خرابی", "Service Unavailable": "سروس دستیاب نہیں", - "Seychelles": "سے شلز", - "Show All Fields": "شو کے تمام شعبوں", - "Show Content": "شو مواد", - "Show Recovery Codes": "شو کی وصولی کے کوڈ", "Showing": "دکھا", - "Sierra Leone": "سیرا لیون", - "Signed in as": "Signed in as", - "Singapore": "سنگاپور", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "سلوواکیہ", - "Slovenia": "سلووینیا", - "Solomon Islands": "جزائر سلیمان", - "Somalia": "صومالیہ", - "Something went wrong.": "کچھ غلط ہو گیا.", - "Sorry! You are not authorized to perform this action.": "معذرت! آپ نہیں کر رہے ہیں کی اجازت کرنے کے لئے یہ عمل انجام.", - "Sorry, your session has expired.": "معذرت, آپ کے سیشن ختم ہو گیا ہے.", - "South Africa": "جنوبی افریقہ", - "South Georgia And Sandwich Isl.": "جنوبی جارجیا اور جنوبی سینڈوچ جزائر", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "جنوبی سوڈان", - "Spain": "سپین", - "Sri Lanka": "سری لنکا", - "Start Polling": "پولنگ شروع", - "State \/ County": "State \/ County", - "Stop Polling": "کو روکنے کے پولنگ", - "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.": "دکان ان کی وصولی کوڈ میں ایک محفوظ پاس ورڈ مینیجر. وہ استعمال کیا جا سکتا ہے کی وصولی کے لئے تک رسائی حاصل کرنے کے لئے آپ کے اکاؤنٹ میں آپ کے دو عنصر کی تصدیق کے آلہ کھو دیا ہے.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "سوڈان", - "Suriname": "سورینام", - "Svalbard And Jan Mayen": "سوالبارڈ اور Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "سویڈن", - "Switch Teams": "سوئچ ٹیموں", - "Switzerland": "سوئٹزر لینڈ", - "Syrian Arab Republic": "شام", - "Taiwan": "تائیوان", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "تاجکستان", - "Tanzania": "تنزانیہ", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "ٹیم کی تفصیلات", - "Team Invitation": "ٹیم دعوت", - "Team Members": "ٹیم کے ارکان", - "Team Name": "ٹیم کے نام", - "Team Owner": "ٹیم کے مالک", - "Team Settings": "ٹیم کی ترتیبات", - "Terms of Service": "سروس کی شرائط", - "Thailand": "تھائی لینڈ", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "میں :attribute ہونا ضروری ہے ایک درست کردار.", - "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 and 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 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 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.": "اس :attribute ہونا ضروری ہے کم از کم :length حروف.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "اس :resource پیدا کیا گیا تھا!", - "The :resource was deleted!": "اس :resource خارج کر دیا گیا!", - "The :resource was restored!": "کی :resource بحال کیا گیا تھا!", - "The :resource was updated!": "اس :resource اپ ڈیٹ کیا گیا تھا!", - "The action ran successfully!": "کارروائی کامیابی سے بھاگ گیا!", - "The file was deleted!": "فائل کو خارج کر دیا گیا!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "حکومت نہیں آئیے آپ کو ظاہر کیا ہے ان دروازوں کے پیچھے", - "The HasOne relationship has already been filled.": "اس HasOne کے تعلقات پہلے سے ہی بھر گیا.", - "The payment was successful.": "ادائیگی کی کامیاب تھا.", - "The provided coupon code is invalid.": "The provided coupon code is 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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "وسائل کو اپ ڈیٹ کیا گیا تھا!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "ٹیم کا نام اور مالک کے بارے میں معلومات.", - "There are no available options for this resource.": "وہاں کوئی دستیاب اختیارات کے لئے اس کے وسائل.", - "There was a problem executing the action.": "وہاں ایک مسئلہ تھا کے عمل کے عمل.", - "There was a problem submitting the form.": "وہاں ایک مسئلہ تھا میں جمع کرانے کے فارم.", - "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.": "ان لوگوں کو مدعو کیا گیا ہے کرنے کے لئے آپ کی ٹیم اور بھیج دیا گیا ہے ایک دعوت نامہ ای میل. ہو سکتا ہے کہ وہ ٹیم میں شامل ہونے کی طرف سے قبول ای میل کی دعوت.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "اس کارروائی کو غیر مجاز ہے.", - "This device": "یہ آلہ", - "This file field is read-only.": "اس فائل میدان پڑھا جاتا ہے-صرف.", - "This image": "اس تصویر", - "This is a secure area of the application. Please confirm your password before continuing.": "یہ ایک محفوظ علاقے کی درخواست ہے. براہ مہربانی تصدیق کریں آپ کے پاس ورڈ جاری رکھنے سے پہلے.", - "This password does not match our records.": "اس کے پاس ورڈ مطابقت نہیں ہے ہمارے ریکارڈ.", "This password reset link will expire in :count minutes.": "اس کے پاس ورڈ ری سیٹ لنک میں ختم ہو جائے گی :count منٹ.", - "This payment was already successfully confirmed.": "اس کی ادائیگی پہلے سے ہی تھا کامیابی سے اس بات کی تصدیق.", - "This payment was cancelled.": "اس کی ادائیگی کو منسوخ کر دیا گیا.", - "This resource no longer exists": "اس کے وسائل اب موجود نہیں", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "یہ صارف پہلے ہی سے تعلق رکھتا ہے ، ٹیم.", - "This user has already been invited to the team.": "یہ صارف پہلے ہی مدعو کرنے کے لئے ٹیم.", - "Timor-Leste": "مشرقی تیمور", "to": "کرنے کے لئے", - "Today": "آج", "Toggle navigation": "ٹوگل مواد", - "Togo": "ٹوگو", - "Tokelau": "Tokelau", - "Token Name": "ٹوکن کے نام", - "Tonga": "آئے", "Too Many Attempts.": "بہت کوششوں.", "Too Many Requests": "بہت سے درخواستوں", - "total": "کل", - "Total:": "Total:", - "Trashed": "ردی", - "Trinidad And Tobago": "ٹرینیڈاڈ اور ٹوباگو", - "Tunisia": "تیونس", - "Turkey": "ترکی", - "Turkmenistan": "ترکمانستان", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "کیکس اور ترکیہ", - "Tuvalu": "ٹوالو", - "Two Factor Authentication": "دو عنصر کی تصدیق", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "دو عنصر کی تصدیق کی ہے اب فعال. اسکین مندرجہ ذیل QR کوڈ کا استعمال کرتے ہوئے آپ کے فون کی authenticator درخواست ہے.", - "Uganda": "یوگنڈا", - "Ukraine": "یوکرائن", "Unauthorized": "غیر مجاز", - "United Arab Emirates": "متحدہ عرب امارات", - "United Kingdom": "برطانیہ", - "United States": "ریاست ہائے متحدہ امریکہ", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "امریکی چھوٹے بیرونی جزائر", - "Update": "اپ ڈیٹ", - "Update & Continue Editing": "اپ ڈیٹ & جاری ترمیم", - "Update :resource": "اپ ڈیٹ :resource", - "Update :resource: :title": "اپ ڈیٹ :resource: :title", - "Update attached :resource: :title": "اپ ڈیٹ کے ساتھ منسلک :resource: :title", - "Update Password": "پاس ورڈ کو اپ ڈیٹ", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "اپ ڈیٹ کریں آپ کی اکاؤنٹ کے پروفائل کی معلومات اور ای میل ایڈریس.", - "Uruguay": "یوروگوئے", - "Use a recovery code": "استعمال وصولی کے کوڈ", - "Use an authentication code": "استعمال کی تصدیق کے کوڈ", - "Uzbekistan": "ازبکستان", - "Value": "قیمت", - "Vanuatu": "وانواٹو", - "VAT Number": "VAT Number", - "Venezuela": "وینزویلا", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "ای میل ایڈریس کی تصدیق کریں", "Verify Your Email Address": "آپ کا ای میل ایڈریس کی تصدیق کریں", - "Viet Nam": "Vietnam", - "View": "لنک", - "Virgin Islands, British": "برطانوی جزائر ورجن", - "Virgin Islands, U.S.": "امریکی جزائر ورجن", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis and Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "ہم قابل نہیں تھے کو تلاش کرنے کے لئے ایک رجسٹرڈ صارف کے ساتھ اس ای میل ایڈریس.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "ہم نہیں پوچھ کے لئے آپ کے پاس ورڈ پھر چند گھنٹوں کے لئے.", - "We're lost in space. The page you were trying to view does not exist.": "ہم نے خلا میں کھو. اس صفحے پر آپ کو کوشش کر رہے تھے دیکھنے کے لئے موجود نہیں ہے.", - "Welcome Back!": "واپس میں خوش آمدید!", - "Western Sahara": "مغربی صحارا", - "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 درخواست ہے.", - "Whoops": "افوہ", - "Whoops!": "افوہ!", - "Whoops! Something went wrong.": "افوہ! کچھ غلط ہو گیا.", - "With Trashed": "کے ساتھ ردی", - "Write": "لکھنے", - "Year To Date": "سال کے لئے قیام", - "Yearly": "Yearly", - "Yemen": "یمنی", - "Yes": "جی ہاں", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "آپ کو ریکارڈ کر رہے ہیں!", - "You are receiving this email because we received a password reset request for your account.": "آپ کو یہ ای میل موصول ہو رہا ہے کیونکہ ہم نے آپ کے اکاؤنٹ کے پاس پاسورٹ ری سیٹ کی درخواست موصول ہوئی ہے.", - "You have been invited to join the :team team!": "آپ کو مدعو کیا گیا ہے میں شامل ہونے کے لئے :team ٹیم!", - "You have enabled two factor authentication.": "آپ کو چالو حالت میں ہے دو عنصر کی تصدیق.", - "You have not enabled two factor authentication.": "آپ کو فعال نہیں دو عنصر کی تصدیق.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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.": "آپ کو چھوڑ نہیں کر سکتے ہیں کہ ایک ٹیم پیدا.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "آپ کا ای میل ایڈریس کی توثیق نہیں کی ہے.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "زیمبیا", - "Zimbabwe": "زمبابوے", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "آپ کا ای میل ایڈریس کی توثیق نہیں کی ہے." } diff --git a/locales/uz_Cyrl/packages/cashier.json b/locales/uz_Cyrl/packages/cashier.json new file mode 100644 index 00000000000..0bb2cf56fa5 --- /dev/null +++ b/locales/uz_Cyrl/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Butunsinavlar.Co. ve", + "Card": "Kart-Saisiyat", + "Confirm Payment": "To'lovni Tasdiqlash", + "Confirm your :amount payment": ":amount siz to'lovni tasdiqlang ", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Qo'shimcha tasdiqlash to'lov qayta ishlash uchun zarur bo'lgan. Quyidagi to'lov ma'lumotlarini to'ldirib, to'lovni tasdiqlang.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Qo'shimcha tasdiqlash to'lov qayta ishlash uchun zarur bo'lgan. Quyidagi tugmani bosish orqali to'lov sahifasiga davom iltimos.", + "Full name": "To'liq ismi", + "Go back": "Orqaga qaytish", + "Jane Doe": "Jane Doe", + "Pay :amount": "To'lash :amount", + "Payment Cancelled": "To'lov Bekor Qilindi", + "Payment Confirmation": "To'lovni Tasdiqlash", + "Payment Successful": "To'lov Muvaffaqiyatli", + "Please provide your name.": "Iltimos, ismingizni taqdim eting.", + "The payment was successful.": "To'lov muvaffaqiyatli bo'ldi.", + "This payment was already successfully confirmed.": "Ushbu to'lov allaqachon muvaffaqiyatli tasdiqlangan.", + "This payment was cancelled.": "Bu to'lov bekor qilindi." +} diff --git a/locales/uz_Cyrl/packages/fortify.json b/locales/uz_Cyrl/packages/fortify.json new file mode 100644 index 00000000000..7f51a0e24bf --- /dev/null +++ b/locales/uz_Cyrl/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": ":attribute kamida :length belgi bo'lishi va kamida bitta raqamni o'z ichiga olishi kerak.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute kamida :length belgi bo'lishi va kamida bitta maxsus belgi va bitta raqamni o'z ichiga olishi kerak.", + "The :attribute must be at least :length characters and contain at least one special character.": ":attribute kamida :length belgi bo'lishi va kamida bitta maxsus belgini o'z ichiga olishi kerak.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "The :attribute kamida bo'lishi kerak :length belgilar va kamida bir katta belgi va bir qator o'z ichiga.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute kamida :length belgi bo'lishi va kamida bitta katta belgi va bitta maxsus belgini o'z ichiga olishi kerak.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute kamida :length belgilar bo'lishi va kamida bitta katta belgini, bitta raqamni va bitta maxsus belgini o'z ichiga olishi kerak.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute kamida :length belgi bo'lishi va kamida bitta katta belgini o'z ichiga olishi kerak.", + "The :attribute must be at least :length characters.": ":attribute kamida :length belgi bo'lishi kerak.", + "The provided password does not match your current password.": "Taqdim parol joriy parolni mos emas.", + "The provided password was incorrect.": "Taqdim etilgan parol noto'g'ri edi.", + "The provided two factor authentication code was invalid.": "Taqdim etilgan ikki faktorli autentifikatsiya kodi bekor qilindi." +} diff --git a/locales/uz_Cyrl/packages/jetstream.json b/locales/uz_Cyrl/packages/jetstream.json new file mode 100644 index 00000000000..11c7da09ad5 --- /dev/null +++ b/locales/uz_Cyrl/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Ro'yxatga olish paytida taqdim etilgan elektron pochta manziliga yangi tekshirish havolasi yuborildi.", + "Accept Invitation": "Taklifnomani Qabul Qiling", + "Add": "Qo'shish", + "Add a new team member to your team, allowing them to collaborate with you.": "Jamoangizga yangi jamoa a'zosini qo'shing, ularga siz bilan hamkorlik qilish imkonini beradi.", + "Add additional security to your account using two factor authentication.": "Ikki faktor autentifikatsiya yordamida hisobingizga qo'shimcha xavfsizlik qo'shish.", + "Add Team Member": "Jamoa A'zosini Qo'shish", + "Added.": "Qo'shib qo'ydi.", + "Administrator": "Administrator", + "Administrator users can perform any action.": "Administrator foydalanuvchilar har qanday amalni bajarishi mumkin.", + "All of the people that are part of this team.": "Bu jamoa tarkibiga kiruvchi barcha odamlar.", + "Already registered?": "Allaqachon ro'yxatdan o'tgan?", + "API Token": "API Ma'lumoti", + "API Token Permissions": "API Ma'lumoti Turishni", + "API Tokens": "API Tokens", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API ma'lumoti uchinchi tomon xizmatlariga sizning nomingizdan bizning dasturimiz bilan tasdiqlashga imkon beradi.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Agar bu jamoa o'chirish uchun ishonchingiz komilmi? Bir jamoa o'chirilgach, uning barcha resurslari va ma'lumotlari doimiy ravishda o'chiriladi.", + "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.": "Agar siz hisob o'chirish uchun ishonchingiz komilmi? Hisobingiz o'chirilgach, uning barcha resurslari va ma'lumotlari doimiy ravishda o'chiriladi. Agar doimiy hisobingizni o'chirish istardim tasdiqlash uchun parolni kiriting.", + "Are you sure you would like to delete this API token?": "Agar bu API ma'lumoti o'chirish uchun ishonchingiz komilmi?", + "Are you sure you would like to leave this team?": "Bu jamoadan ketishni hohlayotganingizga ishonchingiz komilmi?", + "Are you sure you would like to remove this person from the team?": "Agar jamoa bu kishini olib tashlash uchun istardim ishonchingiz komilmi?", + "Browser Sessions": "Brauzer Seanslari", + "Cancel": "Bekor qilish", + "Close": "Yaqin", + "Code": "Kodilar", + "Confirm": "Tasdiqlayman", + "Confirm Password": "Parolni Tasdiqlang", + "Create": "Yaratish", + "Create a new team to collaborate with others on projects.": "Loyihalar bo'yicha boshqalar bilan hamkorlik qilish uchun yangi jamoa yaratish.", + "Create Account": "Hisob Yaratish", + "Create API Token": "Yaratish API Ma'lumoti", + "Create New Team": "Yangi Jamoa Yaratish", + "Create Team": "Jamoa Yaratish", + "Created.": "Yaratgan.", + "Current Password": "Joriy Parol", + "Dashboard": "Dashboard", + "Delete": "O'chirish", + "Delete Account": "Hisob Qaydnomasini O'chirish", + "Delete API Token": "O'chirish API Ma'lumoti", + "Delete Team": "Jamoani O'chirish", + "Disable": "O'chirish", + "Done.": "Qilingan.", + "Editor": "Muharrir", + "Editor users have the ability to read, create, and update.": "Muharrir foydalanuvchilar o'qish imkoniga ega, yaratish, va yangilash.", + "Email": "E-pochta", + "Email Password Reset Link": "Email Parolni Tiklash Link", + "Enable": "Yoqish", + "Ensure your account is using a long, random password to stay secure.": "Hisob uzoq yordamida ishonch hosil qiling, xavfsiz qolish tasodifiy parol.", + "For your security, please confirm your password to continue.": "Sizning xavfsizlik uchun, davom ettirish uchun parolni tasdiqlash iltimos.", + "Forgot your password?": "Parolingizni unutdingizmi?", + "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.": "Parolingizni unutdingizmi? Hech qanday muammo. Faqat bizga elektron pochta manzilini xabar bering va biz sizga yangi tanlash imkonini beradi parol reset link elektron pochta qiladi.", + "Great! You have accepted the invitation to join the :team team.": "Buyuk! Siz :team jamoasiga qo'shilish taklifini qabul qildingiz.", + "I agree to the :terms_of_service and :privacy_policy": ":terms_of_service va :privacy_policy ga qo'shilaman", + "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.": "Agar kerak bo'lsa, siz qurilmalar barcha bo'ylab boshqa brauzer sessiyalari barcha chiqib kirishingiz mumkin. Sizning so'nggi sessiyalar ba'zi quyida keltirilgan; ammo, bu ro'yxat to'liq bo'lishi mumkin emas. Agar hisob xavf qilingan his bo'lsa, siz ham parolni yangilash kerak.", + "If you already have an account, you may accept this invitation by clicking the button below:": "Agar siz allaqachon hisobingiz bo'lsa, quyidagi tugmani bosish orqali ushbu taklifni qabul qilishingiz mumkin:", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Agar siz ushbu jamoaga taklif olishni kutmagan bo'lsangiz, ushbu elektron pochtani bekor qilishingiz mumkin.", + "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:": "Agar hisob bo'lmasa, agar quyidagi tugmani bosish birini yaratishingiz mumkin. Hisob yaratganingizdan so'ng, jamoa taklifini qabul qilish uchun ushbu e-pochtada taklifni qabul qilish tugmasini bosishingiz mumkin:", + "Last active": "Oxirgi faol", + "Last used": "Oxirgi ishlatilgan", + "Leave": "Tark etmoq", + "Leave Team": "Jamoani Tark Eting", + "Log in": "Kirishinkyu. com. ve", + "Log Out": "Log Out", + "Log Out Other Browser Sessions": "Boshqa Brauzer Sessiyalari Chiqib Kirish", + "Manage Account": "Hisob Boshqarish", + "Manage and log out your active sessions on other browsers and devices.": "Boshqarish va boshqa brauzerlar va qurilmalarda faol mashg'ulotlari chiqib kirish.", + "Manage API Tokens": "Boshqarish API Tokens", + "Manage Role": "Rol Boshqarish", + "Manage Team": "Jamoani Boshqarish", + "Name": "Nomlash", + "New Password": "Yangi Parol", + "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 jamoa o'chirilgach, uning barcha resurslari va ma'lumotlari doimiy ravishda o'chiriladi. Ushbu jamoani yo'q qilishdan oldin, iltimos, ushbu jamoa bilan bog'liq har qanday ma'lumot yoki ma'lumotni yuklab oling.", + "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.": "Hisobingiz o'chirilgach, uning barcha resurslari va ma'lumotlari doimiy ravishda o'chiriladi. Hisobingizni yo'q qilishdan oldin, iltimos, saqlab qolishni istagan har qanday ma'lumot yoki ma'lumotni yuklab oling.", + "Password": "Parolini", + "Pending Team Invitations": "Kutilayotganlar Jamoasi Taklifnomalari", + "Permanently delete this team.": "Doimiy ravishda bu jamoa o'chirish.", + "Permanently delete your account.": "Doimiy ravishda hisobingizni o'chirish.", + "Permissions": "Togri aytas", + "Photo": "Uzbekona. ve", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Iltimos, favqulodda tiklash kodlaringizdan biriga kirib hisobingizga kirishni tasdiqlang.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Sizning autentifikator dastur tomonidan taqdim autentifikatsiya kodni kirib hisobingizga kirishni tasdiqlash iltimos.", + "Please copy your new API token. For your security, it won't be shown again.": "Yangi API ma'lumoti nusxa iltimos. Sizning xavfsizlik uchun, u yana ko'rsatilgan bo'lmaydi.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Agar qurilmalar barcha bo'ylab boshqa brauzer sessiyalari chiqib kirish uchun istardim tasdiqlash uchun parolni kiriting.", + "Please provide the email address of the person you would like to add to this team.": "Iltimos, ushbu jamoaga qo'shmoqchi bo'lgan shaxsning elektron pochta manzilini taqdim eting.", + "Privacy Policy": "Maxfiylik Siyosati", + "Profile": "Profilga", + "Profile Information": "Profil Haqida Ma'lumot", + "Recovery Code": "Qayta Tiklash Kodi", + "Regenerate Recovery Codes": "Qayta Tiklash Kodlari", + "Register": "Ro'yxatdan o'tish", + "Remember me": "Esla meni", + "Remove": "Olib tashlash", + "Remove Photo": "Rasmni Olib Tashlash", + "Remove Team Member": "Team A'zosi Olib Tashlash", + "Resend Verification Email": "Resend Tekshirish Email", + "Reset Password": "Parolni Tiklash", + "Role": "Roliklar fattohhon", + "Save": "Saqlash", + "Saved.": "Saqlandi.", + "Select A New Photo": "Yangi Rasm Tanlang", + "Show Recovery Codes": "Tiklash Kodlarini Ko'rsatish", + "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.": "Xavfsiz parol menejeri bu qutqaruv kodlari saqlash. Sizning ikki faktor autentifikatsiya qurilma yo'qolgan bo'lsa, ular hisobingizga kirish saqlab qolish uchun foydalanish mumkin.", + "Switch Teams": "Komandalarni O'tish", + "Team Details": "Jamoaviy Tafsilotlar", + "Team Invitation": "Jamoaga Taklif", + "Team Members": "Jamoa A'zolari", + "Team Name": "Jamoa Nomi", + "Team Owner": "Jamoa Egasi", + "Team Settings": "Jamoa Sozlamalari", + "Terms of Service": "Xizmat ko'rsatish shartlari", + "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.": "Ro'yhatdan uchun rahmat! Ishga oldin, agar biz faqat sizga yuboriladi ulanishni bosgan elektron pochta manzilini tekshirish mumkin? Agar elektron pochta qabul qilmagan bo'lsa, biz mamnuniyat bilan sizga boshqa yuboradi.", + "The :attribute must be a valid role.": ":attribute haqiqiy rol bo'lishi kerak.", + "The :attribute must be at least :length characters and contain at least one number.": ":attribute kamida :length belgi bo'lishi va kamida bitta raqamni o'z ichiga olishi kerak.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute kamida :length belgi bo'lishi va kamida bitta maxsus belgi va bitta raqamni o'z ichiga olishi kerak.", + "The :attribute must be at least :length characters and contain at least one special character.": ":attribute kamida :length belgi bo'lishi va kamida bitta maxsus belgini o'z ichiga olishi kerak.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "The :attribute kamida bo'lishi kerak :length belgilar va kamida bir katta belgi va bir qator o'z ichiga.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute kamida :length belgi bo'lishi va kamida bitta katta belgi va bitta maxsus belgini o'z ichiga olishi kerak.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute kamida :length belgilar bo'lishi va kamida bitta katta belgini, bitta raqamni va bitta maxsus belgini o'z ichiga olishi kerak.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute kamida :length belgi bo'lishi va kamida bitta katta belgini o'z ichiga olishi kerak.", + "The :attribute must be at least :length characters.": ":attribute kamida :length belgi bo'lishi kerak.", + "The provided password does not match your current password.": "Taqdim parol joriy parolni mos emas.", + "The provided password was incorrect.": "Taqdim etilgan parol noto'g'ri edi.", + "The provided two factor authentication code was invalid.": "Taqdim etilgan ikki faktorli autentifikatsiya kodi bekor qilindi.", + "The team's name and owner information.": "Jamoaning nomi va egasi haqida ma'lumot.", + "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 odamlar sizning jamoasi taklif etildi va taklif elektron pochta yuborilgan. Elektron pochta taklifini qabul qilib jamoaga qo'shilishlari mumkin.", + "This device": "Ushbu qurilma", + "This is a secure area of the application. Please confirm your password before continuing.": "Bu dasturning xavfsiz maydoni. Davom ettirishdan oldin parolingizni tasdiqlang.", + "This password does not match our records.": "Ushbu parol bizning yozuvlarimizga mos kelmaydi.", + "This user already belongs to the team.": "Ushbu foydalanuvchi allaqachon jamoaga tegishli.", + "This user has already been invited to the team.": "Ushbu foydalanuvchi allaqachon jamoaga taklif qilingan.", + "Token Name": "Ma'lumoti Nomi", + "Two Factor Authentication": "Ikki Omil Autentifikatsiya", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Ikki omil autentifikatsiya endi yoqilgan. Telefoningiz authenticator dasturi yordamida quyidagi QR kodni Scan.", + "Update Password": "Parolni Yangilash", + "Update your account's profile information and email address.": "Sizning hisob profili ma'lumot va elektron pochta manzilini yangilash.", + "Use a recovery code": "Qayta tiklash kodidan foydalaning", + "Use an authentication code": "Autentifikatsiya kodidan foydalaning", + "We were unable to find a registered user with this email address.": "Biz ushbu elektron pochta manzili bilan ro'yxatdan o'tgan foydalanuvchini topa olmadik.", + "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.": "Ikki faktor autentifikatsiya yoqilgan bo'lsa, agar xavfsiz so'raladi, autentifikatsiya paytida tasodifiy belgi. Siz telefoningiz Google Authenticator qo'llash bu ma'lumoti olish mumkin.", + "Whoops! Something went wrong.": "Whoops! Nimadir noto'g'ri ketdi.", + "You have been invited to join the :team team!": "Siz :team jamoasiga taklif etilgansiz!", + "You have enabled two factor authentication.": "Siz ikki faktor autentifikatsiya yoqilgan bo'lishi.", + "You have not enabled two factor authentication.": "Siz ikki faktor autentifikatsiya yoqilgan yo'q.", + "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.": "Ular endi zarur bo'lsa, siz mavjud ma'lumoti har qanday o'chirish mumkin.", + "You may not delete your personal team.": "Siz shaxsiy jamoasi o'chirish mumkin emas.", + "You may not leave a team that you created.": "Siz yaratgan jamoani tark etmasligingiz mumkin." +} diff --git a/locales/uz_Cyrl/packages/nova.json b/locales/uz_Cyrl/packages/nova.json new file mode 100644 index 00000000000..33a678a9de9 --- /dev/null +++ b/locales/uz_Cyrl/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Kun", + "60 Days": "60 Kun", + "90 Days": "90 Kun", + ":amount Total": ":amount Jami", + ":resource Details": ":resource Tafsilotlarini", + ":resource Details: :title": ":resource Tafsilotlarini: :title", + "Action": "Harakat", + "Action Happened At": "Da Sodir", + "Action Initiated By": "Tashabbusi Bilan", + "Action Name": "Nomlash", + "Action Status": "Statuslari", + "Action Target": "Nishonov Maqsud", + "Actions": "Amallari", + "Add row": "Qator qo'shish", + "Afghanistan": "Afg'oniston", + "Aland Islands": "Åland Orollar", + "Albania": "Albaniya", + "Algeria": "Algeria degan", + "All resources loaded.": "Barcha manbalar Yuklangan.", + "American Samoa": "Amerika Samoa", + "An error occured while uploading the file.": "Faylni yuklashda xatolik yuz berdi.", + "Andorra": "Andorran", + "Angola": "Angolada", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Ushbu sahifa yuklanganidan beri boshqa foydalanuvchi ushbu manbani yangiladi. Iltimos, sahifani yangilang va qayta urinib ko'ring.", + "Antarctica": "Antarktida", + "Antigua And Barbuda": "Antigua va Barbuda", + "April": "April degan", + "Are you sure you want to delete the selected resources?": "Agar tanlangan resurslarni o'chirish uchun ishonchingiz komilmi?", + "Are you sure you want to delete this file?": "Agar bu faylni o'chirish uchun ishonchingiz komilmi?", + "Are you sure you want to delete this resource?": "Agar bu resurs o'chirish uchun ishonchingiz komilmi?", + "Are you sure you want to detach the selected resources?": "Agar tanlangan resurslarni ajratib olmoqchi ishonchingiz komilmi?", + "Are you sure you want to detach this resource?": "Ushbu resursni ajratib olishni xohlaysizmi?", + "Are you sure you want to force delete the selected resources?": "Agar tanlangan resurslarni o'chirish majbur ishonchingiz komilmi?", + "Are you sure you want to force delete this resource?": "Agar bu resurs o'chirish majbur qilish ishonchingiz komilmi?", + "Are you sure you want to restore the selected resources?": "Tanlangan resurslarni qayta tiklashni xohlaysizmi?", + "Are you sure you want to restore this resource?": "Ushbu resursni qayta tiklashni xohlaysizmi?", + "Are you sure you want to run this action?": "Agar bu harakatni ishlatish uchun ishonchingiz komilmi?", + "Argentina": "Argentina", + "Armenia": "Armaniston", + "Aruba": "Aruba", + "Attach": "Biriktiring", + "Attach & Attach Another": "Attach & Boshqa Biriktiring", + "Attach :resource": "Qo'shishingiz :resource", + "August": "Avgust oyi", + "Australia": "Avstraliya", + "Austria": "Avstriya", + "Azerbaijan": "Azamjon Abdullaev", + "Bahamas": "Bahamas", + "Bahrain": "Ummon", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgiya", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Butan", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius va Sábado", + "Bosnia And Herzegovina": "Bosniya va Gersegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Orol", + "Brazil": "Braziliya", + "British Indian Ocean Territory": "Britaniya Hind Okeani Hududi", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bolgariya", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Cameroon", + "Canada": "Kanada", + "Cancel": "Bekor qilish", + "Cape Verde": "Kabo-Berdi", + "Cayman Islands": "Cayman Orollar", + "Central African Republic": "Markaziy Afrika Respublikasi", + "Chad": "Chad", + "Changes": "O'zgarishlar", + "Chile": "Cile Ghilardi", + "China": "Xitoy", + "Choose": "Tanlash", + "Choose :field": ":field tanlash ", + "Choose :resource": ":resource tanlash ", + "Choose an option": "Variantni tanlang", + "Choose date": "Sana tanlang", + "Choose File": "Faylni Tanlang", + "Choose Type": "Turini Tanlang", + "Christmas Island": "Rojdestvo Orol", + "Click to choose": "Tanlash uchun bosing", + "Cocos (Keeling) Islands": "Cocos () Keeling Orollar", + "Colombia": "Kolumbiya", + "Comoros": "Comoros", + "Confirm Password": "Parolni Tasdiqlang", + "Congo": "Congo", + "Congo, Democratic Republic": "Kongo, Demokratik Respublikasi", + "Constant": "Doimiy", + "Cook Islands": "Kuk Orollari", + "Costa Rica": "Costa Gilgan", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "topib bo'lmadi.", + "Create": "Yaratish", + "Create & Add Another": "Yaratish & Boshqa Qo'shish", + "Create :resource": ":resource yaratish ", + "Croatia": "Xorvatiya", + "Cuba": "Cuba", + "Curaçao": "Curacao", + "Customize": "Moslashtiring", + "Cyprus": "Kipr", + "Czech Republic": "Czechia", + "Dashboard": "Dashboard", + "December": "Dekabr oyi", + "Decrease": "Kamayish", + "Delete": "O'chirish", + "Delete File": "Faylni O'chirish", + "Delete Resource": "Resurs O'chirish", + "Delete Selected": "Tanlangan O'chirish", + "Denmark": "Daniya", + "Detach": "Detach", + "Detach Resource": "Detach Resurs", + "Detach Selected": "Detach Tanlangan", + "Details": "Batafsil", + "Djibouti": "Jibuti", + "Do you really want to leave? You have unsaved changes.": "Agar chindan tark istaysizmi? Siz saqlanmagan o'zgarishlar bor.", + "Dominica": "Yakshanbalik", + "Dominican Republic": "Dominican Respublikasi", + "Download": "Yuklab olish", + "Ecuador": "Ekvadorda", + "Edit": "Edit. uz", + "Edit :resource": "Tahrir :resource", + "Edit Attached": "Tahrirlash Biriktirilgan", + "Egypt": "Misralar", + "El Salvador": "Salvador", + "Email Address": "Elektron Pochta Manzili", + "Equatorial Guinea": "Equatorial Gvineya", + "Eritrea": "Eritreya", + "Estonia": "Estoniya", + "Ethiopia": "Ethiopia", + "Falkland Islands (Malvinas)": "Falkland Orollari (Malvinas)", + "Faroe Islands": "Farer Orollari", + "February": "Fevral", + "Fiji": "Fidji Ghilardi", + "Finland": "Finlandiya", + "Force Delete": "Kuch O'chirish", + "Force Delete Resource": "Kuch O'chirish Resurs", + "Force Delete Selected": "Force Tanlangan O'chirish", + "Forgot Your Password?": "Parolingizni Unutdingizmi?", + "Forgot your password?": "Parolingizni unutdingizmi?", + "France": "Fransiya", + "French Guiana": "Fransuz Gvianasi", + "French Polynesia": "Fransuz Polineziyasi", + "French Southern Territories": "Fransiyaning Janubiy Hududlari", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Gurjiston", + "Germany": "Germaniya", + "Ghana": "Gana", + "Gibraltar": "Gibraltar", + "Go Home": "Uy Borish", + "Greece": "Gretsiya", + "Greenland": "Grenlandiya", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Gvatemala", + "Guernsey": "Guernsey", + "Guinea": "Gvineya", + "Guinea-Bissau": "Gvineya-Bissau", + "Guyana": "Guyana", + "Haiti": "Gaiti", + "Heard Island & Mcdonald Islands": "Heard Island va McDonald orollari", + "Hide Content": "Tarkibni Yashirish", + "Hold Up!": "Ushlab Turing!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Tarjima gonduras", + "Hong Kong": "Hong Kong", + "Hungary": "Vengriya", + "Iceland": "Islandiya", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "Agar parol tiklashni talab qilmagan bo'lsangiz, qo'shimcha harakat talab qilinmaydi.", + "Increase": "Oshirish", + "India": "Hindiston", + "Indonesia": "Indoneziya", + "Iran, Islamic Republic Of": "Eron", + "Iraq": "Iraqiyat", + "Ireland": "Irlandiya", + "Isle Of Man": "Inson ishle", + "Israel": "Isroil", + "Italy": "Italiya", + "Jamaica": "Yamayka", + "January": "Yanvar oyi", + "Japan": "Yaponiya", + "Jersey": "Jersi", + "Jordan": "Iordania degan", + "July": "Iyul oyi", + "June": "Iyun oyi", + "Kazakhstan": "Qozog'iston", + "Kenya": "Keniya", + "Key": "Klavishi", + "Kiribati": "Kiribati", + "Korea": "Janubiy Koreya", + "Korea, Democratic People's Republic of": "Shimoliy Koreya", + "Kosovo": "Kosovo", + "Kuwait": "Kuvayt", + "Kyrgyzstan": "Qirg'iziston", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latviya", + "Lebanon": "Livan", + "Lens": "Linza", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Liviya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litva", + "Load :perPage More": "Batafsil yuk :perPage ", + "Login": "Kirishima", + "Logout": "Chiqish", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia": "Shimoliy Makedoniya", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malayziya", + "Maldives": "Maldiv orollari", + "Mali": "Kichik", + "Malta": "Malta", + "March": "Yuriluv", + "Marshall Islands": "Marshall Orollari", + "Martinique": "Martinique", + "Mauritania": "Mavritaniya", + "Mauritius": "Mauritius", + "May": "Mayda-chuyda", + "Mayotte": "Mayotte", + "Mexico": "Mexmonlari", + "Micronesia, Federated States Of": "Micronesia", + "Moldova": "Moldova", + "Monaco": "Monaco", + "Mongolia": "Mo'g'uliston", + "Montenegro": "Chernogoriya", + "Month To Date": "Sanaga Oy", + "Montserrat": "Montserrat", + "Morocco": "Marokko", + "Mozambique": "Mozambik", + "Myanmar": "Myanma", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Niderlandlar", + "New": "Yangi", + "New :resource": "Yangi :resource", + "New Caledonia": "Yangi Kaledoniya", + "New Zealand": "Yangi Zelandiya", + "Next": "Keyingi", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeriya", + "Niue": "Niue", + "No": "Nashkiev. nu", + "No :resource matched the given criteria.": "Yo'q :resource berilgan mezonlarga mos.", + "No additional information...": "Hech qanday qo'shimcha ma'lumot...", + "No Current Data": "Hozirgi Ma'lumotlar Yo'q", + "No Data": "Ma'lumotlar Yo'q", + "no file selected": "fayl tanlanmagan", + "No Increase": "Ziyoda Yo'q", + "No Prior Data": "Oldindan Ma'lumotlar Yo'q", + "No Results Found.": "Hech Qanday Natija Topilmadi.", + "Norfolk Island": "Norfolk Oroli", + "Northern Mariana Islands": "Shimoliy Mariana Orollari", + "Norway": "Norvegiya", + "Nova User": "Nova Foydalanuvchi", + "November": "Noyabr", + "October": "Oktiyabr", + "of": "to'g'risida", + "Oman": "Ummon-ayriliq", + "Only Trashed": "Faqat Trashed", + "Original": "Original", + "Pakistan": "Pokiston", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Falastin Hududlari", + "Panama": "Panamada", + "Papua New Guinea": "Papua Yangi Gvineya", + "Paraguay": "Ta Paragvay", + "Password": "Parolini", + "Per Page": "Sahifa Boshiga", + "Peru": "Peru", + "Philippines": "Filippin", + "Pitcairn": "Pitkern Orollari", + "Poland": "Polsha", + "Portugal": "Portugaliya", + "Press \/ to search": "Matbuot \/ qidirish uchun", + "Preview": "Oldindan ko'rish", + "Previous": "Avvalgi", + "Puerto Rico": "Puerto Olib Keldi", + "Qatar": "Qatar", + "Quarter To Date": "Bugungi Kunga Qadar Chorak", + "Reload": "Reload", + "Remember Me": "Esla Meni", + "Reset Filters": "Reset Filtrlar", + "Reset Password": "Parolni Tiklash", + "Reset Password Notification": "Parolni Xabarnoma Qayta O'rnatish", + "resource": "manba", + "Resources": "Manbalar", + "resources": "manbalar", + "Restore": "Qayta tiklash", + "Restore Resource": "Resurs Tiklash", + "Restore Selected": "Tanlangan Tiklash", + "Reunion": "Uchrashuv", + "Romania": "Ruminiya", + "Run Action": "Ishlatish Harakat", + "Russian Federation": "Rossiya Federatsiyasi", + "Rwanda": "Ruanda degan", + "Saint Barthelemy": "Sankt-Barthélemy", + "Saint Helena": "Sankt-Helena", + "Saint Kitts And Nevis": "Sankt-Kitts va Nevis", + "Saint Lucia": "Sankt Sit", + "Saint Martin": "Sankt Martin", + "Saint Pierre And Miquelon": "Sankt-Pierre va Miquelon", + "Saint Vincent And Grenadines": "St Vinsent va Grenadinlar", + "Samoa": "Samoa", + "San Marino": "San-Marino", + "Sao Tome And Principe": "São Tomé va Príncipe", + "Saudi Arabia": "Saudiya Arabistoni", + "Search": "Izu-Oshima", + "Select Action": "Tanlang Harakat", + "Select All": "Hammasini Tanlang", + "Select All Matching": "Barcha Taalukli Tanlang", + "Send Password Reset Link": "Parolni Tiklash Linkini Yuborish", + "Senegal": "Senegal", + "September": "Sentyabr", + "Serbia": "Serbiya", + "Seychelles": "Seychelles", + "Show All Fields": "Barcha Maydonlarni Ko'rsatish", + "Show Content": "Tarkibni Ko'rsatish", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapur", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovakiya", + "Slovenia": "Slovenia", + "Solomon Islands": "Sulaymon Orollari", + "Somalia": "Somalida", + "Something went wrong.": "Nimadir noto'g'ri ketdi.", + "Sorry! You are not authorized to perform this action.": "Kechirasiz! Siz bu harakatni amalga oshirish uchun vakolatli emas.", + "Sorry, your session has expired.": "Kechirasiz, sessiyangiz tugadi.", + "South Africa": "Janubiy Afrika", + "South Georgia And Sandwich Isl.": "Janubiy Gruziya va Janubiy sendvich orollari", + "South Sudan": "Janubiy Sudan", + "Spain": "Ispaniya", + "Sri Lanka": "Shri Lanka", + "Start Polling": "Saylovni Boshlash", + "Stop Polling": "Saylovni To'xtatish", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard va Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Shvetsiya", + "Switzerland": "Shveytsariya", + "Syrian Arab Republic": "Suriya", + "Taiwan": "Taiwan degan", + "Tajikistan": "Tojikiston", + "Tanzania": "Tanzaniya", + "Thailand": "Tayland", + "The :resource was created!": "Bu :resource yaratilgan edi!", + "The :resource was deleted!": "Bu :resource o'chirildi edi!", + "The :resource was restored!": "Bu :resource qayta tiklandi!", + "The :resource was updated!": "Bu :resource yangilangan edi!", + "The action ran successfully!": "Harakat muvaffaqiyatli yugurdi!", + "The file was deleted!": "Fayl o'chirildi!", + "The government won't let us show you what's behind these doors": "Hukumat bizga bu eshiklar ortida nima sizga ko \" rsatish ruxsat bermaydi", + "The HasOne relationship has already been filled.": "HasOne munosabatlar allaqachon to'lgan qilindi.", + "The resource was updated!": "Resurs yangilandi!", + "There are no available options for this resource.": "Ushbu resurs uchun mavjud variantlar mavjud emas.", + "There was a problem executing the action.": "Harakatni bajarishda muammo yuzaga keldi.", + "There was a problem submitting the form.": "Shaklni topshirishda muammo yuzaga keldi.", + "This file field is read-only.": "Ushbu fayl maydoni faqat o'qiladi.", + "This image": "Ushbu rasm", + "This resource no longer exists": "Ushbu resurs endi mavjud emas", + "Timor-Leste": "Timor-Leste", + "Today": "Bugun-nig", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Kelinglar", + "total": "jami", + "Trashed": "Trashed", + "Trinidad And Tobago": "Trinidad va Tobago", + "Tunisia": "Tunisia degan", + "Turkey": "Turkiye", + "Turkmenistan": "Turkmaniston", + "Turks And Caicos Islands": "Turklar va Kaykos orollari", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraina", + "United Arab Emirates": "Birlashgan Arab Amirliklari", + "United Kingdom": "Buyuk Britaniya", + "United States": "Uzbekona. Edu. Ve", + "United States Outlying Islands": "AQSH Outlying Orollar", + "Update": "Yangilash", + "Update & Continue Editing": "Yangilash Va Tahrirlash Davom", + "Update :resource": "Yangilash :resource", + "Update :resource: :title": "Yangilash :resource: :title", + "Update attached :resource: :title": "Yangilash :resource biriktirilgan: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekiston", + "Value": "Qadr-qimmatim", + "Vanuatu": "Vanuatu", + "Venezuela": "Venesuela", + "Viet Nam": "Vietnam", + "View": "Nazarbek", + "Virgin Islands, British": "Britaniya Virgin Orollari", + "Virgin Islands, U.S.": "AQSH Virgin Orollari", + "Wallis And Futuna": "Wallis va Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Kosmosda adashib qoldik. Agar ko'rish uchun harakat qilindi sahifa mavjud emas.", + "Welcome Back!": "Orqaga Xush Kelibsiz!", + "Western Sahara": "G'arbiy Sahara", + "Whoops": "Whoops", + "Whoops!": "Whoops!", + "With Trashed": "Trashed Bilan ", + "Write": "Yozish", + "Year To Date": "Sanaga Yil", + "Yemen": "Yemeni", + "Yes": "Ha mayli", + "You are receiving this email because we received a password reset request for your account.": "Biz sizning hisob uchun parol reset so'rov qabul chunki siz bu elektron pochta qabul qilinadi.", + "Zambia": "Zambiya", + "Zimbabwe": "Zimbabve" +} diff --git a/locales/uz_Cyrl/packages/spark-paddle.json b/locales/uz_Cyrl/packages/spark-paddle.json new file mode 100644 index 00000000000..a19fa258348 --- /dev/null +++ b/locales/uz_Cyrl/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Xizmat ko'rsatish shartlari", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Whoops! Nimadir noto'g'ri ketdi.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/uz_Cyrl/packages/spark-stripe.json b/locales/uz_Cyrl/packages/spark-stripe.json new file mode 100644 index 00000000000..8c52e07d789 --- /dev/null +++ b/locales/uz_Cyrl/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afg'oniston", + "Albania": "Albaniya", + "Algeria": "Algeria degan", + "American Samoa": "Amerika Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorran", + "Angola": "Angolada", + "Anguilla": "Anguilla", + "Antarctica": "Antarktida", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armaniston", + "Aruba": "Aruba", + "Australia": "Avstraliya", + "Austria": "Avstriya", + "Azerbaijan": "Azamjon Abdullaev", + "Bahamas": "Bahamas", + "Bahrain": "Ummon", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgiya", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Butan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Orol", + "Brazil": "Braziliya", + "British Indian Ocean Territory": "Britaniya Hind Okeani Hududi", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bolgariya", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Cameroon", + "Canada": "Kanada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Kabo-Berdi", + "Card": "Kart-Saisiyat", + "Cayman Islands": "Cayman Orollar", + "Central African Republic": "Markaziy Afrika Respublikasi", + "Chad": "Chad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Cile Ghilardi", + "China": "Xitoy", + "Christmas Island": "Rojdestvo Orol", + "City": "City", + "Cocos (Keeling) Islands": "Cocos () Keeling Orollar", + "Colombia": "Kolumbiya", + "Comoros": "Comoros", + "Confirm Payment": "To'lovni Tasdiqlash", + "Confirm your :amount payment": ":amount siz to'lovni tasdiqlang ", + "Congo": "Congo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Kuk Orollari", + "Costa Rica": "Costa Gilgan", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Xorvatiya", + "Cuba": "Cuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Kipr", + "Czech Republic": "Czechia", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Daniya", + "Djibouti": "Jibuti", + "Dominica": "Yakshanbalik", + "Dominican Republic": "Dominican Respublikasi", + "Download Receipt": "Download Receipt", + "Ecuador": "Ekvadorda", + "Egypt": "Misralar", + "El Salvador": "Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Equatorial Gvineya", + "Eritrea": "Eritreya", + "Estonia": "Estoniya", + "Ethiopia": "Ethiopia", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Qo'shimcha tasdiqlash to'lov qayta ishlash uchun zarur bo'lgan. Quyidagi tugmani bosish orqali to'lov sahifasiga davom iltimos.", + "Falkland Islands (Malvinas)": "Falkland Orollari (Malvinas)", + "Faroe Islands": "Farer Orollari", + "Fiji": "Fidji Ghilardi", + "Finland": "Finlandiya", + "France": "Fransiya", + "French Guiana": "Fransuz Gvianasi", + "French Polynesia": "Fransuz Polineziyasi", + "French Southern Territories": "Fransiyaning Janubiy Hududlari", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Gurjiston", + "Germany": "Germaniya", + "Ghana": "Gana", + "Gibraltar": "Gibraltar", + "Greece": "Gretsiya", + "Greenland": "Grenlandiya", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Gvatemala", + "Guernsey": "Guernsey", + "Guinea": "Gvineya", + "Guinea-Bissau": "Gvineya-Bissau", + "Guyana": "Guyana", + "Haiti": "Gaiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Tarjima gonduras", + "Hong Kong": "Hong Kong", + "Hungary": "Vengriya", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Islandiya", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Hindiston", + "Indonesia": "Indoneziya", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Iraqiyat", + "Ireland": "Irlandiya", + "Isle of Man": "Isle of Man", + "Israel": "Isroil", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italiya", + "Jamaica": "Yamayka", + "Japan": "Yaponiya", + "Jersey": "Jersi", + "Jordan": "Iordania degan", + "Kazakhstan": "Qozog'iston", + "Kenya": "Keniya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Shimoliy Koreya", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuvayt", + "Kyrgyzstan": "Qirg'iziston", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latviya", + "Lebanon": "Livan", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Liviya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litva", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malayziya", + "Maldives": "Maldiv orollari", + "Mali": "Kichik", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marshall Orollari", + "Martinique": "Martinique", + "Mauritania": "Mavritaniya", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mexmonlari", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monaco", + "Mongolia": "Mo'g'uliston", + "Montenegro": "Chernogoriya", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Marokko", + "Mozambique": "Mozambik", + "Myanmar": "Myanma", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Niderlandlar", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Yangi Kaledoniya", + "New Zealand": "Yangi Zelandiya", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeriya", + "Niue": "Niue", + "Norfolk Island": "Norfolk Oroli", + "Northern Mariana Islands": "Shimoliy Mariana Orollari", + "Norway": "Norvegiya", + "Oman": "Ummon-ayriliq", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pokiston", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Falastin Hududlari", + "Panama": "Panamada", + "Papua New Guinea": "Papua Yangi Gvineya", + "Paraguay": "Ta Paragvay", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Filippin", + "Pitcairn": "Pitkern Orollari", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Polsha", + "Portugal": "Portugaliya", + "Puerto Rico": "Puerto Olib Keldi", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Ruminiya", + "Russian Federation": "Rossiya Federatsiyasi", + "Rwanda": "Ruanda degan", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Sankt-Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Sankt Sit", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San-Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saudiya Arabistoni", + "Save": "Saqlash", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbiya", + "Seychelles": "Seychelles", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapur", + "Slovakia": "Slovakiya", + "Slovenia": "Slovenia", + "Solomon Islands": "Sulaymon Orollari", + "Somalia": "Somalida", + "South Africa": "Janubiy Afrika", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Ispaniya", + "Sri Lanka": "Shri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Shvetsiya", + "Switzerland": "Shveytsariya", + "Syrian Arab Republic": "Suriya", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tojikiston", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Xizmat ko'rsatish shartlari", + "Thailand": "Tayland", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Kelinglar", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia degan", + "Turkey": "Turkiye", + "Turkmenistan": "Turkmaniston", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraina", + "United Arab Emirates": "Birlashgan Arab Amirliklari", + "United Kingdom": "Buyuk Britaniya", + "United States": "Uzbekona. Edu. Ve", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Yangilash", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekiston", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Britaniya Virgin Orollari", + "Virgin Islands, U.S.": "AQSH Virgin Orollari", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "G'arbiy Sahara", + "Whoops! Something went wrong.": "Whoops! Nimadir noto'g'ri ketdi.", + "Yearly": "Yearly", + "Yemen": "Yemeni", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambiya", + "Zimbabwe": "Zimbabve", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/uz_Cyrl/uz_Cyrl.json b/locales/uz_Cyrl/uz_Cyrl.json index 703a5a0b382..1b3b83c56c1 100644 --- a/locales/uz_Cyrl/uz_Cyrl.json +++ b/locales/uz_Cyrl/uz_Cyrl.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Kun", - "60 Days": "60 Kun", - "90 Days": "90 Kun", - ":amount Total": ":amount Jami", - ":days day trial": ":days day trial", - ":resource Details": ":resource Tafsilotlarini", - ":resource Details: :title": ":resource Tafsilotlarini: :title", "A fresh verification link has been sent to your email address.": "Elektron pochta manzilingizga yangi tekshiruv havolasi yuborildi.", - "A new verification link has been sent to the email address you provided during registration.": "Ro'yxatga olish paytida taqdim etilgan elektron pochta manziliga yangi tekshirish havolasi yuborildi.", - "Accept Invitation": "Taklifnomani Qabul Qiling", - "Action": "Harakat", - "Action Happened At": "Da Sodir", - "Action Initiated By": "Tashabbusi Bilan", - "Action Name": "Nomlash", - "Action Status": "Statuslari", - "Action Target": "Nishonov Maqsud", - "Actions": "Amallari", - "Add": "Qo'shish", - "Add a new team member to your team, allowing them to collaborate with you.": "Jamoangizga yangi jamoa a'zosini qo'shing, ularga siz bilan hamkorlik qilish imkonini beradi.", - "Add additional security to your account using two factor authentication.": "Ikki faktor autentifikatsiya yordamida hisobingizga qo'shimcha xavfsizlik qo'shish.", - "Add row": "Qator qo'shish", - "Add Team Member": "Jamoa A'zosini Qo'shish", - "Add VAT Number": "Add VAT Number", - "Added.": "Qo'shib qo'ydi.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administrator", - "Administrator users can perform any action.": "Administrator foydalanuvchilar har qanday amalni bajarishi mumkin.", - "Afghanistan": "Afg'oniston", - "Aland Islands": "Åland Orollar", - "Albania": "Albaniya", - "Algeria": "Algeria degan", - "All of the people that are part of this team.": "Bu jamoa tarkibiga kiruvchi barcha odamlar.", - "All resources loaded.": "Barcha manbalar Yuklangan.", - "All rights reserved.": "Butunsinavlar.Co. ve", - "Already registered?": "Allaqachon ro'yxatdan o'tgan?", - "American Samoa": "Amerika Samoa", - "An error occured while uploading the file.": "Faylni yuklashda xatolik yuz berdi.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorran", - "Angola": "Angolada", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Ushbu sahifa yuklanganidan beri boshqa foydalanuvchi ushbu manbani yangiladi. Iltimos, sahifani yangilang va qayta urinib ko'ring.", - "Antarctica": "Antarktida", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua va Barbuda", - "API Token": "API Ma'lumoti", - "API Token Permissions": "API Ma'lumoti Turishni", - "API Tokens": "API Tokens", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API ma'lumoti uchinchi tomon xizmatlariga sizning nomingizdan bizning dasturimiz bilan tasdiqlashga imkon beradi.", - "April": "April degan", - "Are you sure you want to delete the selected resources?": "Agar tanlangan resurslarni o'chirish uchun ishonchingiz komilmi?", - "Are you sure you want to delete this file?": "Agar bu faylni o'chirish uchun ishonchingiz komilmi?", - "Are you sure you want to delete this resource?": "Agar bu resurs o'chirish uchun ishonchingiz komilmi?", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Agar bu jamoa o'chirish uchun ishonchingiz komilmi? Bir jamoa o'chirilgach, uning barcha resurslari va ma'lumotlari doimiy ravishda o'chiriladi.", - "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.": "Agar siz hisob o'chirish uchun ishonchingiz komilmi? Hisobingiz o'chirilgach, uning barcha resurslari va ma'lumotlari doimiy ravishda o'chiriladi. Agar doimiy hisobingizni o'chirish istardim tasdiqlash uchun parolni kiriting.", - "Are you sure you want to detach the selected resources?": "Agar tanlangan resurslarni ajratib olmoqchi ishonchingiz komilmi?", - "Are you sure you want to detach this resource?": "Ushbu resursni ajratib olishni xohlaysizmi?", - "Are you sure you want to force delete the selected resources?": "Agar tanlangan resurslarni o'chirish majbur ishonchingiz komilmi?", - "Are you sure you want to force delete this resource?": "Agar bu resurs o'chirish majbur qilish ishonchingiz komilmi?", - "Are you sure you want to restore the selected resources?": "Tanlangan resurslarni qayta tiklashni xohlaysizmi?", - "Are you sure you want to restore this resource?": "Ushbu resursni qayta tiklashni xohlaysizmi?", - "Are you sure you want to run this action?": "Agar bu harakatni ishlatish uchun ishonchingiz komilmi?", - "Are you sure you would like to delete this API token?": "Agar bu API ma'lumoti o'chirish uchun ishonchingiz komilmi?", - "Are you sure you would like to leave this team?": "Bu jamoadan ketishni hohlayotganingizga ishonchingiz komilmi?", - "Are you sure you would like to remove this person from the team?": "Agar jamoa bu kishini olib tashlash uchun istardim ishonchingiz komilmi?", - "Argentina": "Argentina", - "Armenia": "Armaniston", - "Aruba": "Aruba", - "Attach": "Biriktiring", - "Attach & Attach Another": "Attach & Boshqa Biriktiring", - "Attach :resource": "Qo'shishingiz :resource", - "August": "Avgust oyi", - "Australia": "Avstraliya", - "Austria": "Avstriya", - "Azerbaijan": "Azamjon Abdullaev", - "Bahamas": "Bahamas", - "Bahrain": "Ummon", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Davom etishdan oldin, bir tekshirish link uchun elektron pochta tekshiring.", - "Belarus": "Belarus", - "Belgium": "Belgiya", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Butan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius va Sábado", - "Bosnia And Herzegovina": "Bosniya va Gersegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvet Orol", - "Brazil": "Braziliya", - "British Indian Ocean Territory": "Britaniya Hind Okeani Hududi", - "Browser Sessions": "Brauzer Seanslari", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bolgariya", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Cambodia", - "Cameroon": "Cameroon", - "Canada": "Kanada", - "Cancel": "Bekor qilish", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Kabo-Berdi", - "Card": "Kart-Saisiyat", - "Cayman Islands": "Cayman Orollar", - "Central African Republic": "Markaziy Afrika Respublikasi", - "Chad": "Chad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "O'zgarishlar", - "Chile": "Cile Ghilardi", - "China": "Xitoy", - "Choose": "Tanlash", - "Choose :field": ":field tanlash ", - "Choose :resource": ":resource tanlash ", - "Choose an option": "Variantni tanlang", - "Choose date": "Sana tanlang", - "Choose File": "Faylni Tanlang", - "Choose Type": "Turini Tanlang", - "Christmas Island": "Rojdestvo Orol", - "City": "City", "click here to request another": "boshqa so'rov uchun shu yerni bosing", - "Click to choose": "Tanlash uchun bosing", - "Close": "Yaqin", - "Cocos (Keeling) Islands": "Cocos () Keeling Orollar", - "Code": "Kodilar", - "Colombia": "Kolumbiya", - "Comoros": "Comoros", - "Confirm": "Tasdiqlayman", - "Confirm Password": "Parolni Tasdiqlang", - "Confirm Payment": "To'lovni Tasdiqlash", - "Confirm your :amount payment": ":amount siz to'lovni tasdiqlang ", - "Congo": "Congo", - "Congo, Democratic Republic": "Kongo, Demokratik Respublikasi", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Doimiy", - "Cook Islands": "Kuk Orollari", - "Costa Rica": "Costa Gilgan", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "topib bo'lmadi.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Yaratish", - "Create & Add Another": "Yaratish & Boshqa Qo'shish", - "Create :resource": ":resource yaratish ", - "Create a new team to collaborate with others on projects.": "Loyihalar bo'yicha boshqalar bilan hamkorlik qilish uchun yangi jamoa yaratish.", - "Create Account": "Hisob Yaratish", - "Create API Token": "Yaratish API Ma'lumoti", - "Create New Team": "Yangi Jamoa Yaratish", - "Create Team": "Jamoa Yaratish", - "Created.": "Yaratgan.", - "Croatia": "Xorvatiya", - "Cuba": "Cuba", - "Curaçao": "Curacao", - "Current Password": "Joriy Parol", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Moslashtiring", - "Cyprus": "Kipr", - "Czech Republic": "Czechia", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Dashboard", - "December": "Dekabr oyi", - "Decrease": "Kamayish", - "Delete": "O'chirish", - "Delete Account": "Hisob Qaydnomasini O'chirish", - "Delete API Token": "O'chirish API Ma'lumoti", - "Delete File": "Faylni O'chirish", - "Delete Resource": "Resurs O'chirish", - "Delete Selected": "Tanlangan O'chirish", - "Delete Team": "Jamoani O'chirish", - "Denmark": "Daniya", - "Detach": "Detach", - "Detach Resource": "Detach Resurs", - "Detach Selected": "Detach Tanlangan", - "Details": "Batafsil", - "Disable": "O'chirish", - "Djibouti": "Jibuti", - "Do you really want to leave? You have unsaved changes.": "Agar chindan tark istaysizmi? Siz saqlanmagan o'zgarishlar bor.", - "Dominica": "Yakshanbalik", - "Dominican Republic": "Dominican Respublikasi", - "Done.": "Qilingan.", - "Download": "Yuklab olish", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-Mail Manzil", - "Ecuador": "Ekvadorda", - "Edit": "Edit. uz", - "Edit :resource": "Tahrir :resource", - "Edit Attached": "Tahrirlash Biriktirilgan", - "Editor": "Muharrir", - "Editor users have the ability to read, create, and update.": "Muharrir foydalanuvchilar o'qish imkoniga ega, yaratish, va yangilash.", - "Egypt": "Misralar", - "El Salvador": "Salvador", - "Email": "E-pochta", - "Email Address": "Elektron Pochta Manzili", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Email Parolni Tiklash Link", - "Enable": "Yoqish", - "Ensure your account is using a long, random password to stay secure.": "Hisob uzoq yordamida ishonch hosil qiling, xavfsiz qolish tasodifiy parol.", - "Equatorial Guinea": "Equatorial Gvineya", - "Eritrea": "Eritreya", - "Estonia": "Estoniya", - "Ethiopia": "Ethiopia", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Qo'shimcha tasdiqlash to'lov qayta ishlash uchun zarur bo'lgan. Quyidagi to'lov ma'lumotlarini to'ldirib, to'lovni tasdiqlang.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Qo'shimcha tasdiqlash to'lov qayta ishlash uchun zarur bo'lgan. Quyidagi tugmani bosish orqali to'lov sahifasiga davom iltimos.", - "Falkland Islands (Malvinas)": "Falkland Orollari (Malvinas)", - "Faroe Islands": "Farer Orollari", - "February": "Fevral", - "Fiji": "Fidji Ghilardi", - "Finland": "Finlandiya", - "For your security, please confirm your password to continue.": "Sizning xavfsizlik uchun, davom ettirish uchun parolni tasdiqlash iltimos.", "Forbidden": "Harom qilingan", - "Force Delete": "Kuch O'chirish", - "Force Delete Resource": "Kuch O'chirish Resurs", - "Force Delete Selected": "Force Tanlangan O'chirish", - "Forgot Your Password?": "Parolingizni Unutdingizmi?", - "Forgot your password?": "Parolingizni unutdingizmi?", - "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.": "Parolingizni unutdingizmi? Hech qanday muammo. Faqat bizga elektron pochta manzilini xabar bering va biz sizga yangi tanlash imkonini beradi parol reset link elektron pochta qiladi.", - "France": "Fransiya", - "French Guiana": "Fransuz Gvianasi", - "French Polynesia": "Fransuz Polineziyasi", - "French Southern Territories": "Fransiyaning Janubiy Hududlari", - "Full name": "To'liq ismi", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Gurjiston", - "Germany": "Germaniya", - "Ghana": "Gana", - "Gibraltar": "Gibraltar", - "Go back": "Orqaga qaytish", - "Go Home": "Uy Borish", "Go to page :page": "Sahifa :page borish ", - "Great! You have accepted the invitation to join the :team team.": "Buyuk! Siz :team jamoasiga qo'shilish taklifini qabul qildingiz.", - "Greece": "Gretsiya", - "Greenland": "Grenlandiya", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Gvatemala", - "Guernsey": "Guernsey", - "Guinea": "Gvineya", - "Guinea-Bissau": "Gvineya-Bissau", - "Guyana": "Guyana", - "Haiti": "Gaiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Heard Island va McDonald orollari", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Salomlashamiz!", - "Hide Content": "Tarkibni Yashirish", - "Hold Up!": "Ushlab Turing!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Tarjima gonduras", - "Hong Kong": "Hong Kong", - "Hungary": "Vengriya", - "I agree to the :terms_of_service and :privacy_policy": ":terms_of_service va :privacy_policy ga qo'shilaman", - "Iceland": "Islandiya", - "ID": "ID", - "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.": "Agar kerak bo'lsa, siz qurilmalar barcha bo'ylab boshqa brauzer sessiyalari barcha chiqib kirishingiz mumkin. Sizning so'nggi sessiyalar ba'zi quyida keltirilgan; ammo, bu ro'yxat to'liq bo'lishi mumkin emas. Agar hisob xavf qilingan his bo'lsa, siz ham parolni yangilash kerak.", "If necessary, you may logout 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.": "Agar kerak bo'lsa, siz qurilmalar barcha bo'ylab boshqa brauzer sessiyalari barcha chiqish mumkin. Sizning so'nggi sessiyalar ba'zi quyida keltirilgan; ammo, bu ro'yxat to'liq bo'lishi mumkin emas. Agar hisob xavf qilingan his bo'lsa, siz ham parolni yangilash kerak.", - "If you already have an account, you may accept this invitation by clicking the button below:": "Agar siz allaqachon hisobingiz bo'lsa, quyidagi tugmani bosish orqali ushbu taklifni qabul qilishingiz mumkin:", "If you did not create an account, no further action is required.": "Agar hisob yaratish bermadi bo'lsa, hech yanada harakat talab qilinadi.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Agar siz ushbu jamoaga taklif olishni kutmagan bo'lsangiz, ushbu elektron pochtani bekor qilishingiz mumkin.", "If you did not receive the email": "Emailni olmagan bo'lsangiz", - "If you did not request a password reset, no further action is required.": "Agar parol tiklashni talab qilmagan bo'lsangiz, qo'shimcha harakat talab qilinmaydi.", - "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:": "Agar hisob bo'lmasa, agar quyidagi tugmani bosish birini yaratishingiz mumkin. Hisob yaratganingizdan so'ng, jamoa taklifini qabul qilish uchun ushbu e-pochtada taklifni qabul qilish tugmasini bosishingiz mumkin:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Agar muammo \":actionText\" tugmasini bosish ega bo'lsangiz, nusxa va quyidagi URL joylashtirish\nveb-brauzeringiz ichiga:", - "Increase": "Oshirish", - "India": "Hindiston", - "Indonesia": "Indoneziya", "Invalid signature.": "Haqiqiy emas imzo.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Eron", - "Iraq": "Iraqiyat", - "Ireland": "Irlandiya", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Inson ishle", - "Israel": "Isroil", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italiya", - "Jamaica": "Yamayka", - "January": "Yanvar oyi", - "Japan": "Yaponiya", - "Jersey": "Jersi", - "Jordan": "Iordania degan", - "July": "Iyul oyi", - "June": "Iyun oyi", - "Kazakhstan": "Qozog'iston", - "Kenya": "Keniya", - "Key": "Klavishi", - "Kiribati": "Kiribati", - "Korea": "Janubiy Koreya", - "Korea, Democratic People's Republic of": "Shimoliy Koreya", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuvayt", - "Kyrgyzstan": "Qirg'iziston", - "Lao People's Democratic Republic": "Laos", - "Last active": "Oxirgi faol", - "Last used": "Oxirgi ishlatilgan", - "Latvia": "Latviya", - "Leave": "Tark etmoq", - "Leave Team": "Jamoani Tark Eting", - "Lebanon": "Livan", - "Lens": "Linza", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Liviya", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Litva", - "Load :perPage More": "Batafsil yuk :perPage ", - "Log in": "Kirishinkyu. com. ve", "Log out": "Log out", - "Log Out": "Log Out", - "Log Out Other Browser Sessions": "Boshqa Brauzer Sessiyalari Chiqib Kirish", - "Login": "Kirishima", - "Logout": "Chiqish", "Logout Other Browser Sessions": "Logout Boshqa Brauzer Sessiyalari", - "Luxembourg": "Luxembourg", - "Macao": "Macao", - "Macedonia": "Shimoliy Makedoniya", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagascar", - "Malawi": "Malawi", - "Malaysia": "Malayziya", - "Maldives": "Maldiv orollari", - "Mali": "Kichik", - "Malta": "Malta", - "Manage Account": "Hisob Boshqarish", - "Manage and log out your active sessions on other browsers and devices.": "Boshqarish va boshqa brauzerlar va qurilmalarda faol mashg'ulotlari chiqib kirish.", "Manage and logout your active sessions on other browsers and devices.": "Boshqarish va boshqa brauzerlar va qurilmalarda faol mashg'ulotlari chiqish.", - "Manage API Tokens": "Boshqarish API Tokens", - "Manage Role": "Rol Boshqarish", - "Manage Team": "Jamoani Boshqarish", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Yuriluv", - "Marshall Islands": "Marshall Orollari", - "Martinique": "Martinique", - "Mauritania": "Mavritaniya", - "Mauritius": "Mauritius", - "May": "Mayda-chuyda", - "Mayotte": "Mayotte", - "Mexico": "Mexmonlari", - "Micronesia, Federated States Of": "Micronesia", - "Moldova": "Moldova", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monaco", - "Mongolia": "Mo'g'uliston", - "Montenegro": "Chernogoriya", - "Month To Date": "Sanaga Oy", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Marokko", - "Mozambique": "Mozambik", - "Myanmar": "Myanma", - "Name": "Nomlash", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Niderlandlar", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Hech qisi yo'q", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Yangi", - "New :resource": "Yangi :resource", - "New Caledonia": "Yangi Kaledoniya", - "New Password": "Yangi Parol", - "New Zealand": "Yangi Zelandiya", - "Next": "Keyingi", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigeriya", - "Niue": "Niue", - "No": "Nashkiev. nu", - "No :resource matched the given criteria.": "Yo'q :resource berilgan mezonlarga mos.", - "No additional information...": "Hech qanday qo'shimcha ma'lumot...", - "No Current Data": "Hozirgi Ma'lumotlar Yo'q", - "No Data": "Ma'lumotlar Yo'q", - "no file selected": "fayl tanlanmagan", - "No Increase": "Ziyoda Yo'q", - "No Prior Data": "Oldindan Ma'lumotlar Yo'q", - "No Results Found.": "Hech Qanday Natija Topilmadi.", - "Norfolk Island": "Norfolk Oroli", - "Northern Mariana Islands": "Shimoliy Mariana Orollari", - "Norway": "Norvegiya", "Not Found": "Topilmagan", - "Nova User": "Nova Foydalanuvchi", - "November": "Noyabr", - "October": "Oktiyabr", - "of": "to'g'risida", "Oh no": "Oh yo'q", - "Oman": "Ummon-ayriliq", - "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 jamoa o'chirilgach, uning barcha resurslari va ma'lumotlari doimiy ravishda o'chiriladi. Ushbu jamoani yo'q qilishdan oldin, iltimos, ushbu jamoa bilan bog'liq har qanday ma'lumot yoki ma'lumotni yuklab oling.", - "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.": "Hisobingiz o'chirilgach, uning barcha resurslari va ma'lumotlari doimiy ravishda o'chiriladi. Hisobingizni yo'q qilishdan oldin, iltimos, saqlab qolishni istagan har qanday ma'lumot yoki ma'lumotni yuklab oling.", - "Only Trashed": "Faqat Trashed", - "Original": "Original", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Sahifa Muddati Tugagan", "Pagination Navigation": "Pagination Navigatsiya", - "Pakistan": "Pokiston", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Falastin Hududlari", - "Panama": "Panamada", - "Papua New Guinea": "Papua Yangi Gvineya", - "Paraguay": "Ta Paragvay", - "Password": "Parolini", - "Pay :amount": "To'lash :amount", - "Payment Cancelled": "To'lov Bekor Qilindi", - "Payment Confirmation": "To'lovni Tasdiqlash", - "Payment Information": "Payment Information", - "Payment Successful": "To'lov Muvaffaqiyatli", - "Pending Team Invitations": "Kutilayotganlar Jamoasi Taklifnomalari", - "Per Page": "Sahifa Boshiga", - "Permanently delete this team.": "Doimiy ravishda bu jamoa o'chirish.", - "Permanently delete your account.": "Doimiy ravishda hisobingizni o'chirish.", - "Permissions": "Togri aytas", - "Peru": "Peru", - "Philippines": "Filippin", - "Photo": "Uzbekona. ve", - "Pitcairn": "Pitkern Orollari", "Please click the button below to verify your email address.": "E-mail manzilingizni tekshirish uchun quyidagi tugmani bosing.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Iltimos, favqulodda tiklash kodlaringizdan biriga kirib hisobingizga kirishni tasdiqlang.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Sizning autentifikator dastur tomonidan taqdim autentifikatsiya kodni kirib hisobingizga kirishni tasdiqlash iltimos.", "Please confirm your password before continuing.": "Davom ettirishdan oldin parolingizni tasdiqlang.", - "Please copy your new API token. For your security, it won't be shown again.": "Yangi API ma'lumoti nusxa iltimos. Sizning xavfsizlik uchun, u yana ko'rsatilgan bo'lmaydi.", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Agar qurilmalar barcha bo'ylab boshqa brauzer sessiyalari chiqib kirish uchun istardim tasdiqlash uchun parolni kiriting.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Agar qurilmalar barcha bo'ylab boshqa brauzer sessiyalari chiqish istardim tasdiqlash uchun parolni kiriting.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "Please provide the email address of the person you would like to add to this team.": "Iltimos, ushbu jamoaga qo'shmoqchi bo'lgan shaxsning elektron pochta manzilini taqdim eting.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Iltimos, ushbu jamoaga qo'shmoqchi bo'lgan shaxsning elektron pochta manzilini taqdim eting. Elektron pochta manzili mavjud hisob bilan bog'liq bo'lishi kerak.", - "Please provide your name.": "Iltimos, ismingizni taqdim eting.", - "Poland": "Polsha", - "Portugal": "Portugaliya", - "Press \/ to search": "Matbuot \/ qidirish uchun", - "Preview": "Oldindan ko'rish", - "Previous": "Avvalgi", - "Privacy Policy": "Maxfiylik Siyosati", - "Profile": "Profilga", - "Profile Information": "Profil Haqida Ma'lumot", - "Puerto Rico": "Puerto Olib Keldi", - "Qatar": "Qatar", - "Quarter To Date": "Bugungi Kunga Qadar Chorak", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Qayta Tiklash Kodi", "Regards": "Tilaklar", - "Regenerate Recovery Codes": "Qayta Tiklash Kodlari", - "Register": "Ro'yxatdan o'tish", - "Reload": "Reload", - "Remember me": "Esla meni", - "Remember Me": "Esla Meni", - "Remove": "Olib tashlash", - "Remove Photo": "Rasmni Olib Tashlash", - "Remove Team Member": "Team A'zosi Olib Tashlash", - "Resend Verification Email": "Resend Tekshirish Email", - "Reset Filters": "Reset Filtrlar", - "Reset Password": "Parolni Tiklash", - "Reset Password Notification": "Parolni Xabarnoma Qayta O'rnatish", - "resource": "manba", - "Resources": "Manbalar", - "resources": "manbalar", - "Restore": "Qayta tiklash", - "Restore Resource": "Resurs Tiklash", - "Restore Selected": "Tanlangan Tiklash", "results": "natijalar", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Uchrashuv", - "Role": "Roliklar fattohhon", - "Romania": "Ruminiya", - "Run Action": "Ishlatish Harakat", - "Russian Federation": "Rossiya Federatsiyasi", - "Rwanda": "Ruanda degan", - "Réunion": "Réunion", - "Saint Barthelemy": "Sankt-Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Sankt-Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "Sankt-Kitts va Nevis", - "Saint Lucia": "Sankt Sit", - "Saint Martin": "Sankt Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "Sankt-Pierre va Miquelon", - "Saint Vincent And Grenadines": "St Vinsent va Grenadinlar", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San-Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "São Tomé va Príncipe", - "Saudi Arabia": "Saudiya Arabistoni", - "Save": "Saqlash", - "Saved.": "Saqlandi.", - "Search": "Izu-Oshima", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Yangi Rasm Tanlang", - "Select Action": "Tanlang Harakat", - "Select All": "Hammasini Tanlang", - "Select All Matching": "Barcha Taalukli Tanlang", - "Send Password Reset Link": "Parolni Tiklash Linkini Yuborish", - "Senegal": "Senegal", - "September": "Sentyabr", - "Serbia": "Serbiya", "Server Error": "Server Xato", "Service Unavailable": "Xizmat Mavjud Emas", - "Seychelles": "Seychelles", - "Show All Fields": "Barcha Maydonlarni Ko'rsatish", - "Show Content": "Tarkibni Ko'rsatish", - "Show Recovery Codes": "Tiklash Kodlarini Ko'rsatish", "Showing": "Ko'rsatgan", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapur", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovakiya", - "Slovenia": "Slovenia", - "Solomon Islands": "Sulaymon Orollari", - "Somalia": "Somalida", - "Something went wrong.": "Nimadir noto'g'ri ketdi.", - "Sorry! You are not authorized to perform this action.": "Kechirasiz! Siz bu harakatni amalga oshirish uchun vakolatli emas.", - "Sorry, your session has expired.": "Kechirasiz, sessiyangiz tugadi.", - "South Africa": "Janubiy Afrika", - "South Georgia And Sandwich Isl.": "Janubiy Gruziya va Janubiy sendvich orollari", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Janubiy Sudan", - "Spain": "Ispaniya", - "Sri Lanka": "Shri Lanka", - "Start Polling": "Saylovni Boshlash", - "State \/ County": "State \/ County", - "Stop Polling": "Saylovni To'xtatish", - "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.": "Xavfsiz parol menejeri bu qutqaruv kodlari saqlash. Sizning ikki faktor autentifikatsiya qurilma yo'qolgan bo'lsa, ular hisobingizga kirish saqlab qolish uchun foydalanish mumkin.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard va Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Shvetsiya", - "Switch Teams": "Komandalarni O'tish", - "Switzerland": "Shveytsariya", - "Syrian Arab Republic": "Suriya", - "Taiwan": "Taiwan degan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tojikiston", - "Tanzania": "Tanzaniya", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Jamoaviy Tafsilotlar", - "Team Invitation": "Jamoaga Taklif", - "Team Members": "Jamoa A'zolari", - "Team Name": "Jamoa Nomi", - "Team Owner": "Jamoa Egasi", - "Team Settings": "Jamoa Sozlamalari", - "Terms of Service": "Xizmat ko'rsatish shartlari", - "Thailand": "Tayland", - "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.": "Ro'yhatdan uchun rahmat! Ishga oldin, agar biz faqat sizga yuboriladi ulanishni bosgan elektron pochta manzilini tekshirish mumkin? Agar elektron pochta qabul qilmagan bo'lsa, biz mamnuniyat bilan sizga boshqa yuboradi.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute haqiqiy rol bo'lishi kerak.", - "The :attribute must be at least :length characters and contain at least one number.": ":attribute kamida :length belgi bo'lishi va kamida bitta raqamni o'z ichiga olishi kerak.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute kamida :length belgi bo'lishi va kamida bitta maxsus belgi va bitta raqamni o'z ichiga olishi kerak.", - "The :attribute must be at least :length characters and contain at least one special character.": ":attribute kamida :length belgi bo'lishi va kamida bitta maxsus belgini o'z ichiga olishi kerak.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "The :attribute kamida bo'lishi kerak :length belgilar va kamida bir katta belgi va bir qator o'z ichiga.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute kamida :length belgi bo'lishi va kamida bitta katta belgi va bitta maxsus belgini o'z ichiga olishi kerak.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute kamida :length belgilar bo'lishi va kamida bitta katta belgini, bitta raqamni va bitta maxsus belgini o'z ichiga olishi kerak.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute kamida :length belgi bo'lishi va kamida bitta katta belgini o'z ichiga olishi kerak.", - "The :attribute must be at least :length characters.": ":attribute kamida :length belgi bo'lishi kerak.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "Bu :resource yaratilgan edi!", - "The :resource was deleted!": "Bu :resource o'chirildi edi!", - "The :resource was restored!": "Bu :resource qayta tiklandi!", - "The :resource was updated!": "Bu :resource yangilangan edi!", - "The action ran successfully!": "Harakat muvaffaqiyatli yugurdi!", - "The file was deleted!": "Fayl o'chirildi!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Hukumat bizga bu eshiklar ortida nima sizga ko \" rsatish ruxsat bermaydi", - "The HasOne relationship has already been filled.": "HasOne munosabatlar allaqachon to'lgan qilindi.", - "The payment was successful.": "To'lov muvaffaqiyatli bo'ldi.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Taqdim parol joriy parolni mos emas.", - "The provided password was incorrect.": "Taqdim etilgan parol noto'g'ri edi.", - "The provided two factor authentication code was invalid.": "Taqdim etilgan ikki faktorli autentifikatsiya kodi bekor qilindi.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Resurs yangilandi!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Jamoaning nomi va egasi haqida ma'lumot.", - "There are no available options for this resource.": "Ushbu resurs uchun mavjud variantlar mavjud emas.", - "There was a problem executing the action.": "Harakatni bajarishda muammo yuzaga keldi.", - "There was a problem submitting the form.": "Shaklni topshirishda muammo yuzaga keldi.", - "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 odamlar sizning jamoasi taklif etildi va taklif elektron pochta yuborilgan. Elektron pochta taklifini qabul qilib jamoaga qo'shilishlari mumkin.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Bu harakat ruxsatsiz.", - "This device": "Ushbu qurilma", - "This file field is read-only.": "Ushbu fayl maydoni faqat o'qiladi.", - "This image": "Ushbu rasm", - "This is a secure area of the application. Please confirm your password before continuing.": "Bu dasturning xavfsiz maydoni. Davom ettirishdan oldin parolingizni tasdiqlang.", - "This password does not match our records.": "Ushbu parol bizning yozuvlarimizga mos kelmaydi.", "This password reset link will expire in :count minutes.": "Ushbu parolni tiklash havolasi :count daqiqada tugaydi.", - "This payment was already successfully confirmed.": "Ushbu to'lov allaqachon muvaffaqiyatli tasdiqlangan.", - "This payment was cancelled.": "Bu to'lov bekor qilindi.", - "This resource no longer exists": "Ushbu resurs endi mavjud emas", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Ushbu foydalanuvchi allaqachon jamoaga tegishli.", - "This user has already been invited to the team.": "Ushbu foydalanuvchi allaqachon jamoaga taklif qilingan.", - "Timor-Leste": "Timor-Leste", "to": "uchun", - "Today": "Bugun-nig", "Toggle navigation": "Toggle navigatsiya", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Ma'lumoti Nomi", - "Tonga": "Kelinglar", "Too Many Attempts.": "Juda Ko'p Urinishlar.", "Too Many Requests": "Juda Ko'p So'rovlar", - "total": "jami", - "Total:": "Total:", - "Trashed": "Trashed", - "Trinidad And Tobago": "Trinidad va Tobago", - "Tunisia": "Tunisia degan", - "Turkey": "Turkiye", - "Turkmenistan": "Turkmaniston", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Turklar va Kaykos orollari", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Ikki Omil Autentifikatsiya", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Ikki omil autentifikatsiya endi yoqilgan. Telefoningiz authenticator dasturi yordamida quyidagi QR kodni Scan.", - "Uganda": "Uganda", - "Ukraine": "Ukraina", "Unauthorized": "Ruxsatsiz", - "United Arab Emirates": "Birlashgan Arab Amirliklari", - "United Kingdom": "Buyuk Britaniya", - "United States": "Uzbekona. Edu. Ve", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "AQSH Outlying Orollar", - "Update": "Yangilash", - "Update & Continue Editing": "Yangilash Va Tahrirlash Davom", - "Update :resource": "Yangilash :resource", - "Update :resource: :title": "Yangilash :resource: :title", - "Update attached :resource: :title": "Yangilash :resource biriktirilgan: :title", - "Update Password": "Parolni Yangilash", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Sizning hisob profili ma'lumot va elektron pochta manzilini yangilash.", - "Uruguay": "Uruguay", - "Use a recovery code": "Qayta tiklash kodidan foydalaning", - "Use an authentication code": "Autentifikatsiya kodidan foydalaning", - "Uzbekistan": "Uzbekiston", - "Value": "Qadr-qimmatim", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venesuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Elektron Pochta Manzilini Tekshirish", "Verify Your Email Address": "E-Mail Manzilingizni Tasdiqlang", - "Viet Nam": "Vietnam", - "View": "Nazarbek", - "Virgin Islands, British": "Britaniya Virgin Orollari", - "Virgin Islands, U.S.": "AQSH Virgin Orollari", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis va Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Biz ushbu elektron pochta manzili bilan ro'yxatdan o'tgan foydalanuvchini topa olmadik.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Biz bir necha soat davomida yana parolingizni so'ramaymiz.", - "We're lost in space. The page you were trying to view does not exist.": "Kosmosda adashib qoldik. Agar ko'rish uchun harakat qilindi sahifa mavjud emas.", - "Welcome Back!": "Orqaga Xush Kelibsiz!", - "Western Sahara": "G'arbiy Sahara", - "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.": "Ikki faktor autentifikatsiya yoqilgan bo'lsa, agar xavfsiz so'raladi, autentifikatsiya paytida tasodifiy belgi. Siz telefoningiz Google Authenticator qo'llash bu ma'lumoti olish mumkin.", - "Whoops": "Whoops", - "Whoops!": "Whoops!", - "Whoops! Something went wrong.": "Whoops! Nimadir noto'g'ri ketdi.", - "With Trashed": "Trashed Bilan ", - "Write": "Yozish", - "Year To Date": "Sanaga Yil", - "Yearly": "Yearly", - "Yemen": "Yemeni", - "Yes": "Ha mayli", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Siz kirgan!", - "You are receiving this email because we received a password reset request for your account.": "Biz sizning hisob uchun parol reset so'rov qabul chunki siz bu elektron pochta qabul qilinadi.", - "You have been invited to join the :team team!": "Siz :team jamoasiga taklif etilgansiz!", - "You have enabled two factor authentication.": "Siz ikki faktor autentifikatsiya yoqilgan bo'lishi.", - "You have not enabled two factor authentication.": "Siz ikki faktor autentifikatsiya yoqilgan yo'q.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "Ular endi zarur bo'lsa, siz mavjud ma'lumoti har qanday o'chirish mumkin.", - "You may not delete your personal team.": "Siz shaxsiy jamoasi o'chirish mumkin emas.", - "You may not leave a team that you created.": "Siz yaratgan jamoani tark etmasligingiz mumkin.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Sizning elektron pochta manzili tasdiqlangan emas.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambiya", - "Zimbabwe": "Zimbabve", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Sizning elektron pochta manzili tasdiqlangan emas." } diff --git a/locales/uz_Latn/packages/cashier.json b/locales/uz_Latn/packages/cashier.json new file mode 100644 index 00000000000..0bb2cf56fa5 --- /dev/null +++ b/locales/uz_Latn/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Butunsinavlar.Co. ve", + "Card": "Kart-Saisiyat", + "Confirm Payment": "To'lovni Tasdiqlash", + "Confirm your :amount payment": ":amount siz to'lovni tasdiqlang ", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Qo'shimcha tasdiqlash to'lov qayta ishlash uchun zarur bo'lgan. Quyidagi to'lov ma'lumotlarini to'ldirib, to'lovni tasdiqlang.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Qo'shimcha tasdiqlash to'lov qayta ishlash uchun zarur bo'lgan. Quyidagi tugmani bosish orqali to'lov sahifasiga davom iltimos.", + "Full name": "To'liq ismi", + "Go back": "Orqaga qaytish", + "Jane Doe": "Jane Doe", + "Pay :amount": "To'lash :amount", + "Payment Cancelled": "To'lov Bekor Qilindi", + "Payment Confirmation": "To'lovni Tasdiqlash", + "Payment Successful": "To'lov Muvaffaqiyatli", + "Please provide your name.": "Iltimos, ismingizni taqdim eting.", + "The payment was successful.": "To'lov muvaffaqiyatli bo'ldi.", + "This payment was already successfully confirmed.": "Ushbu to'lov allaqachon muvaffaqiyatli tasdiqlangan.", + "This payment was cancelled.": "Bu to'lov bekor qilindi." +} diff --git a/locales/uz_Latn/packages/fortify.json b/locales/uz_Latn/packages/fortify.json new file mode 100644 index 00000000000..afeb0cd7f63 --- /dev/null +++ b/locales/uz_Latn/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "The :attribute must be at least :length characters and contain at least one number.": ":attribute kamida :length belgi bo'lishi va kamida bitta raqamni o'z ichiga olishi kerak.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute kamida :length belgi bo'lishi va kamida bitta maxsus belgi va bitta raqamni o'z ichiga olishi kerak.", + "The :attribute must be at least :length characters and contain at least one special character.": ":attribute kamida :length belgi bo'lishi va kamida bitta maxsus belgini o'z ichiga olishi kerak.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute kamida :length belgilar bo'lishi va kamida bitta katta belgi va bitta raqamni o'z ichiga olishi kerak.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute kamida :length belgi bo'lishi va kamida bitta katta belgi va bitta maxsus belgini o'z ichiga olishi kerak.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute kamida :length belgi bo'lishi va kamida bitta katta belgini, bitta raqamni va bitta maxsus belgini o'z ichiga olishi kerak.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute kamida :length belgi bo'lishi va kamida bitta katta belgini o'z ichiga olishi kerak.", + "The :attribute must be at least :length characters.": ":attribute kamida :length belgi bo'lishi kerak.", + "The provided password does not match your current password.": "Taqdim parol joriy parolni mos emas.", + "The provided password was incorrect.": "Taqdim etilgan parol noto'g'ri edi.", + "The provided two factor authentication code was invalid.": "Taqdim etilgan ikki faktorli autentifikatsiya kodi bekor qilindi." +} diff --git a/locales/uz_Latn/packages/jetstream.json b/locales/uz_Latn/packages/jetstream.json new file mode 100644 index 00000000000..de0af2cf95d --- /dev/null +++ b/locales/uz_Latn/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "Ro'yxatga olish paytida taqdim etilgan elektron pochta manziliga yangi tekshirish havolasi yuborildi.", + "Accept Invitation": "Taklifnomani Qabul Qiling", + "Add": "Qo'shish", + "Add a new team member to your team, allowing them to collaborate with you.": "Jamoangizga yangi jamoa a'zosini qo'shing, ularga siz bilan hamkorlik qilish imkonini beradi.", + "Add additional security to your account using two factor authentication.": "Ikki faktor autentifikatsiya yordamida hisobingizga qo'shimcha xavfsizlik qo'shish.", + "Add Team Member": "Jamoa A'zosini Qo'shish", + "Added.": "Qo'shib qo'ydi.", + "Administrator": "Administrator", + "Administrator users can perform any action.": "Administrator foydalanuvchilar har qanday amalni bajarishi mumkin.", + "All of the people that are part of this team.": "Bu jamoa tarkibiga kiruvchi barcha odamlar.", + "Already registered?": "Allaqachon ro'yxatdan o'tgan?", + "API Token": "API Ma'lumoti", + "API Token Permissions": "API Ma'lumoti Turishni", + "API Tokens": "API Tokens", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API ma'lumoti uchinchi tomon xizmatlariga sizning nomingizdan bizning dasturimiz bilan tasdiqlashga imkon beradi.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Agar bu jamoa o'chirish uchun ishonchingiz komilmi? Bir jamoa o'chirilgach, uning barcha resurslari va ma'lumotlari doimiy ravishda o'chiriladi.", + "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.": "Agar siz hisob o'chirish uchun ishonchingiz komilmi? Hisobingiz o'chirilgach, uning barcha resurslari va ma'lumotlari doimiy ravishda o'chiriladi. Agar doimiy hisobingizni o'chirish istardim tasdiqlash uchun parolni kiriting.", + "Are you sure you would like to delete this API token?": "Agar bu API ma'lumoti o'chirish uchun ishonchingiz komilmi?", + "Are you sure you would like to leave this team?": "Bu jamoadan ketishni hohlayotganingizga ishonchingiz komilmi?", + "Are you sure you would like to remove this person from the team?": "Agar jamoa bu kishini olib tashlash uchun istardim ishonchingiz komilmi?", + "Browser Sessions": "Brauzer Seanslari", + "Cancel": "Bekor qilish", + "Close": "Yaqin", + "Code": "Kodilar", + "Confirm": "Tasdiqlayman", + "Confirm Password": "Parolni Tasdiqlang", + "Create": "Yaratish", + "Create a new team to collaborate with others on projects.": "Loyihalar bo'yicha boshqalar bilan hamkorlik qilish uchun yangi jamoa yaratish.", + "Create Account": "Hisob Yaratish", + "Create API Token": "Yaratish API Ma'lumoti", + "Create New Team": "Yangi Jamoa Yaratish", + "Create Team": "Jamoa Yaratish", + "Created.": "Yaratgan.", + "Current Password": "Joriy Parol", + "Dashboard": "Dashboard", + "Delete": "O'chirish", + "Delete Account": "Hisob Qaydnomasini O'chirish", + "Delete API Token": "O'chirish API Ma'lumoti", + "Delete Team": "Jamoani O'chirish", + "Disable": "O'chirish", + "Done.": "Qilingan.", + "Editor": "Muharrir", + "Editor users have the ability to read, create, and update.": "Muharrir foydalanuvchilar o'qish imkoniga ega, yaratish, va yangilash.", + "Email": "E-pochta", + "Email Password Reset Link": "Email Parolni Tiklash Link", + "Enable": "Yoqish", + "Ensure your account is using a long, random password to stay secure.": "Hisob uzoq yordamida ishonch hosil qiling, xavfsiz qolish tasodifiy parol.", + "For your security, please confirm your password to continue.": "Sizning xavfsizlik uchun, davom ettirish uchun parolni tasdiqlash iltimos.", + "Forgot your password?": "Parolingizni unutdingizmi?", + "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.": "Parolingizni unutdingizmi? Hech qanday muammo. Faqat bizga elektron pochta manzilini xabar bering va biz sizga yangi tanlash imkonini beradi parol reset link elektron pochta qiladi.", + "Great! You have accepted the invitation to join the :team team.": "Buyuk! Siz :team jamoasiga qo'shilish taklifini qabul qildingiz.", + "I agree to the :terms_of_service and :privacy_policy": ":terms_of_service va :privacy_policy ga qo'shilaman", + "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.": "Agar kerak bo'lsa, siz qurilmalar barcha bo'ylab boshqa brauzer sessiyalari barcha chiqib kirishingiz mumkin. Sizning so'nggi sessiyalar ba'zi quyida keltirilgan; ammo, bu ro'yxat to'liq bo'lishi mumkin emas. Agar hisob xavf qilingan his bo'lsa, siz ham parolni yangilash kerak.", + "If you already have an account, you may accept this invitation by clicking the button below:": "Agar siz allaqachon hisobingiz bo'lsa, quyidagi tugmani bosish orqali ushbu taklifni qabul qilishingiz mumkin:", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Agar siz ushbu jamoaga taklif olishni kutmagan bo'lsangiz, ushbu elektron pochtani bekor qilishingiz mumkin.", + "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:": "Agar hisob bo'lmasa, agar quyidagi tugmani bosish birini yaratishingiz mumkin. Hisob yaratganingizdan so'ng, jamoa taklifini qabul qilish uchun ushbu e-pochtada taklifni qabul qilish tugmasini bosishingiz mumkin:", + "Last active": "Oxirgi faol", + "Last used": "Oxirgi ishlatilgan", + "Leave": "Tark etmoq", + "Leave Team": "Jamoani Tark Eting", + "Log in": "Kirishinkyu. com. ve", + "Log Out": "Log Out", + "Log Out Other Browser Sessions": "Boshqa Brauzer Sessiyalari Chiqib Kirish", + "Manage Account": "Hisob Boshqarish", + "Manage and log out your active sessions on other browsers and devices.": "Boshqarish va boshqa brauzerlar va qurilmalarda faol mashg'ulotlari chiqib kirish.", + "Manage API Tokens": "Boshqarish API Tokens", + "Manage Role": "Rol Boshqarish", + "Manage Team": "Jamoani Boshqarish", + "Name": "Nomlash", + "New Password": "Yangi Parol", + "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 jamoa o'chirilgach, uning barcha resurslari va ma'lumotlari doimiy ravishda o'chiriladi. Ushbu jamoani yo'q qilishdan oldin, iltimos, ushbu jamoa bilan bog'liq har qanday ma'lumot yoki ma'lumotni yuklab oling.", + "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.": "Hisobingiz o'chirilgach, uning barcha resurslari va ma'lumotlari doimiy ravishda o'chiriladi. Hisobingizni yo'q qilishdan oldin, iltimos, saqlab qolishni istagan har qanday ma'lumot yoki ma'lumotni yuklab oling.", + "Password": "Parolini", + "Pending Team Invitations": "Kutilayotganlar Jamoasi Taklifnomalari", + "Permanently delete this team.": "Doimiy ravishda bu jamoa o'chirish.", + "Permanently delete your account.": "Doimiy ravishda hisobingizni o'chirish.", + "Permissions": "Togri aytas", + "Photo": "Uzbekona. ve", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Iltimos, favqulodda tiklash kodlaringizdan biriga kirib hisobingizga kirishni tasdiqlang.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Sizning autentifikator dastur tomonidan taqdim autentifikatsiya kodni kirib hisobingizga kirishni tasdiqlash iltimos.", + "Please copy your new API token. For your security, it won't be shown again.": "Yangi API ma'lumoti nusxa iltimos. Sizning xavfsizlik uchun, u yana ko'rsatilgan bo'lmaydi.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Agar qurilmalar barcha bo'ylab boshqa brauzer sessiyalari chiqib kirish uchun istardim tasdiqlash uchun parolni kiriting.", + "Please provide the email address of the person you would like to add to this team.": "Iltimos, ushbu jamoaga qo'shmoqchi bo'lgan shaxsning elektron pochta manzilini taqdim eting.", + "Privacy Policy": "Maxfiylik Siyosati", + "Profile": "Profilga", + "Profile Information": "Profil Haqida Ma'lumot", + "Recovery Code": "Qayta Tiklash Kodi", + "Regenerate Recovery Codes": "Qayta Tiklash Kodlari", + "Register": "Ro'yxatdan o'tish", + "Remember me": "Esla meni", + "Remove": "Olib tashlash", + "Remove Photo": "Rasmni Olib Tashlash", + "Remove Team Member": "Team A'zosi Olib Tashlash", + "Resend Verification Email": "Resend Tekshirish Email", + "Reset Password": "Parolni Tiklash", + "Role": "Roliklar fattohhon", + "Save": "Saqlash", + "Saved.": "Saqlandi.", + "Select A New Photo": "Yangi Rasm Tanlang", + "Show Recovery Codes": "Tiklash Kodlarini Ko'rsatish", + "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.": "Xavfsiz parol menejeri bu qutqaruv kodlari saqlash. Sizning ikki faktor autentifikatsiya qurilma yo'qolgan bo'lsa, ular hisobingizga kirish saqlab qolish uchun foydalanish mumkin.", + "Switch Teams": "Komandalarni O'tish", + "Team Details": "Jamoaviy Tafsilotlar", + "Team Invitation": "Jamoaga Taklif", + "Team Members": "Jamoa A'zolari", + "Team Name": "Jamoa Nomi", + "Team Owner": "Jamoa Egasi", + "Team Settings": "Jamoa Sozlamalari", + "Terms of Service": "Xizmat ko'rsatish shartlari", + "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.": "Ro'yhatdan uchun rahmat! Ishga oldin, agar biz faqat sizga yuboriladi ulanishni bosgan elektron pochta manzilini tekshirish mumkin? Agar elektron pochta qabul qilmagan bo'lsa, biz mamnuniyat bilan sizga boshqa yuboradi.", + "The :attribute must be a valid role.": ":attribute haqiqiy rol bo'lishi kerak.", + "The :attribute must be at least :length characters and contain at least one number.": ":attribute kamida :length belgi bo'lishi va kamida bitta raqamni o'z ichiga olishi kerak.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute kamida :length belgi bo'lishi va kamida bitta maxsus belgi va bitta raqamni o'z ichiga olishi kerak.", + "The :attribute must be at least :length characters and contain at least one special character.": ":attribute kamida :length belgi bo'lishi va kamida bitta maxsus belgini o'z ichiga olishi kerak.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute kamida :length belgilar bo'lishi va kamida bitta katta belgi va bitta raqamni o'z ichiga olishi kerak.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute kamida :length belgi bo'lishi va kamida bitta katta belgi va bitta maxsus belgini o'z ichiga olishi kerak.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute kamida :length belgi bo'lishi va kamida bitta katta belgini, bitta raqamni va bitta maxsus belgini o'z ichiga olishi kerak.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute kamida :length belgi bo'lishi va kamida bitta katta belgini o'z ichiga olishi kerak.", + "The :attribute must be at least :length characters.": ":attribute kamida :length belgi bo'lishi kerak.", + "The provided password does not match your current password.": "Taqdim parol joriy parolni mos emas.", + "The provided password was incorrect.": "Taqdim etilgan parol noto'g'ri edi.", + "The provided two factor authentication code was invalid.": "Taqdim etilgan ikki faktorli autentifikatsiya kodi bekor qilindi.", + "The team's name and owner information.": "Jamoaning nomi va egasi haqida ma'lumot.", + "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 odamlar sizning jamoasi taklif etildi va taklif elektron pochta yuborilgan. Elektron pochta taklifini qabul qilib jamoaga qo'shilishlari mumkin.", + "This device": "Ushbu qurilma", + "This is a secure area of the application. Please confirm your password before continuing.": "Bu dasturning xavfsiz maydoni. Davom ettirishdan oldin parolingizni tasdiqlang.", + "This password does not match our records.": "Ushbu parol bizning yozuvlarimizga mos kelmaydi.", + "This user already belongs to the team.": "Ushbu foydalanuvchi allaqachon jamoaga tegishli.", + "This user has already been invited to the team.": "Ushbu foydalanuvchi allaqachon jamoaga taklif qilingan.", + "Token Name": "Ma'lumoti Nomi", + "Two Factor Authentication": "Ikki Omil Autentifikatsiya", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Ikki omil autentifikatsiya endi yoqilgan. Telefoningiz authenticator dasturi yordamida quyidagi QR kodni Scan.", + "Update Password": "Parolni Yangilash", + "Update your account's profile information and email address.": "Sizning hisob profili ma'lumot va elektron pochta manzilini yangilash.", + "Use a recovery code": "Qayta tiklash kodidan foydalaning", + "Use an authentication code": "Autentifikatsiya kodidan foydalaning", + "We were unable to find a registered user with this email address.": "Biz ushbu elektron pochta manzili bilan ro'yxatdan o'tgan foydalanuvchini topa olmadik.", + "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.": "Ikki faktor autentifikatsiya yoqilgan bo'lsa, agar xavfsiz so'raladi, autentifikatsiya paytida tasodifiy belgi. Siz telefoningiz Google Authenticator qo'llash bu ma'lumoti olish mumkin.", + "Whoops! Something went wrong.": "Whoops! Nimadir noto'g'ri ketdi.", + "You have been invited to join the :team team!": "Siz :team jamoasi ishtirok etish uchun taklif etildi!", + "You have enabled two factor authentication.": "Siz ikki faktor autentifikatsiya yoqilgan bo'lishi.", + "You have not enabled two factor authentication.": "Siz ikki faktor autentifikatsiya yoqilgan yo'q.", + "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.": "Ular endi zarur bo'lsa, siz mavjud ma'lumoti har qanday o'chirish mumkin.", + "You may not delete your personal team.": "Siz shaxsiy jamoasi o'chirish mumkin emas.", + "You may not leave a team that you created.": "Siz yaratgan jamoani tark etmasligingiz mumkin." +} diff --git a/locales/uz_Latn/packages/nova.json b/locales/uz_Latn/packages/nova.json new file mode 100644 index 00000000000..33a678a9de9 --- /dev/null +++ b/locales/uz_Latn/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Kun", + "60 Days": "60 Kun", + "90 Days": "90 Kun", + ":amount Total": ":amount Jami", + ":resource Details": ":resource Tafsilotlarini", + ":resource Details: :title": ":resource Tafsilotlarini: :title", + "Action": "Harakat", + "Action Happened At": "Da Sodir", + "Action Initiated By": "Tashabbusi Bilan", + "Action Name": "Nomlash", + "Action Status": "Statuslari", + "Action Target": "Nishonov Maqsud", + "Actions": "Amallari", + "Add row": "Qator qo'shish", + "Afghanistan": "Afg'oniston", + "Aland Islands": "Åland Orollar", + "Albania": "Albaniya", + "Algeria": "Algeria degan", + "All resources loaded.": "Barcha manbalar Yuklangan.", + "American Samoa": "Amerika Samoa", + "An error occured while uploading the file.": "Faylni yuklashda xatolik yuz berdi.", + "Andorra": "Andorran", + "Angola": "Angolada", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Ushbu sahifa yuklanganidan beri boshqa foydalanuvchi ushbu manbani yangiladi. Iltimos, sahifani yangilang va qayta urinib ko'ring.", + "Antarctica": "Antarktida", + "Antigua And Barbuda": "Antigua va Barbuda", + "April": "April degan", + "Are you sure you want to delete the selected resources?": "Agar tanlangan resurslarni o'chirish uchun ishonchingiz komilmi?", + "Are you sure you want to delete this file?": "Agar bu faylni o'chirish uchun ishonchingiz komilmi?", + "Are you sure you want to delete this resource?": "Agar bu resurs o'chirish uchun ishonchingiz komilmi?", + "Are you sure you want to detach the selected resources?": "Agar tanlangan resurslarni ajratib olmoqchi ishonchingiz komilmi?", + "Are you sure you want to detach this resource?": "Ushbu resursni ajratib olishni xohlaysizmi?", + "Are you sure you want to force delete the selected resources?": "Agar tanlangan resurslarni o'chirish majbur ishonchingiz komilmi?", + "Are you sure you want to force delete this resource?": "Agar bu resurs o'chirish majbur qilish ishonchingiz komilmi?", + "Are you sure you want to restore the selected resources?": "Tanlangan resurslarni qayta tiklashni xohlaysizmi?", + "Are you sure you want to restore this resource?": "Ushbu resursni qayta tiklashni xohlaysizmi?", + "Are you sure you want to run this action?": "Agar bu harakatni ishlatish uchun ishonchingiz komilmi?", + "Argentina": "Argentina", + "Armenia": "Armaniston", + "Aruba": "Aruba", + "Attach": "Biriktiring", + "Attach & Attach Another": "Attach & Boshqa Biriktiring", + "Attach :resource": "Qo'shishingiz :resource", + "August": "Avgust oyi", + "Australia": "Avstraliya", + "Austria": "Avstriya", + "Azerbaijan": "Azamjon Abdullaev", + "Bahamas": "Bahamas", + "Bahrain": "Ummon", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgiya", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Butan", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius va Sábado", + "Bosnia And Herzegovina": "Bosniya va Gersegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Orol", + "Brazil": "Braziliya", + "British Indian Ocean Territory": "Britaniya Hind Okeani Hududi", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bolgariya", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Cameroon", + "Canada": "Kanada", + "Cancel": "Bekor qilish", + "Cape Verde": "Kabo-Berdi", + "Cayman Islands": "Cayman Orollar", + "Central African Republic": "Markaziy Afrika Respublikasi", + "Chad": "Chad", + "Changes": "O'zgarishlar", + "Chile": "Cile Ghilardi", + "China": "Xitoy", + "Choose": "Tanlash", + "Choose :field": ":field tanlash ", + "Choose :resource": ":resource tanlash ", + "Choose an option": "Variantni tanlang", + "Choose date": "Sana tanlang", + "Choose File": "Faylni Tanlang", + "Choose Type": "Turini Tanlang", + "Christmas Island": "Rojdestvo Orol", + "Click to choose": "Tanlash uchun bosing", + "Cocos (Keeling) Islands": "Cocos () Keeling Orollar", + "Colombia": "Kolumbiya", + "Comoros": "Comoros", + "Confirm Password": "Parolni Tasdiqlang", + "Congo": "Congo", + "Congo, Democratic Republic": "Kongo, Demokratik Respublikasi", + "Constant": "Doimiy", + "Cook Islands": "Kuk Orollari", + "Costa Rica": "Costa Gilgan", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "topib bo'lmadi.", + "Create": "Yaratish", + "Create & Add Another": "Yaratish & Boshqa Qo'shish", + "Create :resource": ":resource yaratish ", + "Croatia": "Xorvatiya", + "Cuba": "Cuba", + "Curaçao": "Curacao", + "Customize": "Moslashtiring", + "Cyprus": "Kipr", + "Czech Republic": "Czechia", + "Dashboard": "Dashboard", + "December": "Dekabr oyi", + "Decrease": "Kamayish", + "Delete": "O'chirish", + "Delete File": "Faylni O'chirish", + "Delete Resource": "Resurs O'chirish", + "Delete Selected": "Tanlangan O'chirish", + "Denmark": "Daniya", + "Detach": "Detach", + "Detach Resource": "Detach Resurs", + "Detach Selected": "Detach Tanlangan", + "Details": "Batafsil", + "Djibouti": "Jibuti", + "Do you really want to leave? You have unsaved changes.": "Agar chindan tark istaysizmi? Siz saqlanmagan o'zgarishlar bor.", + "Dominica": "Yakshanbalik", + "Dominican Republic": "Dominican Respublikasi", + "Download": "Yuklab olish", + "Ecuador": "Ekvadorda", + "Edit": "Edit. uz", + "Edit :resource": "Tahrir :resource", + "Edit Attached": "Tahrirlash Biriktirilgan", + "Egypt": "Misralar", + "El Salvador": "Salvador", + "Email Address": "Elektron Pochta Manzili", + "Equatorial Guinea": "Equatorial Gvineya", + "Eritrea": "Eritreya", + "Estonia": "Estoniya", + "Ethiopia": "Ethiopia", + "Falkland Islands (Malvinas)": "Falkland Orollari (Malvinas)", + "Faroe Islands": "Farer Orollari", + "February": "Fevral", + "Fiji": "Fidji Ghilardi", + "Finland": "Finlandiya", + "Force Delete": "Kuch O'chirish", + "Force Delete Resource": "Kuch O'chirish Resurs", + "Force Delete Selected": "Force Tanlangan O'chirish", + "Forgot Your Password?": "Parolingizni Unutdingizmi?", + "Forgot your password?": "Parolingizni unutdingizmi?", + "France": "Fransiya", + "French Guiana": "Fransuz Gvianasi", + "French Polynesia": "Fransuz Polineziyasi", + "French Southern Territories": "Fransiyaning Janubiy Hududlari", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Gurjiston", + "Germany": "Germaniya", + "Ghana": "Gana", + "Gibraltar": "Gibraltar", + "Go Home": "Uy Borish", + "Greece": "Gretsiya", + "Greenland": "Grenlandiya", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Gvatemala", + "Guernsey": "Guernsey", + "Guinea": "Gvineya", + "Guinea-Bissau": "Gvineya-Bissau", + "Guyana": "Guyana", + "Haiti": "Gaiti", + "Heard Island & Mcdonald Islands": "Heard Island va McDonald orollari", + "Hide Content": "Tarkibni Yashirish", + "Hold Up!": "Ushlab Turing!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Tarjima gonduras", + "Hong Kong": "Hong Kong", + "Hungary": "Vengriya", + "Iceland": "Islandiya", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "Agar parol tiklashni talab qilmagan bo'lsangiz, qo'shimcha harakat talab qilinmaydi.", + "Increase": "Oshirish", + "India": "Hindiston", + "Indonesia": "Indoneziya", + "Iran, Islamic Republic Of": "Eron", + "Iraq": "Iraqiyat", + "Ireland": "Irlandiya", + "Isle Of Man": "Inson ishle", + "Israel": "Isroil", + "Italy": "Italiya", + "Jamaica": "Yamayka", + "January": "Yanvar oyi", + "Japan": "Yaponiya", + "Jersey": "Jersi", + "Jordan": "Iordania degan", + "July": "Iyul oyi", + "June": "Iyun oyi", + "Kazakhstan": "Qozog'iston", + "Kenya": "Keniya", + "Key": "Klavishi", + "Kiribati": "Kiribati", + "Korea": "Janubiy Koreya", + "Korea, Democratic People's Republic of": "Shimoliy Koreya", + "Kosovo": "Kosovo", + "Kuwait": "Kuvayt", + "Kyrgyzstan": "Qirg'iziston", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latviya", + "Lebanon": "Livan", + "Lens": "Linza", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Liviya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litva", + "Load :perPage More": "Batafsil yuk :perPage ", + "Login": "Kirishima", + "Logout": "Chiqish", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia": "Shimoliy Makedoniya", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malayziya", + "Maldives": "Maldiv orollari", + "Mali": "Kichik", + "Malta": "Malta", + "March": "Yuriluv", + "Marshall Islands": "Marshall Orollari", + "Martinique": "Martinique", + "Mauritania": "Mavritaniya", + "Mauritius": "Mauritius", + "May": "Mayda-chuyda", + "Mayotte": "Mayotte", + "Mexico": "Mexmonlari", + "Micronesia, Federated States Of": "Micronesia", + "Moldova": "Moldova", + "Monaco": "Monaco", + "Mongolia": "Mo'g'uliston", + "Montenegro": "Chernogoriya", + "Month To Date": "Sanaga Oy", + "Montserrat": "Montserrat", + "Morocco": "Marokko", + "Mozambique": "Mozambik", + "Myanmar": "Myanma", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Niderlandlar", + "New": "Yangi", + "New :resource": "Yangi :resource", + "New Caledonia": "Yangi Kaledoniya", + "New Zealand": "Yangi Zelandiya", + "Next": "Keyingi", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeriya", + "Niue": "Niue", + "No": "Nashkiev. nu", + "No :resource matched the given criteria.": "Yo'q :resource berilgan mezonlarga mos.", + "No additional information...": "Hech qanday qo'shimcha ma'lumot...", + "No Current Data": "Hozirgi Ma'lumotlar Yo'q", + "No Data": "Ma'lumotlar Yo'q", + "no file selected": "fayl tanlanmagan", + "No Increase": "Ziyoda Yo'q", + "No Prior Data": "Oldindan Ma'lumotlar Yo'q", + "No Results Found.": "Hech Qanday Natija Topilmadi.", + "Norfolk Island": "Norfolk Oroli", + "Northern Mariana Islands": "Shimoliy Mariana Orollari", + "Norway": "Norvegiya", + "Nova User": "Nova Foydalanuvchi", + "November": "Noyabr", + "October": "Oktiyabr", + "of": "to'g'risida", + "Oman": "Ummon-ayriliq", + "Only Trashed": "Faqat Trashed", + "Original": "Original", + "Pakistan": "Pokiston", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Falastin Hududlari", + "Panama": "Panamada", + "Papua New Guinea": "Papua Yangi Gvineya", + "Paraguay": "Ta Paragvay", + "Password": "Parolini", + "Per Page": "Sahifa Boshiga", + "Peru": "Peru", + "Philippines": "Filippin", + "Pitcairn": "Pitkern Orollari", + "Poland": "Polsha", + "Portugal": "Portugaliya", + "Press \/ to search": "Matbuot \/ qidirish uchun", + "Preview": "Oldindan ko'rish", + "Previous": "Avvalgi", + "Puerto Rico": "Puerto Olib Keldi", + "Qatar": "Qatar", + "Quarter To Date": "Bugungi Kunga Qadar Chorak", + "Reload": "Reload", + "Remember Me": "Esla Meni", + "Reset Filters": "Reset Filtrlar", + "Reset Password": "Parolni Tiklash", + "Reset Password Notification": "Parolni Xabarnoma Qayta O'rnatish", + "resource": "manba", + "Resources": "Manbalar", + "resources": "manbalar", + "Restore": "Qayta tiklash", + "Restore Resource": "Resurs Tiklash", + "Restore Selected": "Tanlangan Tiklash", + "Reunion": "Uchrashuv", + "Romania": "Ruminiya", + "Run Action": "Ishlatish Harakat", + "Russian Federation": "Rossiya Federatsiyasi", + "Rwanda": "Ruanda degan", + "Saint Barthelemy": "Sankt-Barthélemy", + "Saint Helena": "Sankt-Helena", + "Saint Kitts And Nevis": "Sankt-Kitts va Nevis", + "Saint Lucia": "Sankt Sit", + "Saint Martin": "Sankt Martin", + "Saint Pierre And Miquelon": "Sankt-Pierre va Miquelon", + "Saint Vincent And Grenadines": "St Vinsent va Grenadinlar", + "Samoa": "Samoa", + "San Marino": "San-Marino", + "Sao Tome And Principe": "São Tomé va Príncipe", + "Saudi Arabia": "Saudiya Arabistoni", + "Search": "Izu-Oshima", + "Select Action": "Tanlang Harakat", + "Select All": "Hammasini Tanlang", + "Select All Matching": "Barcha Taalukli Tanlang", + "Send Password Reset Link": "Parolni Tiklash Linkini Yuborish", + "Senegal": "Senegal", + "September": "Sentyabr", + "Serbia": "Serbiya", + "Seychelles": "Seychelles", + "Show All Fields": "Barcha Maydonlarni Ko'rsatish", + "Show Content": "Tarkibni Ko'rsatish", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapur", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovakiya", + "Slovenia": "Slovenia", + "Solomon Islands": "Sulaymon Orollari", + "Somalia": "Somalida", + "Something went wrong.": "Nimadir noto'g'ri ketdi.", + "Sorry! You are not authorized to perform this action.": "Kechirasiz! Siz bu harakatni amalga oshirish uchun vakolatli emas.", + "Sorry, your session has expired.": "Kechirasiz, sessiyangiz tugadi.", + "South Africa": "Janubiy Afrika", + "South Georgia And Sandwich Isl.": "Janubiy Gruziya va Janubiy sendvich orollari", + "South Sudan": "Janubiy Sudan", + "Spain": "Ispaniya", + "Sri Lanka": "Shri Lanka", + "Start Polling": "Saylovni Boshlash", + "Stop Polling": "Saylovni To'xtatish", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard va Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Shvetsiya", + "Switzerland": "Shveytsariya", + "Syrian Arab Republic": "Suriya", + "Taiwan": "Taiwan degan", + "Tajikistan": "Tojikiston", + "Tanzania": "Tanzaniya", + "Thailand": "Tayland", + "The :resource was created!": "Bu :resource yaratilgan edi!", + "The :resource was deleted!": "Bu :resource o'chirildi edi!", + "The :resource was restored!": "Bu :resource qayta tiklandi!", + "The :resource was updated!": "Bu :resource yangilangan edi!", + "The action ran successfully!": "Harakat muvaffaqiyatli yugurdi!", + "The file was deleted!": "Fayl o'chirildi!", + "The government won't let us show you what's behind these doors": "Hukumat bizga bu eshiklar ortida nima sizga ko \" rsatish ruxsat bermaydi", + "The HasOne relationship has already been filled.": "HasOne munosabatlar allaqachon to'lgan qilindi.", + "The resource was updated!": "Resurs yangilandi!", + "There are no available options for this resource.": "Ushbu resurs uchun mavjud variantlar mavjud emas.", + "There was a problem executing the action.": "Harakatni bajarishda muammo yuzaga keldi.", + "There was a problem submitting the form.": "Shaklni topshirishda muammo yuzaga keldi.", + "This file field is read-only.": "Ushbu fayl maydoni faqat o'qiladi.", + "This image": "Ushbu rasm", + "This resource no longer exists": "Ushbu resurs endi mavjud emas", + "Timor-Leste": "Timor-Leste", + "Today": "Bugun-nig", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Kelinglar", + "total": "jami", + "Trashed": "Trashed", + "Trinidad And Tobago": "Trinidad va Tobago", + "Tunisia": "Tunisia degan", + "Turkey": "Turkiye", + "Turkmenistan": "Turkmaniston", + "Turks And Caicos Islands": "Turklar va Kaykos orollari", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraina", + "United Arab Emirates": "Birlashgan Arab Amirliklari", + "United Kingdom": "Buyuk Britaniya", + "United States": "Uzbekona. Edu. Ve", + "United States Outlying Islands": "AQSH Outlying Orollar", + "Update": "Yangilash", + "Update & Continue Editing": "Yangilash Va Tahrirlash Davom", + "Update :resource": "Yangilash :resource", + "Update :resource: :title": "Yangilash :resource: :title", + "Update attached :resource: :title": "Yangilash :resource biriktirilgan: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekiston", + "Value": "Qadr-qimmatim", + "Vanuatu": "Vanuatu", + "Venezuela": "Venesuela", + "Viet Nam": "Vietnam", + "View": "Nazarbek", + "Virgin Islands, British": "Britaniya Virgin Orollari", + "Virgin Islands, U.S.": "AQSH Virgin Orollari", + "Wallis And Futuna": "Wallis va Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Kosmosda adashib qoldik. Agar ko'rish uchun harakat qilindi sahifa mavjud emas.", + "Welcome Back!": "Orqaga Xush Kelibsiz!", + "Western Sahara": "G'arbiy Sahara", + "Whoops": "Whoops", + "Whoops!": "Whoops!", + "With Trashed": "Trashed Bilan ", + "Write": "Yozish", + "Year To Date": "Sanaga Yil", + "Yemen": "Yemeni", + "Yes": "Ha mayli", + "You are receiving this email because we received a password reset request for your account.": "Biz sizning hisob uchun parol reset so'rov qabul chunki siz bu elektron pochta qabul qilinadi.", + "Zambia": "Zambiya", + "Zimbabwe": "Zimbabve" +} diff --git a/locales/uz_Latn/packages/spark-paddle.json b/locales/uz_Latn/packages/spark-paddle.json new file mode 100644 index 00000000000..a19fa258348 --- /dev/null +++ b/locales/uz_Latn/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Xizmat ko'rsatish shartlari", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Whoops! Nimadir noto'g'ri ketdi.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/uz_Latn/packages/spark-stripe.json b/locales/uz_Latn/packages/spark-stripe.json new file mode 100644 index 00000000000..8c52e07d789 --- /dev/null +++ b/locales/uz_Latn/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afg'oniston", + "Albania": "Albaniya", + "Algeria": "Algeria degan", + "American Samoa": "Amerika Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorran", + "Angola": "Angolada", + "Anguilla": "Anguilla", + "Antarctica": "Antarktida", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armaniston", + "Aruba": "Aruba", + "Australia": "Avstraliya", + "Austria": "Avstriya", + "Azerbaijan": "Azamjon Abdullaev", + "Bahamas": "Bahamas", + "Bahrain": "Ummon", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgiya", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Butan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Orol", + "Brazil": "Braziliya", + "British Indian Ocean Territory": "Britaniya Hind Okeani Hududi", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bolgariya", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Cameroon", + "Canada": "Kanada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Kabo-Berdi", + "Card": "Kart-Saisiyat", + "Cayman Islands": "Cayman Orollar", + "Central African Republic": "Markaziy Afrika Respublikasi", + "Chad": "Chad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Cile Ghilardi", + "China": "Xitoy", + "Christmas Island": "Rojdestvo Orol", + "City": "City", + "Cocos (Keeling) Islands": "Cocos () Keeling Orollar", + "Colombia": "Kolumbiya", + "Comoros": "Comoros", + "Confirm Payment": "To'lovni Tasdiqlash", + "Confirm your :amount payment": ":amount siz to'lovni tasdiqlang ", + "Congo": "Congo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Kuk Orollari", + "Costa Rica": "Costa Gilgan", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Xorvatiya", + "Cuba": "Cuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Kipr", + "Czech Republic": "Czechia", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Daniya", + "Djibouti": "Jibuti", + "Dominica": "Yakshanbalik", + "Dominican Republic": "Dominican Respublikasi", + "Download Receipt": "Download Receipt", + "Ecuador": "Ekvadorda", + "Egypt": "Misralar", + "El Salvador": "Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Equatorial Gvineya", + "Eritrea": "Eritreya", + "Estonia": "Estoniya", + "Ethiopia": "Ethiopia", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Qo'shimcha tasdiqlash to'lov qayta ishlash uchun zarur bo'lgan. Quyidagi tugmani bosish orqali to'lov sahifasiga davom iltimos.", + "Falkland Islands (Malvinas)": "Falkland Orollari (Malvinas)", + "Faroe Islands": "Farer Orollari", + "Fiji": "Fidji Ghilardi", + "Finland": "Finlandiya", + "France": "Fransiya", + "French Guiana": "Fransuz Gvianasi", + "French Polynesia": "Fransuz Polineziyasi", + "French Southern Territories": "Fransiyaning Janubiy Hududlari", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Gurjiston", + "Germany": "Germaniya", + "Ghana": "Gana", + "Gibraltar": "Gibraltar", + "Greece": "Gretsiya", + "Greenland": "Grenlandiya", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Gvatemala", + "Guernsey": "Guernsey", + "Guinea": "Gvineya", + "Guinea-Bissau": "Gvineya-Bissau", + "Guyana": "Guyana", + "Haiti": "Gaiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Tarjima gonduras", + "Hong Kong": "Hong Kong", + "Hungary": "Vengriya", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Islandiya", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "Hindiston", + "Indonesia": "Indoneziya", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Iraqiyat", + "Ireland": "Irlandiya", + "Isle of Man": "Isle of Man", + "Israel": "Isroil", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italiya", + "Jamaica": "Yamayka", + "Japan": "Yaponiya", + "Jersey": "Jersi", + "Jordan": "Iordania degan", + "Kazakhstan": "Qozog'iston", + "Kenya": "Keniya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Shimoliy Koreya", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuvayt", + "Kyrgyzstan": "Qirg'iziston", + "Lao People's Democratic Republic": "Laos", + "Latvia": "Latviya", + "Lebanon": "Livan", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Liviya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Litva", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malayziya", + "Maldives": "Maldiv orollari", + "Mali": "Kichik", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marshall Orollari", + "Martinique": "Martinique", + "Mauritania": "Mavritaniya", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mexmonlari", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monaco", + "Mongolia": "Mo'g'uliston", + "Montenegro": "Chernogoriya", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Marokko", + "Mozambique": "Mozambik", + "Myanmar": "Myanma", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Niderlandlar", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "Yangi Kaledoniya", + "New Zealand": "Yangi Zelandiya", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeriya", + "Niue": "Niue", + "Norfolk Island": "Norfolk Oroli", + "Northern Mariana Islands": "Shimoliy Mariana Orollari", + "Norway": "Norvegiya", + "Oman": "Ummon-ayriliq", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pokiston", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Falastin Hududlari", + "Panama": "Panamada", + "Papua New Guinea": "Papua Yangi Gvineya", + "Paraguay": "Ta Paragvay", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Filippin", + "Pitcairn": "Pitkern Orollari", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Polsha", + "Portugal": "Portugaliya", + "Puerto Rico": "Puerto Olib Keldi", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Ruminiya", + "Russian Federation": "Rossiya Federatsiyasi", + "Rwanda": "Ruanda degan", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "Sankt-Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "Sankt Sit", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San-Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saudiya Arabistoni", + "Save": "Saqlash", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbiya", + "Seychelles": "Seychelles", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapur", + "Slovakia": "Slovakiya", + "Slovenia": "Slovenia", + "Solomon Islands": "Sulaymon Orollari", + "Somalia": "Somalida", + "South Africa": "Janubiy Afrika", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Ispaniya", + "Sri Lanka": "Shri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Shvetsiya", + "Switzerland": "Shveytsariya", + "Syrian Arab Republic": "Suriya", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tojikiston", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Xizmat ko'rsatish shartlari", + "Thailand": "Tayland", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Kelinglar", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia degan", + "Turkey": "Turkiye", + "Turkmenistan": "Turkmaniston", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraina", + "United Arab Emirates": "Birlashgan Arab Amirliklari", + "United Kingdom": "Buyuk Britaniya", + "United States": "Uzbekona. Edu. Ve", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Yangilash", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekiston", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "Britaniya Virgin Orollari", + "Virgin Islands, U.S.": "AQSH Virgin Orollari", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "G'arbiy Sahara", + "Whoops! Something went wrong.": "Whoops! Nimadir noto'g'ri ketdi.", + "Yearly": "Yearly", + "Yemen": "Yemeni", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambiya", + "Zimbabwe": "Zimbabve", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/uz_Latn/uz_Latn.json b/locales/uz_Latn/uz_Latn.json index 43743141a0e..0a6295215f3 100644 --- a/locales/uz_Latn/uz_Latn.json +++ b/locales/uz_Latn/uz_Latn.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Kun", - "60 Days": "60 Kun", - "90 Days": "90 Kun", - ":amount Total": ":amount Jami", - ":days day trial": ":days day trial", - ":resource Details": ":resource Tafsilotlarini", - ":resource Details: :title": ":resource Tafsilotlarini: :title", "A fresh verification link has been sent to your email address.": "Elektron pochta manzilingizga yangi tekshiruv havolasi yuborildi.", - "A new verification link has been sent to the email address you provided during registration.": "Ro'yxatga olish paytida taqdim etilgan elektron pochta manziliga yangi tekshirish havolasi yuborildi.", - "Accept Invitation": "Taklifnomani Qabul Qiling", - "Action": "Harakat", - "Action Happened At": "Da Sodir", - "Action Initiated By": "Tashabbusi Bilan", - "Action Name": "Nomlash", - "Action Status": "Statuslari", - "Action Target": "Nishonov Maqsud", - "Actions": "Amallari", - "Add": "Qo'shish", - "Add a new team member to your team, allowing them to collaborate with you.": "Jamoangizga yangi jamoa a'zosini qo'shing, ularga siz bilan hamkorlik qilish imkonini beradi.", - "Add additional security to your account using two factor authentication.": "Ikki faktor autentifikatsiya yordamida hisobingizga qo'shimcha xavfsizlik qo'shish.", - "Add row": "Qator qo'shish", - "Add Team Member": "Jamoa A'zosini Qo'shish", - "Add VAT Number": "Add VAT Number", - "Added.": "Qo'shib qo'ydi.", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "Administrator", - "Administrator users can perform any action.": "Administrator foydalanuvchilar har qanday amalni bajarishi mumkin.", - "Afghanistan": "Afg'oniston", - "Aland Islands": "Åland Orollar", - "Albania": "Albaniya", - "Algeria": "Algeria degan", - "All of the people that are part of this team.": "Bu jamoa tarkibiga kiruvchi barcha odamlar.", - "All resources loaded.": "Barcha manbalar Yuklangan.", - "All rights reserved.": "Butunsinavlar.Co. ve", - "Already registered?": "Allaqachon ro'yxatdan o'tgan?", - "American Samoa": "Amerika Samoa", - "An error occured while uploading the file.": "Faylni yuklashda xatolik yuz berdi.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorran", - "Angola": "Angolada", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Ushbu sahifa yuklanganidan beri boshqa foydalanuvchi ushbu manbani yangiladi. Iltimos, sahifani yangilang va qayta urinib ko'ring.", - "Antarctica": "Antarktida", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua va Barbuda", - "API Token": "API Ma'lumoti", - "API Token Permissions": "API Ma'lumoti Turishni", - "API Tokens": "API Tokens", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API ma'lumoti uchinchi tomon xizmatlariga sizning nomingizdan bizning dasturimiz bilan tasdiqlashga imkon beradi.", - "April": "April degan", - "Are you sure you want to delete the selected resources?": "Agar tanlangan resurslarni o'chirish uchun ishonchingiz komilmi?", - "Are you sure you want to delete this file?": "Agar bu faylni o'chirish uchun ishonchingiz komilmi?", - "Are you sure you want to delete this resource?": "Agar bu resurs o'chirish uchun ishonchingiz komilmi?", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Agar bu jamoa o'chirish uchun ishonchingiz komilmi? Bir jamoa o'chirilgach, uning barcha resurslari va ma'lumotlari doimiy ravishda o'chiriladi.", - "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.": "Agar siz hisob o'chirish uchun ishonchingiz komilmi? Hisobingiz o'chirilgach, uning barcha resurslari va ma'lumotlari doimiy ravishda o'chiriladi. Agar doimiy hisobingizni o'chirish istardim tasdiqlash uchun parolni kiriting.", - "Are you sure you want to detach the selected resources?": "Agar tanlangan resurslarni ajratib olmoqchi ishonchingiz komilmi?", - "Are you sure you want to detach this resource?": "Ushbu resursni ajratib olishni xohlaysizmi?", - "Are you sure you want to force delete the selected resources?": "Agar tanlangan resurslarni o'chirish majbur ishonchingiz komilmi?", - "Are you sure you want to force delete this resource?": "Agar bu resurs o'chirish majbur qilish ishonchingiz komilmi?", - "Are you sure you want to restore the selected resources?": "Tanlangan resurslarni qayta tiklashni xohlaysizmi?", - "Are you sure you want to restore this resource?": "Ushbu resursni qayta tiklashni xohlaysizmi?", - "Are you sure you want to run this action?": "Agar bu harakatni ishlatish uchun ishonchingiz komilmi?", - "Are you sure you would like to delete this API token?": "Agar bu API ma'lumoti o'chirish uchun ishonchingiz komilmi?", - "Are you sure you would like to leave this team?": "Bu jamoadan ketishni hohlayotganingizga ishonchingiz komilmi?", - "Are you sure you would like to remove this person from the team?": "Agar jamoa bu kishini olib tashlash uchun istardim ishonchingiz komilmi?", - "Argentina": "Argentina", - "Armenia": "Armaniston", - "Aruba": "Aruba", - "Attach": "Biriktiring", - "Attach & Attach Another": "Attach & Boshqa Biriktiring", - "Attach :resource": "Qo'shishingiz :resource", - "August": "Avgust oyi", - "Australia": "Avstraliya", - "Austria": "Avstriya", - "Azerbaijan": "Azamjon Abdullaev", - "Bahamas": "Bahamas", - "Bahrain": "Ummon", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Davom etishdan oldin, bir tekshirish link uchun elektron pochta tekshiring.", - "Belarus": "Belarus", - "Belgium": "Belgiya", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Butan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius va Sábado", - "Bosnia And Herzegovina": "Bosniya va Gersegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvet Orol", - "Brazil": "Braziliya", - "British Indian Ocean Territory": "Britaniya Hind Okeani Hududi", - "Browser Sessions": "Brauzer Seanslari", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bolgariya", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Cambodia", - "Cameroon": "Cameroon", - "Canada": "Kanada", - "Cancel": "Bekor qilish", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "Kabo-Berdi", - "Card": "Kart-Saisiyat", - "Cayman Islands": "Cayman Orollar", - "Central African Republic": "Markaziy Afrika Respublikasi", - "Chad": "Chad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "O'zgarishlar", - "Chile": "Cile Ghilardi", - "China": "Xitoy", - "Choose": "Tanlash", - "Choose :field": ":field tanlash ", - "Choose :resource": ":resource tanlash ", - "Choose an option": "Variantni tanlang", - "Choose date": "Sana tanlang", - "Choose File": "Faylni Tanlang", - "Choose Type": "Turini Tanlang", - "Christmas Island": "Rojdestvo Orol", - "City": "City", "click here to request another": "boshqa so'rov uchun shu yerni bosing", - "Click to choose": "Tanlash uchun bosing", - "Close": "Yaqin", - "Cocos (Keeling) Islands": "Cocos () Keeling Orollar", - "Code": "Kodilar", - "Colombia": "Kolumbiya", - "Comoros": "Comoros", - "Confirm": "Tasdiqlayman", - "Confirm Password": "Parolni Tasdiqlang", - "Confirm Payment": "To'lovni Tasdiqlash", - "Confirm your :amount payment": ":amount siz to'lovni tasdiqlang ", - "Congo": "Congo", - "Congo, Democratic Republic": "Kongo, Demokratik Respublikasi", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Doimiy", - "Cook Islands": "Kuk Orollari", - "Costa Rica": "Costa Gilgan", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "topib bo'lmadi.", - "Country": "Country", - "Coupon": "Coupon", - "Create": "Yaratish", - "Create & Add Another": "Yaratish & Boshqa Qo'shish", - "Create :resource": ":resource yaratish ", - "Create a new team to collaborate with others on projects.": "Loyihalar bo'yicha boshqalar bilan hamkorlik qilish uchun yangi jamoa yaratish.", - "Create Account": "Hisob Yaratish", - "Create API Token": "Yaratish API Ma'lumoti", - "Create New Team": "Yangi Jamoa Yaratish", - "Create Team": "Jamoa Yaratish", - "Created.": "Yaratgan.", - "Croatia": "Xorvatiya", - "Cuba": "Cuba", - "Curaçao": "Curacao", - "Current Password": "Joriy Parol", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Moslashtiring", - "Cyprus": "Kipr", - "Czech Republic": "Czechia", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Dashboard", - "December": "Dekabr oyi", - "Decrease": "Kamayish", - "Delete": "O'chirish", - "Delete Account": "Hisob Qaydnomasini O'chirish", - "Delete API Token": "O'chirish API Ma'lumoti", - "Delete File": "Faylni O'chirish", - "Delete Resource": "Resurs O'chirish", - "Delete Selected": "Tanlangan O'chirish", - "Delete Team": "Jamoani O'chirish", - "Denmark": "Daniya", - "Detach": "Detach", - "Detach Resource": "Detach Resurs", - "Detach Selected": "Detach Tanlangan", - "Details": "Batafsil", - "Disable": "O'chirish", - "Djibouti": "Jibuti", - "Do you really want to leave? You have unsaved changes.": "Agar chindan tark istaysizmi? Siz saqlanmagan o'zgarishlar bor.", - "Dominica": "Yakshanbalik", - "Dominican Republic": "Dominican Respublikasi", - "Done.": "Qilingan.", - "Download": "Yuklab olish", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-Mail Manzil", - "Ecuador": "Ekvadorda", - "Edit": "Edit. uz", - "Edit :resource": "Tahrir :resource", - "Edit Attached": "Tahrirlash Biriktirilgan", - "Editor": "Muharrir", - "Editor users have the ability to read, create, and update.": "Muharrir foydalanuvchilar o'qish imkoniga ega, yaratish, va yangilash.", - "Egypt": "Misralar", - "El Salvador": "Salvador", - "Email": "E-pochta", - "Email Address": "Elektron Pochta Manzili", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Email Parolni Tiklash Link", - "Enable": "Yoqish", - "Ensure your account is using a long, random password to stay secure.": "Hisob uzoq yordamida ishonch hosil qiling, xavfsiz qolish tasodifiy parol.", - "Equatorial Guinea": "Equatorial Gvineya", - "Eritrea": "Eritreya", - "Estonia": "Estoniya", - "Ethiopia": "Ethiopia", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Qo'shimcha tasdiqlash to'lov qayta ishlash uchun zarur bo'lgan. Quyidagi to'lov ma'lumotlarini to'ldirib, to'lovni tasdiqlang.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Qo'shimcha tasdiqlash to'lov qayta ishlash uchun zarur bo'lgan. Quyidagi tugmani bosish orqali to'lov sahifasiga davom iltimos.", - "Falkland Islands (Malvinas)": "Falkland Orollari (Malvinas)", - "Faroe Islands": "Farer Orollari", - "February": "Fevral", - "Fiji": "Fidji Ghilardi", - "Finland": "Finlandiya", - "For your security, please confirm your password to continue.": "Sizning xavfsizlik uchun, davom ettirish uchun parolni tasdiqlash iltimos.", "Forbidden": "Harom qilingan", - "Force Delete": "Kuch O'chirish", - "Force Delete Resource": "Kuch O'chirish Resurs", - "Force Delete Selected": "Force Tanlangan O'chirish", - "Forgot Your Password?": "Parolingizni Unutdingizmi?", - "Forgot your password?": "Parolingizni unutdingizmi?", - "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.": "Parolingizni unutdingizmi? Hech qanday muammo. Faqat bizga elektron pochta manzilini xabar bering va biz sizga yangi tanlash imkonini beradi parol reset link elektron pochta qiladi.", - "France": "Fransiya", - "French Guiana": "Fransuz Gvianasi", - "French Polynesia": "Fransuz Polineziyasi", - "French Southern Territories": "Fransiyaning Janubiy Hududlari", - "Full name": "To'liq ismi", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Gurjiston", - "Germany": "Germaniya", - "Ghana": "Gana", - "Gibraltar": "Gibraltar", - "Go back": "Orqaga qaytish", - "Go Home": "Uy Borish", "Go to page :page": "Sahifa :page borish ", - "Great! You have accepted the invitation to join the :team team.": "Buyuk! Siz :team jamoasiga qo'shilish taklifini qabul qildingiz.", - "Greece": "Gretsiya", - "Greenland": "Grenlandiya", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Gvatemala", - "Guernsey": "Guernsey", - "Guinea": "Gvineya", - "Guinea-Bissau": "Gvineya-Bissau", - "Guyana": "Guyana", - "Haiti": "Gaiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Heard Island va McDonald orollari", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Salomlashamiz!", - "Hide Content": "Tarkibni Yashirish", - "Hold Up!": "Ushlab Turing!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Tarjima gonduras", - "Hong Kong": "Hong Kong", - "Hungary": "Vengriya", - "I agree to the :terms_of_service and :privacy_policy": ":terms_of_service va :privacy_policy ga qo'shilaman", - "Iceland": "Islandiya", - "ID": "ID", - "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.": "Agar kerak bo'lsa, siz qurilmalar barcha bo'ylab boshqa brauzer sessiyalari barcha chiqib kirishingiz mumkin. Sizning so'nggi sessiyalar ba'zi quyida keltirilgan; ammo, bu ro'yxat to'liq bo'lishi mumkin emas. Agar hisob xavf qilingan his bo'lsa, siz ham parolni yangilash kerak.", "If necessary, you may logout 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.": "Agar kerak bo'lsa, siz qurilmalar barcha bo'ylab boshqa brauzer sessiyalari barcha chiqish mumkin. Sizning so'nggi sessiyalar ba'zi quyida keltirilgan; ammo, bu ro'yxat to'liq bo'lishi mumkin emas. Agar hisob xavf qilingan his bo'lsa, siz ham parolni yangilash kerak.", - "If you already have an account, you may accept this invitation by clicking the button below:": "Agar siz allaqachon hisobingiz bo'lsa, quyidagi tugmani bosish orqali ushbu taklifni qabul qilishingiz mumkin:", "If you did not create an account, no further action is required.": "Agar hisob yaratish bermadi bo'lsa, hech yanada harakat talab qilinadi.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Agar siz ushbu jamoaga taklif olishni kutmagan bo'lsangiz, ushbu elektron pochtani bekor qilishingiz mumkin.", "If you did not receive the email": "Emailni olmagan bo'lsangiz", - "If you did not request a password reset, no further action is required.": "Agar parol tiklashni talab qilmagan bo'lsangiz, qo'shimcha harakat talab qilinmaydi.", - "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:": "Agar hisob bo'lmasa, agar quyidagi tugmani bosish birini yaratishingiz mumkin. Hisob yaratganingizdan so'ng, jamoa taklifini qabul qilish uchun ushbu e-pochtada taklifni qabul qilish tugmasini bosishingiz mumkin:", - "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Agar muammo \":actiontext\" tugmasini bosish ega bo'lsangiz, nusxa va quyidagi URL joylashtirish\nveb-brauzeringiz ichiga:", - "Increase": "Oshirish", - "India": "Hindiston", - "Indonesia": "Indoneziya", "Invalid signature.": "Haqiqiy emas imzo.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Eron", - "Iraq": "Iraqiyat", - "Ireland": "Irlandiya", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Inson ishle", - "Israel": "Isroil", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italiya", - "Jamaica": "Yamayka", - "January": "Yanvar oyi", - "Japan": "Yaponiya", - "Jersey": "Jersi", - "Jordan": "Iordania degan", - "July": "Iyul oyi", - "June": "Iyun oyi", - "Kazakhstan": "Qozog'iston", - "Kenya": "Keniya", - "Key": "Klavishi", - "Kiribati": "Kiribati", - "Korea": "Janubiy Koreya", - "Korea, Democratic People's Republic of": "Shimoliy Koreya", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuvayt", - "Kyrgyzstan": "Qirg'iziston", - "Lao People's Democratic Republic": "Laos", - "Last active": "Oxirgi faol", - "Last used": "Oxirgi ishlatilgan", - "Latvia": "Latviya", - "Leave": "Tark etmoq", - "Leave Team": "Jamoani Tark Eting", - "Lebanon": "Livan", - "Lens": "Linza", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Liviya", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Litva", - "Load :perPage More": "Batafsil yuk :perPage ", - "Log in": "Kirishinkyu. com. ve", "Log out": "Log out", - "Log Out": "Log Out", - "Log Out Other Browser Sessions": "Boshqa Brauzer Sessiyalari Chiqib Kirish", - "Login": "Kirishima", - "Logout": "Chiqish", "Logout Other Browser Sessions": "Logout Boshqa Brauzer Sessiyalari", - "Luxembourg": "Luxembourg", - "Macao": "Macao", - "Macedonia": "Shimoliy Makedoniya", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagascar", - "Malawi": "Malawi", - "Malaysia": "Malayziya", - "Maldives": "Maldiv orollari", - "Mali": "Kichik", - "Malta": "Malta", - "Manage Account": "Hisob Boshqarish", - "Manage and log out your active sessions on other browsers and devices.": "Boshqarish va boshqa brauzerlar va qurilmalarda faol mashg'ulotlari chiqib kirish.", "Manage and logout your active sessions on other browsers and devices.": "Boshqarish va boshqa brauzerlar va qurilmalarda faol mashg'ulotlari chiqish.", - "Manage API Tokens": "Boshqarish API Tokens", - "Manage Role": "Rol Boshqarish", - "Manage Team": "Jamoani Boshqarish", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "Yuriluv", - "Marshall Islands": "Marshall Orollari", - "Martinique": "Martinique", - "Mauritania": "Mavritaniya", - "Mauritius": "Mauritius", - "May": "Mayda-chuyda", - "Mayotte": "Mayotte", - "Mexico": "Mexmonlari", - "Micronesia, Federated States Of": "Micronesia", - "Moldova": "Moldova", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monaco", - "Mongolia": "Mo'g'uliston", - "Montenegro": "Chernogoriya", - "Month To Date": "Sanaga Oy", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Marokko", - "Mozambique": "Mozambik", - "Myanmar": "Myanma", - "Name": "Nomlash", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Niderlandlar", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "Hech qisi yo'q", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "Yangi", - "New :resource": "Yangi :resource", - "New Caledonia": "Yangi Kaledoniya", - "New Password": "Yangi Parol", - "New Zealand": "Yangi Zelandiya", - "Next": "Keyingi", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigeriya", - "Niue": "Niue", - "No": "Nashkiev. nu", - "No :resource matched the given criteria.": "Yo'q :resource berilgan mezonlarga mos.", - "No additional information...": "Hech qanday qo'shimcha ma'lumot...", - "No Current Data": "Hozirgi Ma'lumotlar Yo'q", - "No Data": "Ma'lumotlar Yo'q", - "no file selected": "fayl tanlanmagan", - "No Increase": "Ziyoda Yo'q", - "No Prior Data": "Oldindan Ma'lumotlar Yo'q", - "No Results Found.": "Hech Qanday Natija Topilmadi.", - "Norfolk Island": "Norfolk Oroli", - "Northern Mariana Islands": "Shimoliy Mariana Orollari", - "Norway": "Norvegiya", "Not Found": "Topilmagan", - "Nova User": "Nova Foydalanuvchi", - "November": "Noyabr", - "October": "Oktiyabr", - "of": "to'g'risida", "Oh no": "Oh yo'q", - "Oman": "Ummon-ayriliq", - "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 jamoa o'chirilgach, uning barcha resurslari va ma'lumotlari doimiy ravishda o'chiriladi. Ushbu jamoani yo'q qilishdan oldin, iltimos, ushbu jamoa bilan bog'liq har qanday ma'lumot yoki ma'lumotni yuklab oling.", - "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.": "Hisobingiz o'chirilgach, uning barcha resurslari va ma'lumotlari doimiy ravishda o'chiriladi. Hisobingizni yo'q qilishdan oldin, iltimos, saqlab qolishni istagan har qanday ma'lumot yoki ma'lumotni yuklab oling.", - "Only Trashed": "Faqat Trashed", - "Original": "Original", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Sahifa Muddati Tugagan", "Pagination Navigation": "Pagination Navigatsiya", - "Pakistan": "Pokiston", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Falastin Hududlari", - "Panama": "Panamada", - "Papua New Guinea": "Papua Yangi Gvineya", - "Paraguay": "Ta Paragvay", - "Password": "Parolini", - "Pay :amount": "To'lash :amount", - "Payment Cancelled": "To'lov Bekor Qilindi", - "Payment Confirmation": "To'lovni Tasdiqlash", - "Payment Information": "Payment Information", - "Payment Successful": "To'lov Muvaffaqiyatli", - "Pending Team Invitations": "Kutilayotganlar Jamoasi Taklifnomalari", - "Per Page": "Sahifa Boshiga", - "Permanently delete this team.": "Doimiy ravishda bu jamoa o'chirish.", - "Permanently delete your account.": "Doimiy ravishda hisobingizni o'chirish.", - "Permissions": "Togri aytas", - "Peru": "Peru", - "Philippines": "Filippin", - "Photo": "Uzbekona. ve", - "Pitcairn": "Pitkern Orollari", "Please click the button below to verify your email address.": "E-mail manzilingizni tekshirish uchun quyidagi tugmani bosing.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Iltimos, favqulodda tiklash kodlaringizdan biriga kirib hisobingizga kirishni tasdiqlang.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Sizning autentifikator dastur tomonidan taqdim autentifikatsiya kodni kirib hisobingizga kirishni tasdiqlash iltimos.", "Please confirm your password before continuing.": "Davom ettirishdan oldin parolingizni tasdiqlang.", - "Please copy your new API token. For your security, it won't be shown again.": "Yangi API ma'lumoti nusxa iltimos. Sizning xavfsizlik uchun, u yana ko'rsatilgan bo'lmaydi.", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Agar qurilmalar barcha bo'ylab boshqa brauzer sessiyalari chiqib kirish uchun istardim tasdiqlash uchun parolni kiriting.", "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Agar qurilmalar barcha bo'ylab boshqa brauzer sessiyalari chiqish istardim tasdiqlash uchun parolni kiriting.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "Please provide the email address of the person you would like to add to this team.": "Iltimos, ushbu jamoaga qo'shmoqchi bo'lgan shaxsning elektron pochta manzilini taqdim eting.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Iltimos, ushbu jamoaga qo'shmoqchi bo'lgan shaxsning elektron pochta manzilini taqdim eting. Elektron pochta manzili mavjud hisob bilan bog'liq bo'lishi kerak.", - "Please provide your name.": "Iltimos, ismingizni taqdim eting.", - "Poland": "Polsha", - "Portugal": "Portugaliya", - "Press \/ to search": "Matbuot \/ qidirish uchun", - "Preview": "Oldindan ko'rish", - "Previous": "Avvalgi", - "Privacy Policy": "Maxfiylik Siyosati", - "Profile": "Profilga", - "Profile Information": "Profil Haqida Ma'lumot", - "Puerto Rico": "Puerto Olib Keldi", - "Qatar": "Qatar", - "Quarter To Date": "Bugungi Kunga Qadar Chorak", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Qayta Tiklash Kodi", "Regards": "Tilaklar", - "Regenerate Recovery Codes": "Qayta Tiklash Kodlari", - "Register": "Ro'yxatdan o'tish", - "Reload": "Reload", - "Remember me": "Esla meni", - "Remember Me": "Esla Meni", - "Remove": "Olib tashlash", - "Remove Photo": "Rasmni Olib Tashlash", - "Remove Team Member": "Team A'zosi Olib Tashlash", - "Resend Verification Email": "Resend Tekshirish Email", - "Reset Filters": "Reset Filtrlar", - "Reset Password": "Parolni Tiklash", - "Reset Password Notification": "Parolni Xabarnoma Qayta O'rnatish", - "resource": "manba", - "Resources": "Manbalar", - "resources": "manbalar", - "Restore": "Qayta tiklash", - "Restore Resource": "Resurs Tiklash", - "Restore Selected": "Tanlangan Tiklash", "results": "natijalar", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Uchrashuv", - "Role": "Roliklar fattohhon", - "Romania": "Ruminiya", - "Run Action": "Ishlatish Harakat", - "Russian Federation": "Rossiya Federatsiyasi", - "Rwanda": "Ruanda degan", - "Réunion": "Réunion", - "Saint Barthelemy": "Sankt-Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "Sankt-Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "Sankt-Kitts va Nevis", - "Saint Lucia": "Sankt Sit", - "Saint Martin": "Sankt Martin", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "Sankt-Pierre va Miquelon", - "Saint Vincent And Grenadines": "St Vinsent va Grenadinlar", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San-Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "São Tomé va Príncipe", - "Saudi Arabia": "Saudiya Arabistoni", - "Save": "Saqlash", - "Saved.": "Saqlandi.", - "Search": "Izu-Oshima", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Yangi Rasm Tanlang", - "Select Action": "Tanlang Harakat", - "Select All": "Hammasini Tanlang", - "Select All Matching": "Barcha Taalukli Tanlang", - "Send Password Reset Link": "Parolni Tiklash Linkini Yuborish", - "Senegal": "Senegal", - "September": "Sentyabr", - "Serbia": "Serbiya", "Server Error": "Server Xato", "Service Unavailable": "Xizmat Mavjud Emas", - "Seychelles": "Seychelles", - "Show All Fields": "Barcha Maydonlarni Ko'rsatish", - "Show Content": "Tarkibni Ko'rsatish", - "Show Recovery Codes": "Tiklash Kodlarini Ko'rsatish", "Showing": "Ko'rsatgan", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapur", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovakiya", - "Slovenia": "Slovenia", - "Solomon Islands": "Sulaymon Orollari", - "Somalia": "Somalida", - "Something went wrong.": "Nimadir noto'g'ri ketdi.", - "Sorry! You are not authorized to perform this action.": "Kechirasiz! Siz bu harakatni amalga oshirish uchun vakolatli emas.", - "Sorry, your session has expired.": "Kechirasiz, sessiyangiz tugadi.", - "South Africa": "Janubiy Afrika", - "South Georgia And Sandwich Isl.": "Janubiy Gruziya va Janubiy sendvich orollari", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "Janubiy Sudan", - "Spain": "Ispaniya", - "Sri Lanka": "Shri Lanka", - "Start Polling": "Saylovni Boshlash", - "State \/ County": "State \/ County", - "Stop Polling": "Saylovni To'xtatish", - "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.": "Xavfsiz parol menejeri bu qutqaruv kodlari saqlash. Sizning ikki faktor autentifikatsiya qurilma yo'qolgan bo'lsa, ular hisobingizga kirish saqlab qolish uchun foydalanish mumkin.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard va Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Shvetsiya", - "Switch Teams": "Komandalarni O'tish", - "Switzerland": "Shveytsariya", - "Syrian Arab Republic": "Suriya", - "Taiwan": "Taiwan degan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tojikiston", - "Tanzania": "Tanzaniya", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Jamoaviy Tafsilotlar", - "Team Invitation": "Jamoaga Taklif", - "Team Members": "Jamoa A'zolari", - "Team Name": "Jamoa Nomi", - "Team Owner": "Jamoa Egasi", - "Team Settings": "Jamoa Sozlamalari", - "Terms of Service": "Xizmat ko'rsatish shartlari", - "Thailand": "Tayland", - "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.": "Ro'yhatdan uchun rahmat! Ishga oldin, agar biz faqat sizga yuboriladi ulanishni bosgan elektron pochta manzilini tekshirish mumkin? Agar elektron pochta qabul qilmagan bo'lsa, biz mamnuniyat bilan sizga boshqa yuboradi.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute haqiqiy rol bo'lishi kerak.", - "The :attribute must be at least :length characters and contain at least one number.": ":attribute kamida :length belgi bo'lishi va kamida bitta raqamni o'z ichiga olishi kerak.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute kamida :length belgi bo'lishi va kamida bitta maxsus belgi va bitta raqamni o'z ichiga olishi kerak.", - "The :attribute must be at least :length characters and contain at least one special character.": ":attribute kamida :length belgi bo'lishi va kamida bitta maxsus belgini o'z ichiga olishi kerak.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute kamida :length belgilar bo'lishi va kamida bitta katta belgi va bitta raqamni o'z ichiga olishi kerak.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute kamida :length belgi bo'lishi va kamida bitta katta belgi va bitta maxsus belgini o'z ichiga olishi kerak.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute kamida :length belgi bo'lishi va kamida bitta katta belgini, bitta raqamni va bitta maxsus belgini o'z ichiga olishi kerak.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute kamida :length belgi bo'lishi va kamida bitta katta belgini o'z ichiga olishi kerak.", - "The :attribute must be at least :length characters.": ":attribute kamida :length belgi bo'lishi kerak.", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "Bu :resource yaratilgan edi!", - "The :resource was deleted!": "Bu :resource o'chirildi edi!", - "The :resource was restored!": "Bu :resource qayta tiklandi!", - "The :resource was updated!": "Bu :resource yangilangan edi!", - "The action ran successfully!": "Harakat muvaffaqiyatli yugurdi!", - "The file was deleted!": "Fayl o'chirildi!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "Hukumat bizga bu eshiklar ortida nima sizga ko \" rsatish ruxsat bermaydi", - "The HasOne relationship has already been filled.": "HasOne munosabatlar allaqachon to'lgan qilindi.", - "The payment was successful.": "To'lov muvaffaqiyatli bo'ldi.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "The provided password does not match your current password.": "Taqdim parol joriy parolni mos emas.", - "The provided password was incorrect.": "Taqdim etilgan parol noto'g'ri edi.", - "The provided two factor authentication code was invalid.": "Taqdim etilgan ikki faktorli autentifikatsiya kodi bekor qilindi.", - "The provided VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "Resurs yangilandi!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "Jamoaning nomi va egasi haqida ma'lumot.", - "There are no available options for this resource.": "Ushbu resurs uchun mavjud variantlar mavjud emas.", - "There was a problem executing the action.": "Harakatni bajarishda muammo yuzaga keldi.", - "There was a problem submitting the form.": "Shaklni topshirishda muammo yuzaga keldi.", - "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 odamlar sizning jamoasi taklif etildi va taklif elektron pochta yuborilgan. Elektron pochta taklifini qabul qilib jamoaga qo'shilishlari mumkin.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "Bu harakat ruxsatsiz.", - "This device": "Ushbu qurilma", - "This file field is read-only.": "Ushbu fayl maydoni faqat o'qiladi.", - "This image": "Ushbu rasm", - "This is a secure area of the application. Please confirm your password before continuing.": "Bu dasturning xavfsiz maydoni. Davom ettirishdan oldin parolingizni tasdiqlang.", - "This password does not match our records.": "Ushbu parol bizning yozuvlarimizga mos kelmaydi.", "This password reset link will expire in :count minutes.": "Ushbu parolni tiklash havolasi :count daqiqada tugaydi.", - "This payment was already successfully confirmed.": "Ushbu to'lov allaqachon muvaffaqiyatli tasdiqlangan.", - "This payment was cancelled.": "Bu to'lov bekor qilindi.", - "This resource no longer exists": "Ushbu resurs endi mavjud emas", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "Ushbu foydalanuvchi allaqachon jamoaga tegishli.", - "This user has already been invited to the team.": "Ushbu foydalanuvchi allaqachon jamoaga taklif qilingan.", - "Timor-Leste": "Timor-Leste", "to": "uchun", - "Today": "Bugun-nig", "Toggle navigation": "Toggle navigatsiya", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Ma'lumoti Nomi", - "Tonga": "Kelinglar", "Too Many Attempts.": "Juda Ko'p Urinishlar.", "Too Many Requests": "Juda Ko'p So'rovlar", - "total": "jami", - "Total:": "Total:", - "Trashed": "Trashed", - "Trinidad And Tobago": "Trinidad va Tobago", - "Tunisia": "Tunisia degan", - "Turkey": "Turkiye", - "Turkmenistan": "Turkmaniston", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Turklar va Kaykos orollari", - "Tuvalu": "Tuvalu", - "Two Factor Authentication": "Ikki Omil Autentifikatsiya", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Ikki omil autentifikatsiya endi yoqilgan. Telefoningiz authenticator dasturi yordamida quyidagi QR kodni Scan.", - "Uganda": "Uganda", - "Ukraine": "Ukraina", "Unauthorized": "Ruxsatsiz", - "United Arab Emirates": "Birlashgan Arab Amirliklari", - "United Kingdom": "Buyuk Britaniya", - "United States": "Uzbekona. Edu. Ve", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "AQSH Outlying Orollar", - "Update": "Yangilash", - "Update & Continue Editing": "Yangilash Va Tahrirlash Davom", - "Update :resource": "Yangilash :resource", - "Update :resource: :title": "Yangilash :resource: :title", - "Update attached :resource: :title": "Yangilash :resource biriktirilgan: :title", - "Update Password": "Parolni Yangilash", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Sizning hisob profili ma'lumot va elektron pochta manzilini yangilash.", - "Uruguay": "Uruguay", - "Use a recovery code": "Qayta tiklash kodidan foydalaning", - "Use an authentication code": "Autentifikatsiya kodidan foydalaning", - "Uzbekistan": "Uzbekiston", - "Value": "Qadr-qimmatim", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venesuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Elektron Pochta Manzilini Tekshirish", "Verify Your Email Address": "E-Mail Manzilingizni Tasdiqlang", - "Viet Nam": "Vietnam", - "View": "Nazarbek", - "Virgin Islands, British": "Britaniya Virgin Orollari", - "Virgin Islands, U.S.": "AQSH Virgin Orollari", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis va Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "Biz ushbu elektron pochta manzili bilan ro'yxatdan o'tgan foydalanuvchini topa olmadik.", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "Biz bir necha soat davomida yana parolingizni so'ramaymiz.", - "We're lost in space. The page you were trying to view does not exist.": "Kosmosda adashib qoldik. Agar ko'rish uchun harakat qilindi sahifa mavjud emas.", - "Welcome Back!": "Orqaga Xush Kelibsiz!", - "Western Sahara": "G'arbiy Sahara", - "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.": "Ikki faktor autentifikatsiya yoqilgan bo'lsa, agar xavfsiz so'raladi, autentifikatsiya paytida tasodifiy belgi. Siz telefoningiz Google Authenticator qo'llash bu ma'lumoti olish mumkin.", - "Whoops": "Whoops", - "Whoops!": "Whoops!", - "Whoops! Something went wrong.": "Whoops! Nimadir noto'g'ri ketdi.", - "With Trashed": "Trashed Bilan ", - "Write": "Yozish", - "Year To Date": "Sanaga Yil", - "Yearly": "Yearly", - "Yemen": "Yemeni", - "Yes": "Ha mayli", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "Siz kirgan!", - "You are receiving this email because we received a password reset request for your account.": "Biz sizning hisob uchun parol reset so'rov qabul chunki siz bu elektron pochta qabul qilinadi.", - "You have been invited to join the :team team!": "Siz :team jamoasi ishtirok etish uchun taklif etildi!", - "You have enabled two factor authentication.": "Siz ikki faktor autentifikatsiya yoqilgan bo'lishi.", - "You have not enabled two factor authentication.": "Siz ikki faktor autentifikatsiya yoqilgan yo'q.", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "Ular endi zarur bo'lsa, siz mavjud ma'lumoti har qanday o'chirish mumkin.", - "You may not delete your personal team.": "Siz shaxsiy jamoasi o'chirish mumkin emas.", - "You may not leave a team that you created.": "Siz yaratgan jamoani tark etmasligingiz mumkin.", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Sizning elektron pochta manzili tasdiqlangan emas.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambiya", - "Zimbabwe": "Zimbabve", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "Sizning elektron pochta manzili tasdiqlangan emas." } diff --git a/locales/vi/packages/cashier.json b/locales/vi/packages/cashier.json new file mode 100644 index 00000000000..c5c8682af10 --- /dev/null +++ b/locales/vi/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "Đã đăng ký bản quyền", + "Card": "Thẻ", + "Confirm Payment": "Xác Nhận Thanh Toán", + "Confirm your :amount payment": "Xác nhận thanh toán :amount của bạn", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Cần xác nhận thêm để xử lý thanh toán của bạn. Vui lòng xác nhận thanh toán của bạn bằng cách điền vào chi tiết thanh toán của bạn bên dưới.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Cần xác nhận thêm để xử lý thanh toán của bạn. Vui lòng tiếp tục đến trang thanh toán bằng cách nhấp vào nút bên dưới.", + "Full name": "Tên đầy đủ", + "Go back": "Quay lại", + "Jane Doe": "Jane Doe", + "Pay :amount": "Trả :amount", + "Payment Cancelled": "Huỷ Bỏ Thành Toán", + "Payment Confirmation": "Xác Nhận Thành Toán", + "Payment Successful": "Thành Toán Thành Công", + "Please provide your name.": "Vui lòng cung cấp tên của bạn.", + "The payment was successful.": "Thanh toán thành công.", + "This payment was already successfully confirmed.": "Thanh toán này đã được xác nhận thành công.", + "This payment was cancelled.": "Thanh toán này đã bị huỷ bỏ." +} diff --git a/locales/vi/packages/fortify.json b/locales/vi/packages/fortify.json new file mode 100644 index 00000000000..6acfe6f50f0 --- /dev/null +++ b/locales/vi/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 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 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 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 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.": "Trường :attribute phải có ít nhất :length kí tự.", + "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 thực hai lớp vừa nhập không chính xác." +} diff --git a/locales/vi/packages/jetstream.json b/locales/vi/packages/jetstream.json new file mode 100644 index 00000000000..650ed09e3be --- /dev/null +++ b/locales/vi/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "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 được bạn cung cấp trong quá trình đăng ký.", + "Accept Invitation": "Chấp Nhận Lời Mời", + "Add": "Thêm", + "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 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 thực hai yếu tố.", + "Add Team Member": "Thêm thành viên", + "Added.": "Đã thêm.", + "Administrator": "Administrator", + "Administrator users can perform any action.": "Administrator có thể thực hiện bất kì hành động nào.", + "All of the people that are part of this team.": "Tất cả người có trong nhóm.", + "Already registered?": "Đã đăng ký?", + "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.", + "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? 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 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 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?", + "Browser Sessions": "Phiên làm việc Trình duyệt", + "Cancel": "Hủy", + "Close": "Đóng", + "Code": "Mã", + "Confirm": "Xác nhận", + "Confirm Password": "Xác Nhận Mật Khẩu", + "Create": "Thêm", + "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 Account": "Tạo Tài Khoản", + "Create API Token": "Tạo API Token", + "Create New Team": "Tạo Nhóm mới", + "Create Team": "Tạo nhóm", + "Created.": "Đã thêm.", + "Current Password": "Mật khẩu hiện tại", + "Dashboard": "Bảng điều khiển", + "Delete": "Xóa", + "Delete Account": "Xóa Tài khoản", + "Delete API Token": "Xóa API Token", + "Delete Team": "Xóa Nhóm", + "Disable": "Vô hiệu hóa", + "Done.": "Xong.", + "Editor": "Editor", + "Editor users have the ability to read, create, and update.": "Editor có quyền đọc, thêm, cập nhật.", + "Email": "Email", + "Email Password Reset Link": "Email khôi phục mật khẩu", + "Enable": "Kích hoạt", + "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.", + "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.", + "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 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.", + "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.", + "I agree to the :terms_of_service and :privacy_policy": "Tôi đồng ý với :terms_of_service và :privacy_policy", + "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 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 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 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:", + "Last active": "Hoạt động lần cuối", + "Last used": "Sử dụng lần cuối", + "Leave": "Rời", + "Leave Team": "Rời Nhóm", + "Log in": "Đăng nhập", + "Log Out": "Đăng Xuất", + "Log Out Other Browser Sessions": "Đăng Xuất Khỏi Các Phiên Trình Duyệt Khác", + "Manage Account": "Quản lý Tài khoản", + "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 Role": "Quản lý Vai trò", + "Manage Team": "Quản lý Nhóm", + "Name": "Tên", + "New Password": "Mật khẩu mớ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 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.", + "Password": "Mật khẩu", + "Pending Team Invitations": "Lời Mời Của Nhóm Chờ Xử Lý", + "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.", + "Permissions": "Quyền hạn", + "Photo": "Ảnh", + "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 thực được cung cấp bởi ứng dụng xác thực của bạn.", + "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 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 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.", + "Privacy Policy": "Điều Khoản Riêng Tư", + "Profile": "Hồ sơ", + "Profile Information": "Thông tin cá nhân", + "Recovery Code": "Mã khôi phục", + "Regenerate Recovery Codes": "Tạo mã khôi phục", + "Register": "Đăng ký", + "Remember me": "Ghi nhớ", + "Remove": "Xoá", + "Remove Photo": "Xóa ảnh", + "Remove Team Member": "Xóa thành viên khỏi nhóm", + "Resend Verification Email": "Gửi lại email xác thực", + "Reset Password": "Đặt Lại Mật Khẩu", + "Role": "Vai trò", + "Save": "Lưu", + "Saved.": "Đã lưu.", + "Select A New Photo": "Chọn một ảnh mới", + "Show Recovery Codes": "Xem mã khôi phục", + "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.", + "Switch Teams": "Đổi Nhóm", + "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", + "Terms of Service": "Điều Khoản Dịch Vụ", + "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 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.", + "The :attribute must be a valid role.": "Trường :attribute phải là một vai trò hợp lệ.", + "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 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 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 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 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.": "Trường :attribute phải có ít nhất :length kí tự.", + "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 thực hai lớp vừa nhập không chính xác.", + "The team's name and owner information.": "Tên và thông tin của trưởng nhóm", + "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.", + "This device": "Thiết bị hiện tại", + "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 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 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.", + "Token Name": "Tên Token", + "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.": "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.", + "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.", + "Use a recovery code": "Sử dụng mã khôi phục", + "Use an authentication code": "Sử dụng mã xác minh", + "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.", + "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ể 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.", + "Whoops! Something went wrong.": "Rất tiếc! Đã xảy ra lỗi.", + "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 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 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.": "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 được rời khỏi nhóm mà bạn đã tạo." +} diff --git a/locales/vi/packages/nova.json b/locales/vi/packages/nova.json new file mode 100644 index 00000000000..a9cc1dfe8d3 --- /dev/null +++ b/locales/vi/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Ngày", + "60 Days": "60 Ngày", + "90 Days": "90 Ngày", + ":amount Total": "Tất cả :amount", + ":resource Details": "Chi Tiết :resource", + ":resource Details: :title": "Chi tiết :resource: :title", + "Action": "Hành động", + "Action Happened At": "Hành Động Xảy Ra Lúc", + "Action Initiated By": "Hành Động Khởi Tạo Bởi", + "Action Name": "Tên Hành Động", + "Action Status": "Trạng Thái Hành Động", + "Action Target": "Đối Tượng Hành Động", + "Actions": "Hành Động", + "Add row": "Thêm dòng", + "Afghanistan": "Afghanistan", + "Aland Islands": "Quần đảo Aland", + "Albania": "Albania", + "Algeria": "Algeria", + "All resources loaded.": "Tất cả tài nguyên đã được tải.", + "American Samoa": "American Samoa", + "An error occured while uploading the file.": "Có lỗi xảy ra trong quá trình tải lên tập tin.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Có một người dùng khác đã cập nhật tài nguyên này trong khi nó đã được tải. Vui lòng làm mới lại trang và thử lại.", + "Antarctica": "Nam Cực", + "Antigua And Barbuda": "Antigua Và Barbuda", + "April": "Tháng Tư", + "Are you sure you want to delete the selected resources?": "Bạn có chắc muốn xoá các tài nguyên được chọn?", + "Are you sure you want to delete this file?": "Bạn có chắc muốn xoá tập tin này?", + "Are you sure you want to delete this resource?": "Bạn có chắc muốn xoá tài nguyên này?", + "Are you sure you want to detach the selected resources?": "Bạn có chắc muốn gỡ các tài nguyên được chọn?", + "Are you sure you want to detach this resource?": "Bạn có chắc muốn gỡ tài nguyên này?", + "Are you sure you want to force delete the selected resources?": "Bạn có chắc muốn xoá vĩnh viễn các tài nguyên được chọn?", + "Are you sure you want to force delete this resource?": "Bạn có chắc muốn xoá vĩnh viễn tài nguyên này?", + "Are you sure you want to restore the selected resources?": "Bạn có chắc muốn phục hồi các tài nguyên được chọn?", + "Are you sure you want to restore this resource?": "Bạn có chắc muốn phục hồi tài nguyên này?", + "Are you sure you want to run this action?": "Bạn có chắc muốn thực hiện hành động này?", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Attach": "Gắn", + "Attach & Attach Another": "Gắn & Gắn Cái Khác", + "Attach :resource": "Gắn :resource", + "August": "Tháng Tám", + "Australia": "Úc", + "Austria": "Áo", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Bỉ", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius Và Saba", + "Bosnia And Herzegovina": "Bosnia Và Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Đảo Bouvet", + "Brazil": "Brazil", + "British Indian Ocean Territory": "Lãnh thổ Ấn Độ Dương thuộc Anh", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Campuchia", + "Cameroon": "Cameroon", + "Canada": "Canada", + "Cancel": "Hủy", + "Cape Verde": "Cape Verde", + "Cayman Islands": "Quẩn Đảo Cayman", + "Central African Republic": "Cộng Hoà Trung Phi", + "Chad": "Chad", + "Changes": "Thay đổi", + "Chile": "Chi-lê", + "China": "Trung Quốc", + "Choose": "Chọn", + "Choose :field": "Chọn :field", + "Choose :resource": "Chọn :resource", + "Choose an option": "Chọn một tuỳ chọn", + "Choose date": "Chọn này", + "Choose File": "Chọn Tập Tin", + "Choose Type": "Chọn Loại", + "Christmas Island": "Đảo Giáng Sinh", + "Click to choose": "Click vào để chọn", + "Cocos (Keeling) Islands": "Quần Đảo Cocos (Keeling)", + "Colombia": "Colombia", + "Comoros": "Comoros", + "Confirm Password": "Xác Nhận Mật Khẩu", + "Congo": "Congo", + "Congo, Democratic Republic": "Cộng Hoà Dân Chủ Congo", + "Constant": "Không thay đổi", + "Cook Islands": "Quần Đảo Cook", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "không thể tìm thấy.", + "Create": "Thêm", + "Create & Add Another": "Thêm Mới & Thêm Cái Khác", + "Create :resource": "Thêm :resource", + "Croatia": "Croatia", + "Cuba": "Cuba", + "Curaçao": "Curaçao", + "Customize": "Tuỳ chỉnh", + "Cyprus": "Cyprus", + "Czech Republic": "Cộng hòa Séc", + "Dashboard": "Bảng điều khiển", + "December": "Tháng Mười Hai", + "Decrease": "Giảm bớt", + "Delete": "Xóa", + "Delete File": "Xoá Tập Tin", + "Delete Resource": "Xoá Tài Nguyên", + "Delete Selected": "Xoá Đã Chọn", + "Denmark": "Đan Mạch", + "Detach": "Gỡ", + "Detach Resource": "Gỡ Tài Nguyên", + "Detach Selected": "Gỡ Đã Chọn", + "Details": "Chi Tiết", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Bạn có muốn rời khỏi đây? Bạn chưa lưu những thay đổi.", + "Dominica": "Dominica", + "Dominican Republic": "Cộng Hoà Dominica", + "Download": "Tải Về", + "Ecuador": "Ecuador", + "Edit": "Sửa", + "Edit :resource": "Sửa :resource", + "Edit Attached": "Sửa Đính Kèm", + "Egypt": "Ai Cập", + "El Salvador": "El Salvador", + "Email Address": "Địa Chỉ Email", + "Equatorial Guinea": "Equatorial Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Ethiopia", + "Falkland Islands (Malvinas)": "Quần Đảo Falkland (Malvinas)", + "Faroe Islands": "Quần Đảo Faroe", + "February": "Tháng Hai", + "Fiji": "Fiji", + "Finland": "Phần Lan", + "Force Delete": "Xoá Vĩnh Viễn", + "Force Delete Resource": "Xoá Vĩnh Viễn Tài Nguyên", + "Force Delete Selected": "Xoá Vĩnh Viễn Được Chọn", + "Forgot Your Password?": "Quên Mật Khẩu?", + "Forgot your password?": "Quên mật khẩu?", + "France": "Pháp", + "French Guiana": "Guiana Thuộc Pháp", + "French Polynesia": "Polynesia Thuộc Pháp", + "French Southern Territories": "Lãnh Thổ Phía Nam Thuộc Pháp", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Đức", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "Về trang chủ", + "Greece": "Hy Lạp", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Đảo Heard & Quần đảo Mcdonald", + "Hide Content": "Ẩn Nội Dung", + "Hold Up!": "Hold Up!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hồng Kông", + "Hungary": "Hungary", + "Iceland": "Iceland", + "ID": "ID", + "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.", + "Increase": "Tăng thêm", + "India": "Ấn Độ", + "Indonesia": "Indonesia", + "Iran, Islamic Republic Of": "Cộng Hoà Hồ Giáo Iran", + "Iraq": "Iraq", + "Ireland": "Ireland", + "Isle Of Man": "Người Isle", + "Israel": "Israel", + "Italy": "Ý", + "Jamaica": "Jamaica", + "January": "Tháng Một", + "Japan": "Nhật Bản", + "Jersey": "Jersey", + "Jordan": "Jordan", + "July": "Tháng Bảy", + "June": "Tháng Sáu", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Key": "Key", + "Kiribati": "Kiribati", + "Korea": "Hàn Quốc", + "Korea, Democratic People's Republic of": "Cộng Hoà Dân Chủ Nhân Dân Triều Tiên", + "Kosovo": "Kosovo", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Lào", + "Latvia": "Latvia", + "Lebanon": "Lebanon", + "Lens": "Bộ Lọc", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lithuania", + "Load :perPage More": "Tải thêm :perPage trang", + "Login": "Đăng nhập", + "Logout": "Đăng xuất", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia": "North Macedonia", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Mali", + "Malta": "Malta", + "March": "Tháng Ba", + "Marshall Islands": "Quần Đảo Marshall", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "May": "Tháng Năm", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States Of": "Liên Bang Micronesia", + "Moldova": "Moldova", + "Monaco": "Monaco", + "Mongolia": "Mông Cổ", + "Montenegro": "Montenegro", + "Month To Date": "Tháng Đến Ngày", + "Montserrat": "Montserrat", + "Morocco": "Morocco", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Hà Lan", + "New": "Mới", + "New :resource": "Thêm :resource", + "New Caledonia": "New Caledonia", + "New Zealand": "New Zealand", + "Next": "Tiếp theo", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "Không", + "No :resource matched the given criteria.": "Không :resource khớp với điều kiện được chọn.", + "No additional information...": "Không có thông tin bổ sung...", + "No Current Data": "Không Có Dữ Liệu Hiện Tại", + "No Data": "Không Có Dữ Liệu", + "no file selected": "không có tập tin được chọn", + "No Increase": "Không Tăng", + "No Prior Data": "Không Có Dữ Liệu", + "No Results Found.": "Không Tìm Thấy Kết Quả.", + "Norfolk Island": "Đảo Norfolk", + "Northern Mariana Islands": "Quần Đảo Bắc Mariana", + "Norway": "Na Uy", + "Nova User": "Người Dùng Nova", + "November": "Tháng Mười Một", + "October": "Tháng Mười", + "of": "trong", + "Oman": "Oman", + "Only Trashed": "Chỉ đã xoá", + "Original": "Gốc", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Lãnh Thổ Palestinian, Bị Chiếm Đóng", + "Panama": "Panama", + "Papua New Guinea": "Papua New Guinea", + "Paraguay": "Paraguay", + "Password": "Mật khẩu", + "Per Page": "Trên Trang", + "Peru": "Peru", + "Philippines": "Philippines", + "Pitcairn": "Pitcairn Islands", + "Poland": "Ba Lan", + "Portugal": "Bồ Đào Nha", + "Press \/ to search": "Nhấn \/ để tìm kiếm", + "Preview": "Xem Trước", + "Previous": "Trang Trước", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Quý Đến Ngày", + "Reload": "Tải Lại", + "Remember Me": "Ghi Nhớ", + "Reset Filters": "Đặt Lại Bộ Lọc", + "Reset Password": "Đặt Lại Mật Khẩu", + "Reset Password Notification": "Thông Báo Đặt Lại Mật Khẩu", + "resource": "tài nguyên", + "Resources": "Tài Nguyên", + "resources": "tài nguyên", + "Restore": "Phục Hồi", + "Restore Resource": "Phục Hồi Tài Nguyên", + "Restore Selected": "Phục Hồi Đã Chọn", + "Reunion": "Réunion", + "Romania": "Romania", + "Run Action": "Thực Hiện Hành Động", + "Russian Federation": "Liên bang Nga", + "Rwanda": "Rwanda", + "Saint Barthelemy": "St. Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts And Nevis": "St. Kitts Và Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin": "St. Martin", + "Saint Pierre And Miquelon": "St. Pierre Và Miquelon", + "Saint Vincent And Grenadines": "St. Vincent Và Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "São Tomé Và Príncipe", + "Saudi Arabia": "Ả Rập Xê Út", + "Search": "Tìm Kiếm", + "Select Action": "Chọn Hành Động", + "Select All": "Chọn Tất Cả", + "Select All Matching": "Chọn Tất Cả Trùng Khớp", + "Send Password Reset Link": "Gửi Đường Dẫn Đặt Lại Mật Khẩu", + "Senegal": "Senegal", + "September": "Tháng Chín", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Show All Fields": "Hiện Tất Cả Các Trường", + "Show Content": "Hiện Nội Dung", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapore", + "Sint Maarten (Dutch part)": "Sint Maarten (phần tiếng Hà Lan)", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Quần Đảo Solomon", + "Somalia": "Somalia", + "Something went wrong.": "Có điều gì đó không ổn xảy ra.", + "Sorry! You are not authorized to perform this action.": "Xin lỗi! Bạn không có quyền thực hiện hành động này.", + "Sorry, your session has expired.": "Xin lỗi, phiên của bạn đã hết hạn.", + "South Africa": "Nam Phi", + "South Georgia And Sandwich Isl.": "Đảo Nam Georgia và Đảo Sandwich", + "South Sudan": "Phía Nam South", + "Spain": "Tây Ban Nha", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Bắt Đầu Thăm Dò Ý Kiến", + "Stop Polling": "Dừng Thăm Dò Ý Kiến", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard Và Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Thụy Điển'", + "Switzerland": "Thuỵ Sĩ", + "Syrian Arab Republic": "Cộng Hòa Syria", + "Taiwan": "Đài Loan", + "Tajikistan": "Tajikistan", + "Tanzania": "Tanzania", + "Thailand": "Thái Lan", + "The :resource was created!": "Tài nguyên :resource đã được thêm!", + "The :resource was deleted!": "Tài nguyên :resource đã được xoá!", + "The :resource was restored!": "Tài nguyên :resource đã được phục hồi!", + "The :resource was updated!": "Tài nguyên :resource đã được cập nhật!", + "The action ran successfully!": "Hành động đã được chạy thành công!", + "The file was deleted!": "Tập tin này đã được xoá!", + "The government won't let us show you what's behind these doors": "Chính phủ sẽ không cho phép chúng tôi cho bạn thấy những gì phía sau", + "The HasOne relationship has already been filled.": "Mối quan hệ 1:1 đã được điền.", + "The resource was updated!": "Tài nguyên này đã được cập nhật!", + "There are no available options for this resource.": "Không có tùy chọn có sẵn cho tài nguyên này.", + "There was a problem executing the action.": "Đã xảy ra sự cố khi thực hiện hành động.", + "There was a problem submitting the form.": "Đã xảy ra sự cố khi gửi biểu mẫu.", + "This file field is read-only.": "Trường tệp tin này ở chế độ chỉ đọc.", + "This image": "Hình này", + "This resource no longer exists": "Tài nguyên này không còn tồn tại", + "Timor-Leste": "Đông Timo", + "Today": "Hôm Nay", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "total": "tất cả", + "Trashed": "Đã xoá", + "Trinidad And Tobago": "Trinidad Và Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turkey", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Quần đảo Turks và Caicos", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "Các Tiểu Vương Quốc Ả Rập Thống Nhất", + "United Kingdom": "Vương Quốc Anh", + "United States": "Hoa Kỳ", + "United States Outlying Islands": "Các quần đảo xa xôi của Hoa Kỳ'", + "Update": "Cập Nhật", + "Update & Continue Editing": "Cập Nhật & Và Tiếp Tục Chỉnh Sửa", + "Update :resource": "Cập Nhật :resource", + "Update :resource: :title": "Cập Nhật :resource: :title", + "Update attached :resource: :title": "Cập Nhật :resource Đã Gắn: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Value": "Giá Trị", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Việt Nam", + "View": "Xem", + "Virgin Islands, British": "Quần Đảo Virgin Thuộc Anh", + "Virgin Islands, U.S.": "Quần Đảo Virgin Thuộc Hoa Kỳ", + "Wallis And Futuna": "Wallis Và Futuna", + "We're lost in space. The page you were trying to view does not exist.": "Chúng ta đang lạc vào không gian. Trang bạn đang cố xem không tồn tại.", + "Welcome Back!": "Chào Mừng Đã Trở Lại!", + "Western Sahara": "Western Sahara", + "Whoops": "Rấ tiếc", + "Whoops!": "Rất tiếc!", + "With Trashed": "Với Đã Xoá", + "Write": "Ghi", + "Year To Date": "Năm Đến Ngày", + "Yemen": "Yemen", + "Yes": "Đồng ý", + "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.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/locales/vi/packages/spark-paddle.json b/locales/vi/packages/spark-paddle.json new file mode 100644 index 00000000000..41d28c9ba8c --- /dev/null +++ b/locales/vi/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "Đã xảy ra lỗi không mong muốn và chúng tôi đã thông báo cho nhóm hỗ trợ. Vui lòng thử lại sau.", + "Billing Management": "Quản Lý Thanh Toán", + "Cancel Subscription": "Hủy Đăng Ký", + "Change Subscription Plan": "Thay Đổi Gói Đăng Ký", + "Current Subscription Plan": "Gói Đăng Ký Hiện Tại", + "Currently Subscribed": "Đã Đăng Ký", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Bạn có suy nghĩ về việc hủy đăng ký của mình? Bạn có thể kích hoạt đăng ký của mình ngay lập tức bất kỳ lúc nào cho đến khi kết thúc chu kỳ thanh toán hiện tại. Sau khi chu kỳ thanh toán hiện tại của bạn kết thúc, bạn có thể chọn một gói đăng ký hoàn toàn mới.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "Có vẻ như bạn không có đăng ký đang hoạt động. Bạn có thể chọn một trong các gói đăng ký bên dưới để bắt đầu. Các gói đăng ký có thể được thay đổi hoặc hủy bỏ một cách thuận tiện.", + "Managing billing for :billableName": "Quản lý thanh toán cho :billableName", + "Monthly": "Mỗi Tháng", + "Nevermind, I'll keep my old plan": "Đừng bận tâm, tôi sẽ giữ kế hoạch cũ của mình", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Cổng quản lý thanh toán của chúng tôi cho phép bạn quản lý gói đăng ký, phương thức thanh toán và tải xuống các hóa đơn gần đây của mình một cách thuận tiện.", + "Payment Method": "Payment Method", + "Receipts": "Hóa Đơn", + "Resume Subscription": "Tiếp Tục Đăng Ký", + "Return to :appName": "Quay về :appName", + "Signed in as": "Đăng nhập bởi", + "Subscribe": "Đăng ký", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Điều Khoản Dịch Vụ", + "The selected plan is invalid.": "Gói đã chọn không hợp lệ.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "Tài khoản này không có gói đăng ký nào đang kích hoạt.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Rất tiếc! Đã xảy ra lỗi.", + "Yearly": "Mỗi Năm", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "Bạn có thể hủy đăng ký của mình bất kỳ lúc nào. Khi đăng ký của bạn đã bị hủy, bạn sẽ có tùy chọn để tiếp tục đăng ký cho đến khi kết thúc chu kỳ thanh toán hiện tại của mình.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Phương thức thanh toán hiện tại của bạn là thẻ tín dụng kết thúc bằng :lastFour hết hạn vào :expiration." +} diff --git a/locales/vi/packages/spark-stripe.json b/locales/vi/packages/spark-stripe.json new file mode 100644 index 00000000000..01359247467 --- /dev/null +++ b/locales/vi/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days ngày dùng thử", + "Add VAT Number": "Thêm mã số thuế VAT", + "Address": "Địa chỉ", + "Address Line 2": "Địa chỉ dòng 2", + "Afghanistan": "Afghanistan", + "Albania": "Albania", + "Algeria": "Algeria", + "American Samoa": "American Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "Đã xảy ra lỗi không mong muốn và chúng tôi đã thông báo cho nhóm hỗ trợ. Vui lòng thử lại sau.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Nam Cực", + "Antigua and Barbuda": "Antigua và Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Australia": "Úc", + "Austria": "Áo", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Bỉ", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Billing Information": "Thông Tin Thanh Toán", + "Billing Management": "Quản Lý Thanh Toán", + "Bolivia, Plurinational State of": "Bolivia, Bang Đa Quốc Gia", + "Bosnia and Herzegovina": "Bosnia và Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Đảo Bouvet", + "Brazil": "Brazil", + "British Indian Ocean Territory": "Lãnh thổ Ấn Độ Dương thuộc Anh", + "Brunei Darussalam": "Brunei", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Campuchia", + "Cameroon": "Cameroon", + "Canada": "Canada", + "Cancel Subscription": "Hủy Đăng Ký", + "Cape Verde": "Cape Verde", + "Card": "Thẻ", + "Cayman Islands": "Quẩn Đảo Cayman", + "Central African Republic": "Cộng Hoà Trung Phi", + "Chad": "Chad", + "Change Subscription Plan": "Thay Đổi Gói Đăng Ký", + "Chile": "Chi-lê", + "China": "Trung Quốc", + "Christmas Island": "Đảo Giáng Sinh", + "City": "Thành Phố", + "Cocos (Keeling) Islands": "Quần Đảo Cocos (Keeling)", + "Colombia": "Colombia", + "Comoros": "Comoros", + "Confirm Payment": "Xác Nhận Thanh Toán", + "Confirm your :amount payment": "Xác nhận thanh toán :amount của bạn", + "Congo": "Congo", + "Congo, the Democratic Republic of the": "Cộng Hòa Dân Chủ Congo", + "Cook Islands": "Quần Đảo Cook", + "Costa Rica": "Costa Rica", + "Country": "Quốc Gia", + "Coupon": "Mã Khuyến Mãi", + "Croatia": "Croatia", + "Cuba": "Cuba", + "Current Subscription Plan": "Gói Đăng Ký Hiện Tại", + "Currently Subscribed": "Đã Đăng Ký", + "Cyprus": "Cyprus", + "Czech Republic": "Cộng hòa Séc", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Đan Mạch", + "Djibouti": "Djibouti", + "Dominica": "Dominica", + "Dominican Republic": "Cộng Hoà Dominica", + "Download Receipt": "Tải Về Hóa Đơn", + "Ecuador": "Ecuador", + "Egypt": "Ai Cập", + "El Salvador": "El Salvador", + "Email Addresses": "Các Địa Chỉ Email", + "Equatorial Guinea": "Equatorial Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Ethiopia", + "ex VAT": "VAT cũ", + "Extra Billing Information": "Thông Tin Thanh Toán Bổ Sung", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Cần xác nhận thêm để xử lý thanh toán của bạn. Vui lòng tiếp tục đến trang thanh toán bằng cách nhấp vào nút bên dưới.", + "Falkland Islands (Malvinas)": "Quần Đảo Falkland (Malvinas)", + "Faroe Islands": "Quần Đảo Faroe", + "Fiji": "Fiji", + "Finland": "Phần Lan", + "France": "Pháp", + "French Guiana": "Guiana Thuộc Pháp", + "French Polynesia": "Polynesia Thuộc Pháp", + "French Southern Territories": "Lãnh Thổ Phía Nam Thuộc Pháp", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Đức", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Hy Lạp", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Bạn có mã giảm giá?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Bạn có suy nghĩ về việc hủy đăng ký của mình? Bạn có thể kích hoạt đăng ký của mình ngay lập tức bất kỳ lúc nào cho đến khi kết thúc chu kỳ thanh toán hiện tại. Sau khi chu kỳ thanh toán hiện tại của bạn kết thúc, bạn có thể chọn một gói đăng ký hoàn toàn mới.", + "Heard Island and McDonald Islands": "Heard Island và McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "Honduras", + "Hong Kong": "Hồng Kông", + "Hungary": "Hungary", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Iceland", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "Nếu bạn cần thêm thông tin liên hệ hoặc thuế cụ thể vào biên lai của mình, chẳng hạn như tên đầy đủ của doanh nghiệp, số nhận dạng VAT hoặc địa chỉ của hồ sơ, bạn có thể thêm thông tin đó tại đây.", + "India": "Ấn Độ", + "Indonesia": "Indonesia", + "Iran, Islamic Republic of": "Cộng hoà hồ giáo Iran", + "Iraq": "Iraq", + "Ireland": "Ireland", + "Isle of Man": "Người Isle", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "Có vẻ như bạn không có đăng ký đang hoạt động. Bạn có thể chọn một trong các gói đăng ký bên dưới để bắt đầu. Các gói đăng ký có thể được thay đổi hoặc hủy bỏ một cách thuận tiện.", + "Italy": "Ý", + "Jamaica": "Jamaica", + "Japan": "Nhật Bản", + "Jersey": "Jersey", + "Jordan": "Jordan", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "Cộng Hoà Dân Chủ Nhân Dân Triều Tiên", + "Korea, Republic of": "Cộng hòa Hàn Quốc", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Lào", + "Latvia": "Latvia", + "Lebanon": "Lebanon", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lithuania", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Cộng hòa Nam Tư cũ của Macedonia", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Mali", + "Malta": "Malta", + "Managing billing for :billableName": "Quản lý thanh toán cho :billableName", + "Marshall Islands": "Quần Đảo Marshall", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Cộng Hòa Moldova", + "Monaco": "Monaco", + "Mongolia": "Mông Cổ", + "Montenegro": "Montenegro", + "Monthly": "Mỗi Tháng", + "monthly": "mỗi tháng", + "Montserrat": "Montserrat", + "Morocco": "Morocco", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Hà Lan", + "Netherlands Antilles": "Đảo Antilles của Hà Lan", + "Nevermind, I'll keep my old plan": "Đừng bận tâm, tôi sẽ giữ kế hoạch cũ của mình", + "New Caledonia": "New Caledonia", + "New Zealand": "New Zealand", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Đảo Norfolk", + "Northern Mariana Islands": "Quần Đảo Bắc Mariana", + "Norway": "Na Uy", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Cổng quản lý thanh toán của chúng tôi cho phép bạn quản lý gói đăng ký, phương thức thanh toán và tải xuống các hóa đơn gần đây của mình một cách thuận tiện.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Lãnh Thổ Palestinian, Bị Chiếm Đóng", + "Panama": "Panama", + "Papua New Guinea": "Papua New Guinea", + "Paraguay": "Paraguay", + "Payment Information": "Thông Tin Thanh Toán", + "Peru": "Peru", + "Philippines": "Philippines", + "Pitcairn": "Pitcairn Islands", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Vui lòng cung cấp nhiều nhất ba địa chỉ email nhận hóa đơn.", + "Poland": "Ba Lan", + "Portugal": "Bồ Đào Nha", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Những Đại Chỉ Email Nhận Hóa Đơn", + "Receipts": "Hóa Đơn", + "Resume Subscription": "Tiếp Tục Đăng Ký", + "Return to :appName": "Quay về :appName", + "Romania": "Romania", + "Russian Federation": "Liên bang Nga", + "Rwanda": "Rwanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts and Nevis": "Saint Kitts và Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin (French part)": "Saint Martin (một phần thuộc Pháp)", + "Saint Pierre and Miquelon": "Saint Pierre và Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent và Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome và Príncipe", + "Saudi Arabia": "Ả Rập Xê Út", + "Save": "Lưu", + "Select": "Chọn", + "Select a different plan": "Chọn gói khác", + "Senegal": "Senegal", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Đăng nhập bởi", + "Singapore": "Singapore", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Quần Đảo Solomon", + "Somalia": "Somalia", + "South Africa": "Nam Phi", + "South Georgia and the South Sandwich Islands": "Nam Georgia và Quần đảo Nam Sandwich", + "Spain": "Tây Ban Nha", + "Sri Lanka": "Sri Lanka", + "State \/ County": "Tiểu bang \/ Quốc gia", + "Subscribe": "Đăng ký", + "Subscription Information": "Thông Tin Đăng Ký", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "Thụy Điển'", + "Switzerland": "Thuỵ Sĩ", + "Syrian Arab Republic": "Cộng Hòa Syria", + "Taiwan, Province of China": "Đài Loan, Tỉnh của Trung Quốc", + "Tajikistan": "Tajikistan", + "Tanzania, United Republic of": "Cộng hòa Thống nhất Tanzania", + "Terms of Service": "Điều Khoản Dịch Vụ", + "Thailand": "Thái Lan", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Cảm ơn vì sự tiếp tục hỗ trợ từ bạn. Chúng tôi đã đính kèm một bản sao hóa đơn của bạn để lưu trữ. Vui lòng cho chúng tôi biết nếu bạn có bất kỳ câu hỏi hoặc thắc mắc nào.", + "Thanks,": "Cảm ơn,", + "The provided coupon code is invalid.": "Mã giảm giá mà bạn cung cấp không hợp lệ.", + "The provided VAT number is invalid.": "Mã số VAT mà bạn cung cấp không hợp lệ.", + "The receipt emails must be valid email addresses.": "Các email xác nhận phải là địa chỉ email hợp lệ.", + "The selected country is invalid.": "Quốc gia đã chọn không hợp lệ.", + "The selected plan is invalid.": "Gói đã chọn không hợp lệ.", + "This account does not have an active subscription.": "Tài khoản này không có gói đăng ký nào đang kích hoạt.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "Đăng ký này đã hết hạn và không thể tiếp tục. Vui lòng tạo một đăng ký mới.", + "Timor-Leste": "Đông Timo", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "Total:": "Tất cả:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turkey", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Quần đảo Turks và Caicos", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "Các Tiểu Vương Quốc Ả Rập Thống Nhất", + "United Kingdom": "Vương Quốc Anh", + "United States": "Hoa Kỳ", + "United States Minor Outlying Islands": "Đảo nhỏ xa xôi hẻo lánh của Hoa Kỳ", + "Update": "Cập Nhật", + "Update Payment Information": "Cập Nhật Thông Tin Thanh Toán", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "Mã Số VAT", + "Venezuela, Bolivarian Republic of": "Venezuela, Công Hòa Bolivar", + "Viet Nam": "Việt Nam", + "Virgin Islands, British": "Quần Đảo Virgin Thuộc Anh", + "Virgin Islands, U.S.": "Quần Đảo Virgin Thuộc Hoa Kỳ", + "Wallis and Futuna": "Wallis và Futuna", + "We are unable to process your payment. Please contact customer support.": "Chúng tôi không thể xử lý thanh toán của bạn. Vui lòng liên hệ với bộ phận hỗ trợ khách hàng .", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "Chúng tôi sẽ gửi liên kết tải xuống biên nhận đến các địa chỉ email mà bạn chỉ định bên dưới. Bạn có thể phân tách nhiều địa chỉ email bằng dấu phẩy.", + "Western Sahara": "Western Sahara", + "Whoops! Something went wrong.": "Rất tiếc! Đã xảy ra lỗi.", + "Yearly": "Mỗi Năm", + "Yemen": "Yemen", + "You are currently within your free trial period. Your trial will expire on :date.": "Bạn hiện đang trong thời gian dùng thử miễn phí. Bản dùng thử của bạn sẽ hết hạn vào :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "Bạn có thể hủy đăng ký của mình bất kỳ lúc nào. Khi đăng ký của bạn đã bị hủy, bạn sẽ có tùy chọn để tiếp tục đăng ký cho đến khi kết thúc chu kỳ thanh toán hiện tại của mình.", + "Your :invoiceName invoice is now available!": "Hóa đơn :invoiceName của bạn đã có sẵn!", + "Your card was declined. Please contact your card issuer for more information.": "Thẻ của bạn đã bị từ chối. Vui lòng liên hệ với công ty phát hành thẻ của bạn để biết thêm thông tin.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Phương thức thanh toán hiện tại của bạn là thẻ tín dụng kết thúc bằng :lastFour hết hạn vào :expiration.", + "Your registered VAT Number is :vatNumber.": "Mã số VAT đã đăng ký của bạn là :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Mã Bưu Điện", + "Åland Islands": "Åland Islands" +} diff --git a/locales/vi/vi.json b/locales/vi/vi.json index c3b89fd1b1e..f1ab1dba6f4 100644 --- a/locales/vi/vi.json +++ b/locales/vi/vi.json @@ -1,710 +1,48 @@ { - "30 Days": "30 Ngày", - "60 Days": "60 Ngày", - "90 Days": "90 Ngày", - ":amount Total": "Tất cả :amount", - ":days day trial": ":days ngày dùng thử", - ":resource Details": "Chi Tiết :resource", - ":resource Details: :title": "Chi tiết :resource: :title", "A fresh verification link has been sent to your email address.": "Một đường dẫn xác minh mới đã được gửi đến địa chỉ email của bạn.", - "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 được bạn cung cấp trong quá trình đăng ký.", - "Accept Invitation": "Chấp Nhận Lời Mời", - "Action": "Hành động", - "Action Happened At": "Hành Động Xảy Ra Lúc", - "Action Initiated By": "Hành Động Khởi Tạo Bởi", - "Action Name": "Tên Hành Động", - "Action Status": "Trạng Thái Hành Động", - "Action Target": "Đối Tượng Hành Động", - "Actions": "Hành Động", - "Add": "Thêm", - "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 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 thực hai yếu tố.", - "Add row": "Thêm dòng", - "Add Team Member": "Thêm thành viên", - "Add VAT Number": "Thêm mã số thuế VAT", - "Added.": "Đã thêm.", - "Address": "Địa chỉ", - "Address Line 2": "Địa chỉ dòng 2", - "Administrator": "Administrator", - "Administrator users can perform any action.": "Administrator có thể thực hiện bất kì hành động nào.", - "Afghanistan": "Afghanistan", - "Aland Islands": "Quần đảo Aland", - "Albania": "Albania", - "Algeria": "Algeria", - "All of the people that are part of this team.": "Tất cả người có trong nhóm.", - "All resources loaded.": "Tất cả tài nguyên đã được tải.", - "All rights reserved.": "Đã đăng ký bản quyền", - "Already registered?": "Đã đăng ký?", - "American Samoa": "American Samoa", - "An error occured while uploading the file.": "Có lỗi xảy ra trong quá trình tải lên tập tin.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "Đã xảy ra lỗi không mong muốn và chúng tôi đã thông báo cho nhóm hỗ trợ. Vui lòng thử lại sau.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Có một người dùng khác đã cập nhật tài nguyên này trong khi nó đã được tải. Vui lòng làm mới lại trang và thử lại.", - "Antarctica": "Nam Cực", - "Antigua and Barbuda": "Antigua và Barbuda", - "Antigua And Barbuda": "Antigua Và Barbuda", - "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.", - "April": "Tháng Tư", - "Are you sure you want to delete the selected resources?": "Bạn có chắc muốn xoá các tài nguyên được chọn?", - "Are you sure you want to delete this file?": "Bạn có chắc muốn xoá tập tin này?", - "Are you sure you want to delete this resource?": "Bạn có chắc muốn xoá tài nguyên này?", - "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? 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 want to detach the selected resources?": "Bạn có chắc muốn gỡ các tài nguyên được chọn?", - "Are you sure you want to detach this resource?": "Bạn có chắc muốn gỡ tài nguyên này?", - "Are you sure you want to force delete the selected resources?": "Bạn có chắc muốn xoá vĩnh viễn các tài nguyên được chọn?", - "Are you sure you want to force delete this resource?": "Bạn có chắc muốn xoá vĩnh viễn tài nguyên này?", - "Are you sure you want to restore the selected resources?": "Bạn có chắc muốn phục hồi các tài nguyên được chọn?", - "Are you sure you want to restore this resource?": "Bạn có chắc muốn phục hồi tài nguyên này?", - "Are you sure you want to run this action?": "Bạn có chắc muốn thực hiện hành động này?", - "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 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?", - "Argentina": "Argentina", - "Armenia": "Armenia", - "Aruba": "Aruba", - "Attach": "Gắn", - "Attach & Attach Another": "Gắn & Gắn Cái Khác", - "Attach :resource": "Gắn :resource", - "August": "Tháng Tám", - "Australia": "Úc", - "Austria": "Áo", - "Azerbaijan": "Azerbaijan", - "Bahamas": "Bahamas", - "Bahrain": "Bahrain", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Trước khi tiếp tục, hãy kiểm tra email của bạn để truy cập vào liên kết xác minh", - "Belarus": "Belarus", - "Belgium": "Bỉ", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bhutan", - "Billing Information": "Thông Tin Thanh Toán", - "Billing Management": "Quản Lý Thanh Toán", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Bolivia, Bang Đa Quốc Gia", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius Và Saba", - "Bosnia And Herzegovina": "Bosnia Và Herzegovina", - "Bosnia and Herzegovina": "Bosnia và Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Đảo Bouvet", - "Brazil": "Brazil", - "British Indian Ocean Territory": "Lãnh thổ Ấn Độ Dương thuộc Anh", - "Browser Sessions": "Phiên làm việc Trình duyệt", - "Brunei Darussalam": "Brunei", - "Bulgaria": "Bulgaria", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Campuchia", - "Cameroon": "Cameroon", - "Canada": "Canada", - "Cancel": "Hủy", - "Cancel Subscription": "Hủy Đăng Ký", - "Cape Verde": "Cape Verde", - "Card": "Thẻ", - "Cayman Islands": "Quẩn Đảo Cayman", - "Central African Republic": "Cộng Hoà Trung Phi", - "Chad": "Chad", - "Change Subscription Plan": "Thay Đổi Gói Đăng Ký", - "Changes": "Thay đổi", - "Chile": "Chi-lê", - "China": "Trung Quốc", - "Choose": "Chọn", - "Choose :field": "Chọn :field", - "Choose :resource": "Chọn :resource", - "Choose an option": "Chọn một tuỳ chọn", - "Choose date": "Chọn này", - "Choose File": "Chọn Tập Tin", - "Choose Type": "Chọn Loại", - "Christmas Island": "Đảo Giáng Sinh", - "City": "Thành Phố", "click here to request another": "click vào đây để gửi một yêu cầu khác", - "Click to choose": "Click vào để chọn", - "Close": "Đóng", - "Cocos (Keeling) Islands": "Quần Đảo Cocos (Keeling)", - "Code": "Mã", - "Colombia": "Colombia", - "Comoros": "Comoros", - "Confirm": "Xác nhận", - "Confirm Password": "Xác Nhận Mật Khẩu", - "Confirm Payment": "Xác Nhận Thanh Toán", - "Confirm your :amount payment": "Xác nhận thanh toán :amount của bạn", - "Congo": "Congo", - "Congo, Democratic Republic": "Cộng Hoà Dân Chủ Congo", - "Congo, the Democratic Republic of the": "Cộng Hòa Dân Chủ Congo", - "Constant": "Không thay đổi", - "Cook Islands": "Quần Đảo Cook", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "không thể tìm thấy.", - "Country": "Quốc Gia", - "Coupon": "Mã Khuyến Mãi", - "Create": "Thêm", - "Create & Add Another": "Thêm Mới & Thêm Cái Khác", - "Create :resource": "Thêm :resource", - "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 Account": "Tạo Tài Khoản", - "Create API Token": "Tạo API Token", - "Create New Team": "Tạo Nhóm mới", - "Create Team": "Tạo nhóm", - "Created.": "Đã thêm.", - "Croatia": "Croatia", - "Cuba": "Cuba", - "Curaçao": "Curaçao", - "Current Password": "Mật khẩu hiện tại", - "Current Subscription Plan": "Gói Đăng Ký Hiện Tại", - "Currently Subscribed": "Đã Đăng Ký", - "Customize": "Tuỳ chỉnh", - "Cyprus": "Cyprus", - "Czech Republic": "Cộng hòa Séc", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "Bảng điều khiển", - "December": "Tháng Mười Hai", - "Decrease": "Giảm bớt", - "Delete": "Xóa", - "Delete Account": "Xóa Tài khoản", - "Delete API Token": "Xóa API Token", - "Delete File": "Xoá Tập Tin", - "Delete Resource": "Xoá Tài Nguyên", - "Delete Selected": "Xoá Đã Chọn", - "Delete Team": "Xóa Nhóm", - "Denmark": "Đan Mạch", - "Detach": "Gỡ", - "Detach Resource": "Gỡ Tài Nguyên", - "Detach Selected": "Gỡ Đã Chọn", - "Details": "Chi Tiết", - "Disable": "Vô hiệu hóa", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Bạn có muốn rời khỏi đây? Bạn chưa lưu những thay đổi.", - "Dominica": "Dominica", - "Dominican Republic": "Cộng Hoà Dominica", - "Done.": "Xong.", - "Download": "Tải Về", - "Download Receipt": "Tải Về Hóa Đơn", "E-Mail Address": "Địa Chỉ Email", - "Ecuador": "Ecuador", - "Edit": "Sửa", - "Edit :resource": "Sửa :resource", - "Edit Attached": "Sửa Đính Kèm", - "Editor": "Editor", - "Editor users have the ability to read, create, and update.": "Editor có quyền đọc, thêm, cập nhật.", - "Egypt": "Ai Cập", - "El Salvador": "El Salvador", - "Email": "Email", - "Email Address": "Địa Chỉ Email", - "Email Addresses": "Các Địa Chỉ Email", - "Email Password Reset Link": "Email khôi phục mật khẩu", - "Enable": "Kích hoạt", - "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.", - "Equatorial Guinea": "Equatorial Guinea", - "Eritrea": "Eritrea", - "Estonia": "Estonia", - "Ethiopia": "Ethiopia", - "ex VAT": "VAT cũ", - "Extra Billing Information": "Thông Tin Thanh Toán Bổ Sung", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Cần xác nhận thêm để xử lý thanh toán của bạn. Vui lòng xác nhận thanh toán của bạn bằng cách điền vào chi tiết thanh toán của bạn bên dưới.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Cần xác nhận thêm để xử lý thanh toán của bạn. Vui lòng tiếp tục đến trang thanh toán bằng cách nhấp vào nút bên dưới.", - "Falkland Islands (Malvinas)": "Quần Đảo Falkland (Malvinas)", - "Faroe Islands": "Quần Đảo Faroe", - "February": "Tháng Hai", - "Fiji": "Fiji", - "Finland": "Phần Lan", - "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.", "Forbidden": "Cấm Truy Cập", - "Force Delete": "Xoá Vĩnh Viễn", - "Force Delete Resource": "Xoá Vĩnh Viễn Tài Nguyên", - "Force Delete Selected": "Xoá Vĩnh Viễn Được Chọn", - "Forgot Your Password?": "Quên Mật Khẩu?", - "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 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.", - "France": "Pháp", - "French Guiana": "Guiana Thuộc Pháp", - "French Polynesia": "Polynesia Thuộc Pháp", - "French Southern Territories": "Lãnh Thổ Phía Nam Thuộc Pháp", - "Full name": "Tên đầy đủ", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Georgia", - "Germany": "Đức", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Quay lại", - "Go Home": "Về trang chủ", "Go to page :page": "Tới trang :page", - "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.", - "Greece": "Hy Lạp", - "Greenland": "Greenland", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Bạn có mã giảm giá?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Bạn có suy nghĩ về việc hủy đăng ký của mình? Bạn có thể kích hoạt đăng ký của mình ngay lập tức bất kỳ lúc nào cho đến khi kết thúc chu kỳ thanh toán hiện tại. Sau khi chu kỳ thanh toán hiện tại của bạn kết thúc, bạn có thể chọn một gói đăng ký hoàn toàn mới.", - "Heard Island & Mcdonald Islands": "Đảo Heard & Quần đảo Mcdonald", - "Heard Island and McDonald Islands": "Heard Island và McDonald Islands", "Hello!": "Xin chào!", - "Hide Content": "Ẩn Nội Dung", - "Hold Up!": "Hold Up!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "Honduras", - "Hong Kong": "Hồng Kông", - "Hungary": "Hungary", - "I agree to the :terms_of_service and :privacy_policy": "Tôi đồng ý với :terms_of_service và :privacy_policy", - "Iceland": "Iceland", - "ID": "ID", - "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 necessary, you may logout 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 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 receive the email": "Nếu bạn không nhận được email", - "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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "Nếu bạn cần thêm thông tin liên hệ hoặc thuế cụ thể vào biên lai của mình, chẳng hạn như tên đầy đủ của doanh nghiệp, số nhận dạng VAT hoặc địa chỉ của hồ sơ, bạn có thể thêm thông tin đó tại đây.", "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:", - "Increase": "Tăng thêm", - "India": "Ấn Độ", - "Indonesia": "Indonesia", "Invalid signature.": "Chữ ký không hợp lệ.", - "Iran, Islamic Republic of": "Cộng hoà hồ giáo Iran", - "Iran, Islamic Republic Of": "Cộng Hoà Hồ Giáo Iran", - "Iraq": "Iraq", - "Ireland": "Ireland", - "Isle of Man": "Người Isle", - "Isle Of Man": "Người Isle", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "Có vẻ như bạn không có đăng ký đang hoạt động. Bạn có thể chọn một trong các gói đăng ký bên dưới để bắt đầu. Các gói đăng ký có thể được thay đổi hoặc hủy bỏ một cách thuận tiện.", - "Italy": "Ý", - "Jamaica": "Jamaica", - "January": "Tháng Một", - "Japan": "Nhật Bản", - "Jersey": "Jersey", - "Jordan": "Jordan", - "July": "Tháng Bảy", - "June": "Tháng Sáu", - "Kazakhstan": "Kazakhstan", - "Kenya": "Kenya", - "Key": "Key", - "Kiribati": "Kiribati", - "Korea": "Hàn Quốc", - "Korea, Democratic People's Republic of": "Cộng Hoà Dân Chủ Nhân Dân Triều Tiên", - "Korea, Republic of": "Cộng hòa Hàn Quốc", - "Kosovo": "Kosovo", - "Kuwait": "Kuwait", - "Kyrgyzstan": "Kyrgyzstan", - "Lao People's Democratic Republic": "Lào", - "Last active": "Hoạt động lần cuối", - "Last used": "Sử dụng lần cuối", - "Latvia": "Latvia", - "Leave": "Rời", - "Leave Team": "Rời Nhóm", - "Lebanon": "Lebanon", - "Lens": "Bộ Lọc", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libya", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Lithuania", - "Load :perPage More": "Tải thêm :perPage trang", - "Log in": "Đăng nhập", "Log out": "Đăng xuất", - "Log Out": "Đăng Xuất", - "Log Out Other Browser Sessions": "Đăng Xuất Khỏi Các Phiên Trình Duyệt Khác", - "Login": "Đăng nhập", - "Logout": "Đăng xuất", "Logout Other Browser Sessions": "Đăng xuất trên các trình duyệt khác", - "Luxembourg": "Luxembourg", - "Macao": "Macao", - "Macedonia": "North Macedonia", - "Macedonia, the former Yugoslav Republic of": "Cộng hòa Nam Tư cũ của Macedonia", - "Madagascar": "Madagascar", - "Malawi": "Malawi", - "Malaysia": "Malaysia", - "Maldives": "Maldives", - "Mali": "Mali", - "Malta": "Malta", - "Manage Account": "Quản lý Tài khoản", - "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 and logout 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ý API Token", - "Manage Role": "Quản lý Vai trò", - "Manage Team": "Quản lý Nhóm", - "Managing billing for :billableName": "Quản lý thanh toán cho :billableName", - "March": "Tháng Ba", - "Marshall Islands": "Quần Đảo Marshall", - "Martinique": "Martinique", - "Mauritania": "Mauritania", - "Mauritius": "Mauritius", - "May": "Tháng Năm", - "Mayotte": "Mayotte", - "Mexico": "Mexico", - "Micronesia, Federated States Of": "Liên Bang Micronesia", - "Moldova": "Moldova", - "Moldova, Republic of": "Cộng Hòa Moldova", - "Monaco": "Monaco", - "Mongolia": "Mông Cổ", - "Montenegro": "Montenegro", - "Month To Date": "Tháng Đến Ngày", - "Monthly": "Mỗi Tháng", - "monthly": "mỗi tháng", - "Montserrat": "Montserrat", - "Morocco": "Morocco", - "Mozambique": "Mozambique", - "Myanmar": "Myanmar", - "Name": "Tên", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands": "Hà Lan", - "Netherlands Antilles": "Đảo Antilles của Hà Lan", "Nevermind": "Bỏ qua", - "Nevermind, I'll keep my old plan": "Đừng bận tâm, tôi sẽ giữ kế hoạch cũ của mình", - "New": "Mới", - "New :resource": "Thêm :resource", - "New Caledonia": "New Caledonia", - "New Password": "Mật khẩu mới", - "New Zealand": "New Zealand", - "Next": "Tiếp theo", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No": "Không", - "No :resource matched the given criteria.": "Không :resource khớp với điều kiện được chọn.", - "No additional information...": "Không có thông tin bổ sung...", - "No Current Data": "Không Có Dữ Liệu Hiện Tại", - "No Data": "Không Có Dữ Liệu", - "no file selected": "không có tập tin được chọn", - "No Increase": "Không Tăng", - "No Prior Data": "Không Có Dữ Liệu", - "No Results Found.": "Không Tìm Thấy Kết Quả.", - "Norfolk Island": "Đảo Norfolk", - "Northern Mariana Islands": "Quần Đảo Bắc Mariana", - "Norway": "Na Uy", "Not Found": "Không Tìm Thấy", - "Nova User": "Người Dùng Nova", - "November": "Tháng Mười Một", - "October": "Tháng Mười", - "of": "trong", "Oh no": "Oh, không", - "Oman": "Oman", - "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 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 Trashed": "Chỉ đã xoá", - "Original": "Gốc", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Cổng quản lý thanh toán của chúng tôi cho phép bạn quản lý gói đăng ký, phương thức thanh toán và tải xuống các hóa đơn gần đây của mình một cách thuận tiện.", "Page Expired": "Trang Đã Hết Hạn", "Pagination Navigation": "Điều hướng phân trang", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Lãnh Thổ Palestinian, Bị Chiếm Đóng", - "Panama": "Panama", - "Papua New Guinea": "Papua New Guinea", - "Paraguay": "Paraguay", - "Password": "Mật khẩu", - "Pay :amount": "Trả :amount", - "Payment Cancelled": "Huỷ Bỏ Thành Toán", - "Payment Confirmation": "Xác Nhận Thành Toán", - "Payment Information": "Thông Tin Thanh Toán", - "Payment Successful": "Thành Toán Thành Công", - "Pending Team Invitations": "Lời Mời Của Nhóm Chờ Xử Lý", - "Per Page": "Trên Trang", - "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.", - "Permissions": "Quyền hạn", - "Peru": "Peru", - "Philippines": "Philippines", - "Photo": "Ảnh", - "Pitcairn": "Pitcairn Islands", "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 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 thực được cung cấp bởi ứng dụng xác thực của bạn.", "Please confirm your password before continuing.": "Vui lòng xác nhận lại mật khẩu để tiếp tục.", - "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 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 enter your password to confirm you would like to logout 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 provide a maximum of three receipt emails addresses.": "Vui lòng cung cấp nhiều nhất ba địa chỉ email nhận hóa đơn.", - "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 provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "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. Địa chỉ email phải được liên kết với một tài khoản hiện có.", - "Please provide your name.": "Vui lòng cung cấp tên của bạn.", - "Poland": "Ba Lan", - "Portugal": "Bồ Đào Nha", - "Press \/ to search": "Nhấn \/ để tìm kiếm", - "Preview": "Xem Trước", - "Previous": "Trang Trước", - "Privacy Policy": "Điều Khoản Riêng Tư", - "Profile": "Hồ sơ", - "Profile Information": "Thông tin cá nhân", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Quý Đến Ngày", - "Receipt Email Addresses": "Những Đại Chỉ Email Nhận Hóa Đơn", - "Receipts": "Hóa Đơn", - "Recovery Code": "Mã khôi phục", "Regards": "Trân trọng", - "Regenerate Recovery Codes": "Tạo mã khôi phục", - "Register": "Đăng ký", - "Reload": "Tải Lại", - "Remember me": "Ghi nhớ", - "Remember Me": "Ghi Nhớ", - "Remove": "Xoá", - "Remove Photo": "Xóa ảnh", - "Remove Team Member": "Xóa thành viên khỏi nhóm", - "Resend Verification Email": "Gửi lại email xác thực", - "Reset Filters": "Đặt Lại Bộ Lọc", - "Reset Password": "Đặt Lại Mật Khẩu", - "Reset Password Notification": "Thông Báo Đặt Lại Mật Khẩu", - "resource": "tài nguyên", - "Resources": "Tài Nguyên", - "resources": "tài nguyên", - "Restore": "Phục Hồi", - "Restore Resource": "Phục Hồi Tài Nguyên", - "Restore Selected": "Phục Hồi Đã Chọn", "results": "kết quả", - "Resume Subscription": "Tiếp Tục Đăng Ký", - "Return to :appName": "Quay về :appName", - "Reunion": "Réunion", - "Role": "Vai trò", - "Romania": "Romania", - "Run Action": "Thực Hiện Hành Động", - "Russian Federation": "Liên bang Nga", - "Rwanda": "Rwanda", - "Réunion": "Réunion", - "Saint Barthelemy": "St. Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "St. Helena", - "Saint Kitts and Nevis": "Saint Kitts và Nevis", - "Saint Kitts And Nevis": "St. Kitts Và Nevis", - "Saint Lucia": "St. Lucia", - "Saint Martin": "St. Martin", - "Saint Martin (French part)": "Saint Martin (một phần thuộc Pháp)", - "Saint Pierre and Miquelon": "Saint Pierre và Miquelon", - "Saint Pierre And Miquelon": "St. Pierre Và Miquelon", - "Saint Vincent And Grenadines": "St. Vincent Và Grenadines", - "Saint Vincent and the Grenadines": "Saint Vincent và Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome và Príncipe", - "Sao Tome And Principe": "São Tomé Và Príncipe", - "Saudi Arabia": "Ả Rập Xê Út", - "Save": "Lưu", - "Saved.": "Đã lưu.", - "Search": "Tìm Kiếm", - "Select": "Chọn", - "Select a different plan": "Chọn gói khác", - "Select A New Photo": "Chọn một ảnh mới", - "Select Action": "Chọn Hành Động", - "Select All": "Chọn Tất Cả", - "Select All Matching": "Chọn Tất Cả Trùng Khớp", - "Send Password Reset Link": "Gửi Đường Dẫn Đặt Lại Mật Khẩu", - "Senegal": "Senegal", - "September": "Tháng Chín", - "Serbia": "Serbia", "Server Error": "Máy Chủ Gặp Sự Cố", "Service Unavailable": "Dịch Vụ Không Khả Dụng", - "Seychelles": "Seychelles", - "Show All Fields": "Hiện Tất Cả Các Trường", - "Show Content": "Hiện Nội Dung", - "Show Recovery Codes": "Xem mã khôi phục", "Showing": "Đang hiển thị", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Đăng nhập bởi", - "Singapore": "Singapore", - "Sint Maarten (Dutch part)": "Sint Maarten (phần tiếng Hà Lan)", - "Slovakia": "Slovakia", - "Slovenia": "Slovenia", - "Solomon Islands": "Quần Đảo Solomon", - "Somalia": "Somalia", - "Something went wrong.": "Có điều gì đó không ổn xảy ra.", - "Sorry! You are not authorized to perform this action.": "Xin lỗi! Bạn không có quyền thực hiện hành động này.", - "Sorry, your session has expired.": "Xin lỗi, phiên của bạn đã hết hạn.", - "South Africa": "Nam Phi", - "South Georgia And Sandwich Isl.": "Đảo Nam Georgia và Đảo Sandwich", - "South Georgia and the South Sandwich Islands": "Nam Georgia và Quần đảo Nam Sandwich", - "South Sudan": "Phía Nam South", - "Spain": "Tây Ban Nha", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Bắt Đầu Thăm Dò Ý Kiến", - "State \/ County": "Tiểu bang \/ Quốc gia", - "Stop Polling": "Dừng Thăm Dò Ý Kiến", - "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.", - "Subscribe": "Đăng ký", - "Subscription Information": "Thông Tin Đăng Ký", - "Sudan": "Sudan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard Và Jan Mayen", - "Swaziland": "Eswatini", - "Sweden": "Thụy Điển'", - "Switch Teams": "Đổi Nhóm", - "Switzerland": "Thuỵ Sĩ", - "Syrian Arab Republic": "Cộng Hòa Syria", - "Taiwan": "Đài Loan", - "Taiwan, Province of China": "Đài Loan, Tỉnh của Trung Quốc", - "Tajikistan": "Tajikistan", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Cộng hòa Thống nhất Tanzania", - "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", - "Terms of Service": "Điều Khoản Dịch Vụ", - "Thailand": "Thái Lan", - "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 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.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Cảm ơn vì sự tiếp tục hỗ trợ từ bạn. Chúng tôi đã đính kèm một bản sao hóa đơn của bạn để lưu trữ. Vui lòng cho chúng tôi biết nếu bạn có bất kỳ câu hỏi hoặc thắc mắc nào.", - "Thanks,": "Cảm ơn,", - "The :attribute must be a valid role.": "Trường :attribute phải là một vai trò hợp lệ.", - "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 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 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 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 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.": "Trường :attribute phải có ít nhất :length kí tự.", "The :attribute must contain at least one letter.": "Trường :attribute phải chứa ít nhất một chữ cái.", "The :attribute must contain at least one number.": "Trường :attribute phải chứa ít nhất một số.", "The :attribute must contain at least one symbol.": "Trường :attribute must phải chứa ít nhất một ký hiệu.", "The :attribute must contain at least one uppercase and one lowercase letter.": "Trường :attribute phải chứa ít nhất một chữ hoa và một chữ thường.", - "The :resource was created!": "Tài nguyên :resource đã được thêm!", - "The :resource was deleted!": "Tài nguyên :resource đã được xoá!", - "The :resource was restored!": "Tài nguyên :resource đã được phục hồi!", - "The :resource was updated!": "Tài nguyên :resource đã được cập nhật!", - "The action ran successfully!": "Hành động đã được chạy thành công!", - "The file was deleted!": "Tập tin này đã được xoá!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": ":attribute đã cho đã xuất hiện trong một vụ rò rỉ dữ liệu. Vui lòng chọn :attribute khác.", - "The government won't let us show you what's behind these doors": "Chính phủ sẽ không cho phép chúng tôi cho bạn thấy những gì phía sau", - "The HasOne relationship has already been filled.": "Mối quan hệ 1:1 đã được điền.", - "The payment was successful.": "Thanh toán thành công.", - "The provided coupon code is invalid.": "Mã giảm giá mà bạn cung cấp không hợp lệ.", - "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 thực hai lớp vừa nhập không chính xác.", - "The provided VAT number is invalid.": "Mã số VAT mà bạn cung cấp không hợp lệ.", - "The receipt emails must be valid email addresses.": "Các email xác nhận phải là địa chỉ email hợp lệ.", - "The resource was updated!": "Tài nguyên này đã được cập nhật!", - "The selected country is invalid.": "Quốc gia đã chọn không hợp lệ.", - "The selected plan is invalid.": "Gói đã chọn không hợp lệ.", - "The team's name and owner information.": "Tên và thông tin của trưởng nhóm", - "There are no available options for this resource.": "Không có tùy chọn có sẵn cho tài nguyên này.", - "There was a problem executing the action.": "Đã xảy ra sự cố khi thực hiện hành động.", - "There was a problem submitting the form.": "Đã xảy ra sự cố khi gửi biểu mẫu.", - "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.", - "This account does not have an active subscription.": "Tài khoản này không có gói đăng ký nào đang kích hoạt.", "This action is unauthorized.": "Hành động này không được phép.", - "This device": "Thiết bị hiện tại", - "This file field is read-only.": "Trường tệp tin này ở chế độ chỉ đọc.", - "This image": "Hình này", - "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 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.": "Đường dẫn lấy lại mật khẩu sẽ hết hạn trong :count phút.", - "This payment was already successfully confirmed.": "Thanh toán này đã được xác nhận thành công.", - "This payment was cancelled.": "Thanh toán này đã bị huỷ bỏ.", - "This resource no longer exists": "Tài nguyên này không còn tồn tại", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "Đăng ký này đã hết hạn và không thể tiếp tục. Vui lòng tạo một đăng ký mới.", - "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.", - "Timor-Leste": "Đông Timo", "to": "tới", - "Today": "Hôm Nay", "Toggle navigation": "Chuyển hướng điều hướng", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Tên Token", - "Tonga": "Tonga", "Too Many Attempts.": "Quá Nhiều Lần Thử.", "Too Many Requests": "Quá Nhiều Yêu Cầu", - "total": "tất cả", - "Total:": "Tất cả:", - "Trashed": "Đã xoá", - "Trinidad And Tobago": "Trinidad Và Tobago", - "Tunisia": "Tunisia", - "Turkey": "Turkey", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Quần đảo Turks và Caicos", - "Turks And Caicos Islands": "Quần đảo Turks và Caicos", - "Tuvalu": "Tuvalu", - "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.": "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.", - "Uganda": "Uganda", - "Ukraine": "Ukraine", "Unauthorized": "Không Được Phép", - "United Arab Emirates": "Các Tiểu Vương Quốc Ả Rập Thống Nhất", - "United Kingdom": "Vương Quốc Anh", - "United States": "Hoa Kỳ", - "United States Minor Outlying Islands": "Đảo nhỏ xa xôi hẻo lánh của Hoa Kỳ", - "United States Outlying Islands": "Các quần đảo xa xôi của Hoa Kỳ'", - "Update": "Cập Nhật", - "Update & Continue Editing": "Cập Nhật & Và Tiếp Tục Chỉnh Sửa", - "Update :resource": "Cập Nhật :resource", - "Update :resource: :title": "Cập Nhật :resource: :title", - "Update attached :resource: :title": "Cập Nhật :resource Đã Gắn: :title", - "Update Password": "Cập nhật mật khẩu", - "Update Payment Information": "Cập Nhật Thông Tin Thanh Toá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.", - "Uruguay": "Uruguay", - "Use a recovery code": "Sử dụng mã khôi phục", - "Use an authentication code": "Sử dụng mã xác minh", - "Uzbekistan": "Uzbekistan", - "Value": "Giá Trị", - "Vanuatu": "Vanuatu", - "VAT Number": "Mã Số VAT", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Công Hòa Bolivar", "Verify Email Address": "Xác Minh Địa Chỉ Email", "Verify Your Email Address": "Xác Minh Địa Chỉ Email Của Bạn", - "Viet Nam": "Việt Nam", - "View": "Xem", - "Virgin Islands, British": "Quần Đảo Virgin Thuộc Anh", - "Virgin Islands, U.S.": "Quần Đảo Virgin Thuộc Hoa Kỳ", - "Wallis and Futuna": "Wallis và Futuna", - "Wallis And Futuna": "Wallis Và Futuna", - "We are unable to process your payment. Please contact customer support.": "Chúng tôi không thể xử lý thanh toán của bạn. Vui lòng liên hệ với bộ phận hỗ trợ khách hàng .", - "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 will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "Chúng tôi sẽ gửi liên kết tải xuống biên nhận đến các địa chỉ email mà bạn chỉ định bên dưới. Bạn có thể phân tách nhiều địa chỉ email bằng dấu phẩy.", "We won't ask for your password again for a few hours.": "Chúng tôi sẽ không hỏi lại mật khẩu của bạn trong vài giờ tới.", - "We're lost in space. The page you were trying to view does not exist.": "Chúng ta đang lạc vào không gian. Trang bạn đang cố xem không tồn tại.", - "Welcome Back!": "Chào Mừng Đã Trở Lại!", - "Western Sahara": "Western Sahara", - "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ể 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.", - "Whoops": "Rấ tiếc", - "Whoops!": "Rất tiếc!", - "Whoops! Something went wrong.": "Rất tiếc! Đã xảy ra lỗi.", - "With Trashed": "Với Đã Xoá", - "Write": "Ghi", - "Year To Date": "Năm Đến Ngày", - "Yearly": "Mỗi Năm", - "Yemen": "Yemen", - "Yes": "Đồng ý", - "You are currently within your free trial period. Your trial will expire on :date.": "Bạn hiện đang trong thời gian dùng thử miễn phí. Bản dùng thử của bạn sẽ hết hạn vào :date.", "You are logged in!": "Bạn đã đăng nhập!", - "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 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 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 may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "Bạn có thể hủy đăng ký của mình bất kỳ lúc nào. Khi đăng ký của bạn đã bị hủy, bạn sẽ có tùy chọn để tiếp tục đăng ký cho đến khi kết thúc chu kỳ thanh toán hiện tại của mình.", - "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 được rời khỏi nhóm mà bạn đã tạo.", - "Your :invoiceName invoice is now available!": "Hóa đơn :invoiceName của bạn đã có sẵn!", - "Your card was declined. Please contact your card issuer for more information.": "Thẻ của bạn đã bị từ chối. Vui lòng liên hệ với công ty phát hành thẻ của bạn để biết thêm thông tin.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Phương thức thanh toán hiện tại của bạn là thẻ tín dụng kết thúc bằng :lastFour hết hạn vào :expiration.", - "Your email address is not verified.": "Email của bạn chưa được xác minh.", - "Your registered VAT Number is :vatNumber.": "Mã số VAT đã đăng ký của bạn là :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabwe", - "Zip \/ Postal Code": "Zip \/ Mã Bưu Điện" + "Your email address is not verified.": "Email của bạn chưa được xác minh." } diff --git a/locales/zh_CN/packages/cashier.json b/locales/zh_CN/packages/cashier.json new file mode 100644 index 00000000000..f6f2e41ab97 --- /dev/null +++ b/locales/zh_CN/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "版权所有。", + "Card": "卡片", + "Confirm Payment": "确认支付", + "Confirm your :amount payment": "确认你的 :amount 支付信息", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "需要额外的确认以处理您的付款。请通过在下面填写您的付款详细信息来确认您的付款。", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "需要额外的确认以处理您的付款。 请点击下面的按钮进入付款页面。", + "Full name": "全称", + "Go back": "返回", + "Jane Doe": "Jane Doe", + "Pay :amount": "支付 :amount", + "Payment Cancelled": "支付已经取消", + "Payment Confirmation": "支付信息确认", + "Payment Successful": "支付成功", + "Please provide your name.": "请提供你的名字。", + "The payment was successful.": "账单支付成功。", + "This payment was already successfully confirmed.": "付款已经成功确认。", + "This payment was cancelled.": "支付已经取消。" +} diff --git a/locales/zh_CN/packages/fortify.json b/locales/zh_CN/packages/fortify.json new file mode 100644 index 00000000000..bd165f6f66a --- /dev/null +++ b/locales/zh_CN/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 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 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.": ":attribute 至少为 :length 个字符", + "The provided password does not match your current password.": "当前密码不正确", + "The provided password was incorrect.": "密码错误", + "The provided two factor authentication code was invalid.": "双因素认证代码错误" +} diff --git a/locales/zh_CN/packages/jetstream.json b/locales/zh_CN/packages/jetstream.json new file mode 100644 index 00000000000..7b1849376d8 --- /dev/null +++ b/locales/zh_CN/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "一个新的验证链接已经发送至您在注册时提供的电子邮件地址。", + "Accept Invitation": "接受邀请", + "Add": "添加", + "Add a new team member to your team, allowing them to collaborate with you.": "添加一个新的团队成员到你的团队,让他们与你合作。", + "Add additional security to your account using two factor authentication.": "使用双因素认证为您的账户添加额外的安全性。", + "Add Team Member": "添加团队成员", + "Added.": "已添加。", + "Administrator": "管理员", + "Administrator users can perform any action.": "管理员用户可以执行任何操作。", + "All of the people that are part of this team.": "所有的人都是这个团队的一部分。", + "Already registered?": "已注册?", + "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 Token 允许第三方服务代表您与我们的应用程序进行认证。", + "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 delete this API token?": "你确定要删除这个 API token 吗?", + "Are you sure you would like to leave this team?": "你确定要离开这个团队吗?", + "Are you sure you would like to remove this person from the team?": "你确定要把这个人从团队中删除吗?", + "Browser Sessions": "浏览器会话", + "Cancel": "取消", + "Close": "关闭", + "Code": "验证码", + "Confirm": "确认", + "Confirm Password": "确认密码", + "Create": "创建", + "Create a new team to collaborate with others on projects.": "创建一个新的团队,与他人合作开展项目。", + "Create Account": "创建账户", + "Create API Token": "创建 API Token", + "Create New Team": "创建新的团队", + "Create Team": "创建团队", + "Created.": "已创建。", + "Current Password": "当前密码", + "Dashboard": "控制面板", + "Delete": "删除", + "Delete Account": "删除账户", + "Delete API Token": "删除 API Token", + "Delete Team": "删除团队", + "Disable": "禁用", + "Done.": "已完成。", + "Editor": "编辑者", + "Editor users have the ability to read, create, and update.": "编辑者可以阅读、创建和更新。", + "Email": "Email", + "Email Password Reset Link": "电子邮件密码重置链接", + "Enable": "启用", + "Ensure your account is using a long, random password to stay secure.": "确保你的账户使用足够长且随机的密码来保证安全。", + "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.": "忘记密码?没关系。输入您的电子邮件地址,我们将通过电子邮件向您发送密码重置链接,让您重置一个新的密码。", + "Great! You have accepted the invitation to join the :team team.": "太好了,您已接受了加入团队「:team」的邀请。", + "I agree to the :terms_of_service and :privacy_policy": "我同意 :terms_of_service 和 :privacy_policy", + "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 you already have an account, you may accept this invitation by clicking the button below:": "如果您已经有一个账户,您可以通过点击下面的按钮接受这个邀请:", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "如果您还没有账号,可以点击下面的按钮创建一个账号。创建账户后,您可以点击此邮件中的邀请接受按钮,接受团队邀请:", + "Last active": "上次活跃", + "Last used": "上次使用", + "Leave": "离开", + "Leave Team": "离开团队", + "Log in": "登录", + "Log Out": "注销", + "Log Out Other Browser Sessions": "注销其他浏览器的会话", + "Manage Account": "管理账户", + "Manage and log out your active sessions on other browsers and devices.": "管理和注销您在其他浏览器和设备上的活动会话。", + "Manage API Tokens": "管理 API Token", + "Manage Role": "管理角色", + "Manage Team": "管理团队", + "Name": "姓名", + "New Password": "新的密码", + "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 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.": "一旦您的账户被删除,其所有资源和数据将被永久删除。在删除您的账户之前,请下载您希望保留的任何数据或信息。", + "Password": "密码", + "Pending Team Invitations": "待处理的团队邀请函", + "Permanently delete this team.": "永久删除此团队", + "Permanently delete your account.": "永久删除您的账户", + "Permissions": "权限", + "Photo": "照片", + "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 copy your new API token. For your security, it won't be shown again.": "请复制你的新 API token。为了您的安全,它不会再被显示出来。", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "请输入您的密码,以确认您要注销您其他设备上的浏览器会话。", + "Please provide the email address of the person you would like to add to this team.": "请提供您想加入这个团队的人的电子邮件地址。", + "Privacy Policy": "隐私政策", + "Profile": "资料", + "Profile Information": "账户资料", + "Recovery Code": "恢复代码", + "Regenerate Recovery Codes": "重新生成恢复代码", + "Register": "注册", + "Remember me": "记住我", + "Remove": "移除", + "Remove Photo": "移除照片", + "Remove Team Member": "移除团队成员", + "Resend Verification Email": "重新发送验证邮件", + "Reset Password": "重设密码", + "Role": "角色", + "Save": "保存", + "Saved.": "已保存。", + "Select A New Photo": "选择新的照片", + "Show Recovery Codes": "显示恢复代码", + "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.": "将这些恢复码存储在一个安全的密码管理器中。如果您的双因素验证设备丢失,它们可以用来恢复对您账户的访问。", + "Switch Teams": "选择团队", + "Team Details": "团队详情", + "Team Invitation": "团队邀请", + "Team Members": "团队成员", + "Team Name": "团队名称", + "Team Owner": "团队拥有者", + "Team Settings": "团队设置", + "Terms of Service": "服务条款", + "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 a valid role.": ":attribute 不是正确的角色。", + "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 and 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 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 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.": ":attribute 至少为 :length 个字符", + "The provided password does not match your current password.": "当前密码不正确", + "The provided password was incorrect.": "密码错误", + "The provided two factor authentication code was invalid.": "双因素认证代码错误", + "The team's name and owner information.": "团队名称和拥有者信息。", + "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.": "这些人已被邀请加入您的团队,并已收到一封邀请邮件。他们可以通过接受电子邮件邀请加入团队。", + "This device": "当前设备", + "This is a secure area of the application. Please confirm your password before continuing.": "请在继续之前确认您的密码。", + "This password does not match our records.": "密码不正确", + "This user already belongs to the team.": "此用户已经在团队中", + "This user has already been invited to the team.": "该用户已经被邀请加入团队。", + "Token Name": "Token 名称", + "Two Factor Authentication": "双因素认证", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "现在已启用双因素认证。使用您手机的验证程序扫描以下二维码。", + "Update Password": "更新密码", + "Update your account's profile information and email address.": "更新您的账户资料和电子邮件地址。", + "Use a recovery code": "使用恢复代码", + "Use an authentication code": "使用验证码", + "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.": "当启用双因素认证时,在认证过程中会提示您输入一个安全的随机令牌。您可以从手机的 Google Authenticator 应用程序中获取此令牌。", + "Whoops! Something went wrong.": "哎呀!出了点问题", + "You have been invited to join the :team team!": "您已被邀请加入「:team」团队!", + "You have enabled two factor authentication.": "你已经启用了双因素认证。", + "You have not enabled two factor authentication.": "你还没有启用双因素认证。", + "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.": "如果不再需要,您可以删除任何现有的 token。", + "You may not delete your personal team.": "您不能删除您的个人团队。", + "You may not leave a team that you created.": "你不能离开你创建的团队。" +} diff --git a/locales/zh_CN/packages/nova.json b/locales/zh_CN/packages/nova.json new file mode 100644 index 00000000000..4113505576a --- /dev/null +++ b/locales/zh_CN/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30天", + "60 Days": "60天", + "90 Days": "90天", + ":amount Total": ":amount 总计", + ":resource Details": ":resource 详情", + ":resource Details: :title": ":resource 详细信息::title", + "Action": "开始!", + "Action Happened At": "发生在", + "Action Initiated By": "发起者", + "Action Name": "姓名", + "Action Status": "状态", + "Action Target": "目标", + "Actions": "行动", + "Add row": "添加行", + "Afghanistan": "阿富汗", + "Aland Islands": "Åland群岛", + "Albania": "阿尔巴尼亚", + "Algeria": "阿尔及利亚", + "All resources loaded.": "加载的所有资源。", + "American Samoa": "美属萨摩亚", + "An error occured while uploading the file.": "上传文件时发生错误。", + "Andorra": "安道尔", + "Angola": "安哥拉", + "Anguilla": "安圭拉", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "自加载此页面以来,另一个用户已更新此资源。 请刷新页面,然后重试。", + "Antarctica": "南极洲", + "Antigua And Barbuda": "安提瓜和巴布达", + "April": "四月", + "Are you sure you want to delete the selected resources?": "您确定要删除所选资源吗?", + "Are you sure you want to delete this file?": "你确定要删除这个文件吗?", + "Are you sure you want to delete this resource?": "您确定要删除此资源吗?", + "Are you sure you want to detach the selected resources?": "您确定要分离所选资源吗?", + "Are you sure you want to detach this resource?": "您确定要分离此资源吗?", + "Are you sure you want to force delete the selected resources?": "您确定要强制删除所选资源吗?", + "Are you sure you want to force delete this resource?": "您确定要强制删除此资源吗?", + "Are you sure you want to restore the selected resources?": "您确定要恢复所选资源吗?", + "Are you sure you want to restore this resource?": "您确定要恢复此资源吗?", + "Are you sure you want to run this action?": "你确定要执行此操作吗?", + "Argentina": "阿根廷", + "Armenia": "亚美尼亚", + "Aruba": "阿鲁巴", + "Attach": "附加", + "Attach & Attach Another": "附加和附加另一个", + "Attach :resource": "附加:resource", + "August": "八月", + "Australia": "澳大利亚", + "Austria": "奥地利", + "Azerbaijan": "阿塞拜疆", + "Bahamas": "巴哈马", + "Bahrain": "巴林", + "Bangladesh": "孟加拉国", + "Barbados": "巴巴多斯", + "Belarus": "白俄罗斯", + "Belgium": "比利时", + "Belize": "伯利兹", + "Benin": "贝宁", + "Bermuda": "百慕大", + "Bhutan": "不丹", + "Bolivia": "玻利维亚", + "Bonaire, Sint Eustatius and Saba": "博内尔岛,圣尤斯特歇斯和萨巴多", + "Bosnia And Herzegovina": "波斯尼亚和黑塞哥维那", + "Botswana": "博茨瓦纳", + "Bouvet Island": "布维岛", + "Brazil": "巴西", + "British Indian Ocean Territory": "英属印度洋领地", + "Brunei Darussalam": "Brunei", + "Bulgaria": "保加利亚", + "Burkina Faso": "布基纳法索", + "Burundi": "布隆迪", + "Cambodia": "柬埔寨", + "Cameroon": "喀麦隆", + "Canada": "加拿大", + "Cancel": "取消", + "Cape Verde": "佛得角", + "Cayman Islands": "开曼群岛", + "Central African Republic": "中非共和国", + "Chad": "乍得", + "Changes": "更改", + "Chile": "智利", + "China": "中国", + "Choose": "选择", + "Choose :field": "选择 :field", + "Choose :resource": "选择 :resource", + "Choose an option": "选择一个选项", + "Choose date": "选择日期", + "Choose File": "选择文件", + "Choose Type": "选择类型", + "Christmas Island": "圣诞岛", + "Click to choose": "点击选择", + "Cocos (Keeling) Islands": "科科斯(基林)群岛", + "Colombia": "哥伦比亚", + "Comoros": "科摩罗", + "Confirm Password": "确认密码", + "Congo": "刚果", + "Congo, Democratic Republic": "刚果民主共和国", + "Constant": "常数", + "Cook Islands": "库克群岛", + "Costa Rica": "哥斯达黎加", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "找不到。", + "Create": "创建", + "Create & Add Another": "创建并添加另一个", + "Create :resource": "创建 :resource", + "Croatia": "克罗地亚", + "Cuba": "古巴", + "Curaçao": "库拉索岛", + "Customize": "自定义", + "Cyprus": "塞浦路斯", + "Czech Republic": "捷克", + "Dashboard": "控制面板", + "December": "十二月", + "Decrease": "减少", + "Delete": "删除", + "Delete File": "删除文件", + "Delete Resource": "删除资源", + "Delete Selected": "删除选定", + "Denmark": "丹麦", + "Detach": "分离", + "Detach Resource": "分离资源", + "Detach Selected": "分离选定", + "Details": "详情", + "Djibouti": "吉布提", + "Do you really want to leave? You have unsaved changes.": "你真的想离开吗? 您有未保存的更改。", + "Dominica": "星期日", + "Dominican Republic": "多米尼加共和国", + "Download": "下载", + "Ecuador": "厄瓜多尔", + "Edit": "编辑", + "Edit :resource": "编辑 :resource", + "Edit Attached": "编辑附", + "Egypt": "埃及", + "El Salvador": "萨尔瓦多", + "Email Address": "电子邮件地址", + "Equatorial Guinea": "赤道几内亚", + "Eritrea": "厄立特里亚", + "Estonia": "爱沙尼亚", + "Ethiopia": "埃塞俄比亚", + "Falkland Islands (Malvinas)": "福克兰群岛(马尔维纳斯群岛)", + "Faroe Islands": "法罗群岛", + "February": "二月", + "Fiji": "斐济", + "Finland": "芬兰", + "Force Delete": "强制删除", + "Force Delete Resource": "强制删除资源", + "Force Delete Selected": "强制删除所选内容", + "Forgot Your Password?": "忘记密码?", + "Forgot your password?": "忘记密码?", + "France": "法国", + "French Guiana": "法属圭亚那", + "French Polynesia": "法属波利尼西亚", + "French Southern Territories": "法国南部领土", + "Gabon": "加蓬", + "Gambia": "冈比亚", + "Georgia": "格鲁吉亚", + "Germany": "德国", + "Ghana": "加纳", + "Gibraltar": "直布罗陀", + "Go Home": "回首页", + "Greece": "希腊", + "Greenland": "格陵兰岛", + "Grenada": "格林纳达", + "Guadeloupe": "瓜德罗普岛", + "Guam": "关岛", + "Guatemala": "危地马拉", + "Guernsey": "根西岛", + "Guinea": "几内亚", + "Guinea-Bissau": "几内亚比绍", + "Guyana": "Gu", + "Haiti": "海地", + "Heard Island & Mcdonald Islands": "赫德岛和麦当劳群岛", + "Hide Content": "隐藏内容", + "Hold Up!": "等等!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "洪都拉斯", + "Hong Kong": "香港", + "Hungary": "匈牙利", + "Iceland": "冰岛", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "如果您未申请重设密码,请忽略此邮件。", + "Increase": "增加", + "India": "印度", + "Indonesia": "印度尼西亚", + "Iran, Islamic Republic Of": "伊朗", + "Iraq": "伊拉克", + "Ireland": "爱尔兰", + "Isle Of Man": "马恩岛", + "Israel": "以色列", + "Italy": "意大利", + "Jamaica": "牙买加", + "January": "一月", + "Japan": "日本", + "Jersey": "泽西岛", + "Jordan": "约旦", + "July": "七月", + "June": "六月", + "Kazakhstan": "哈萨克斯坦", + "Kenya": "肯尼亚", + "Key": "钥匙", + "Kiribati": "基里巴斯", + "Korea": "韩国", + "Korea, Democratic People's Republic of": "朝鲜", + "Kosovo": "科索沃", + "Kuwait": "科威特", + "Kyrgyzstan": "吉尔吉斯斯坦", + "Lao People's Democratic Republic": "老挝", + "Latvia": "拉脱维亚", + "Lebanon": "黎巴嫩", + "Lens": "镜头", + "Lesotho": "莱索托", + "Liberia": "利比里亚", + "Libyan Arab Jamahiriya": "利比亚", + "Liechtenstein": "列支敦士登", + "Lithuania": "立陶宛", + "Load :perPage More": "加载:perPage更多", + "Login": "登录", + "Logout": "注销", + "Luxembourg": "卢森堡", + "Macao": "澳门", + "Macedonia": "北马其顿", + "Madagascar": "马达加斯加", + "Malawi": "马拉维", + "Malaysia": "马来西亚", + "Maldives": "马尔代夫", + "Mali": "小", + "Malta": "马耳他", + "March": "三月", + "Marshall Islands": "马绍尔群岛", + "Martinique": "马提尼克岛", + "Mauritania": "毛里塔尼亚", + "Mauritius": "毛里求斯", + "May": "五月", + "Mayotte": "马约特", + "Mexico": "墨西哥", + "Micronesia, Federated States Of": "密克罗尼西亚", + "Moldova": "摩尔多瓦", + "Monaco": "摩纳哥", + "Mongolia": "蒙古", + "Montenegro": "黑山", + "Month To Date": "月至今", + "Montserrat": "蒙特塞拉特", + "Morocco": "摩洛哥", + "Mozambique": "莫桑比克", + "Myanmar": "缅甸", + "Namibia": "纳米比亚", + "Nauru": "瑙鲁", + "Nepal": "尼泊尔", + "Netherlands": "荷兰", + "New": "新", + "New :resource": "新:resource", + "New Caledonia": "新喀里多尼亚", + "New Zealand": "新西兰", + "Next": "下一个", + "Nicaragua": "尼加拉瓜", + "Niger": "尼日尔", + "Nigeria": "尼日利亚", + "Niue": "纽埃", + "No": "非也。", + "No :resource matched the given criteria.": "没有 :resource 符合给定的标准。", + "No additional information...": "没有其他信息。..", + "No Current Data": "没有当前数据", + "No Data": "没有数据", + "no file selected": "没有选择文件", + "No Increase": "不增加", + "No Prior Data": "没有先前的数据", + "No Results Found.": "没有找到结果。", + "Norfolk Island": "诺福克岛", + "Northern Mariana Islands": "北马里亚纳群岛", + "Norway": "挪威", + "Nova User": "Nova用户", + "November": "十一月", + "October": "十月", + "of": "于", + "Oman": "阿曼", + "Only Trashed": "只有垃圾", + "Original": "原创", + "Pakistan": "巴基斯坦", + "Palau": "帕劳", + "Palestinian Territory, Occupied": "巴勒斯坦领土", + "Panama": "巴拿马", + "Papua New Guinea": "巴布亚新几内亚", + "Paraguay": "巴拉圭", + "Password": "密码", + "Per Page": "每页", + "Peru": "秘鲁", + "Philippines": "菲律宾", + "Pitcairn": "皮特凯恩群岛", + "Poland": "波兰", + "Portugal": "葡萄牙", + "Press \/ to search": "按 \/ 搜索", + "Preview": "预览", + "Previous": "上一页", + "Puerto Rico": "波多黎各", + "Qatar": "卡塔尔", + "Quarter To Date": "季度至今", + "Reload": "重装", + "Remember Me": "记住我", + "Reset Filters": "重置过滤器", + "Reset Password": "重设密码", + "Reset Password Notification": "重设密码通知", + "resource": "资源", + "Resources": "资源", + "resources": "资源", + "Restore": "恢复", + "Restore Resource": "恢复资源", + "Restore Selected": "恢复选定", + "Reunion": "会议", + "Romania": "罗马尼亚", + "Run Action": "运行操作", + "Russian Federation": "俄罗斯联邦", + "Rwanda": "卢旺达", + "Saint Barthelemy": "圣巴泰勒米", + "Saint Helena": "圣赫勒拿", + "Saint Kitts And Nevis": "圣基茨和尼维斯", + "Saint Lucia": "圣卢西亚", + "Saint Martin": "圣马丁", + "Saint Pierre And Miquelon": "圣皮埃尔和密克隆", + "Saint Vincent And Grenadines": "圣文森特和格林纳丁斯", + "Samoa": "萨摩亚", + "San Marino": "圣马力诺", + "Sao Tome And Principe": "圣多美和普林西比", + "Saudi Arabia": "沙特阿拉伯", + "Search": "搜索", + "Select Action": "选择操作", + "Select All": "全选", + "Select All Matching": "选择所有匹配", + "Send Password Reset Link": "发送重设密码链接", + "Senegal": "塞内加尔", + "September": "九月", + "Serbia": "塞尔维亚", + "Seychelles": "塞舌尔", + "Show All Fields": "显示所有字段", + "Show Content": "显示内容", + "Sierra Leone": "塞拉利昂", + "Singapore": "新加坡", + "Sint Maarten (Dutch part)": "圣马丁岛", + "Slovakia": "斯洛伐克", + "Slovenia": "斯洛文尼亚", + "Solomon Islands": "所罗门群岛", + "Somalia": "索马里", + "Something went wrong.": "出了问题", + "Sorry! You are not authorized to perform this action.": "对不起! 您无权执行此操作。", + "Sorry, your session has expired.": "对不起,您的会话已过期。", + "South Africa": "南非", + "South Georgia And Sandwich Isl.": "南乔治亚岛和南桑威奇群岛", + "South Sudan": "南苏丹", + "Spain": "西班牙", + "Sri Lanka": "斯里兰卡", + "Start Polling": "开始轮询", + "Stop Polling": "停止轮询", + "Sudan": "苏丹", + "Suriname": "苏里南", + "Svalbard And Jan Mayen": "斯瓦尔巴和扬*马延", + "Swaziland": "Eswatini", + "Sweden": "瑞典", + "Switzerland": "瑞士", + "Syrian Arab Republic": "叙利亚", + "Taiwan": "台湾", + "Tajikistan": "塔吉克斯坦", + "Tanzania": "坦桑尼亚", + "Thailand": "泰国", + "The :resource was created!": ":resource 创建了!", + "The :resource was deleted!": ":resource 被删除了!", + "The :resource was restored!": ":resource 恢复了!", + "The :resource was updated!": ":resource 更新了!", + "The action ran successfully!": "行动成功了!", + "The file was deleted!": "文件被删除了!", + "The government won't let us show you what's behind these doors": "政府不会让我们向你展示这些门后面的东西", + "The HasOne relationship has already been filled.": "HasOne 的关系已经被填补了。", + "The resource was updated!": "资源已更新!", + "There are no available options for this resource.": "此资源没有可用的选项。", + "There was a problem executing the action.": "执行操作时出现问题。", + "There was a problem submitting the form.": "提交表单时出现问题。", + "This file field is read-only.": "此文件字段是只读的。", + "This image": "此图像", + "This resource no longer exists": "此资源不再存在", + "Timor-Leste": "东帝汶", + "Today": "今天", + "Togo": "多哥", + "Tokelau": "托克劳", + "Tonga": "来吧", + "total": "总计", + "Trashed": "垃圾", + "Trinidad And Tobago": "特立尼达和多巴哥", + "Tunisia": "突尼斯", + "Turkey": "土耳其", + "Turkmenistan": "土库曼斯坦", + "Turks And Caicos Islands": "特克斯和凯科斯群岛", + "Tuvalu": "图瓦卢", + "Uganda": "乌干达", + "Ukraine": "乌克兰", + "United Arab Emirates": "阿拉伯联合酋长国", + "United Kingdom": "联合王国", + "United States": "美国", + "United States Outlying Islands": "美国离岛", + "Update": "更新", + "Update & Continue Editing": "更新并继续编辑", + "Update :resource": "更新 :resource", + "Update :resource: :title": "更新 :resource::title", + "Update attached :resource: :title": "更新附 :resource: :title", + "Uruguay": "乌拉圭", + "Uzbekistan": "乌兹别克斯坦", + "Value": "价值", + "Vanuatu": "瓦努阿图", + "Venezuela": "委内瑞拉", + "Viet Nam": "Vietnam", + "View": "查看", + "Virgin Islands, British": "英属维尔京群岛", + "Virgin Islands, U.S.": "美属维尔京群岛", + "Wallis And Futuna": "瓦利斯和富图纳群岛", + "We're lost in space. The page you were trying to view does not exist.": "我们迷失在太空中 您尝试查看的页面不存在。", + "Welcome Back!": "欢迎回来!", + "Western Sahara": "西撒哈拉", + "Whoops": "哎呦", + "Whoops!": "哎呀!", + "With Trashed": "与垃圾", + "Write": "写", + "Year To Date": "年至今", + "Yemen": "也门", + "Yes": "是的", + "You are receiving this email because we received a password reset request for your account.": "您收到此电子邮件是因为我们收到了您帐户的密码重设请求。", + "Zambia": "赞比亚", + "Zimbabwe": "津巴布韦" +} diff --git a/locales/zh_CN/packages/spark-paddle.json b/locales/zh_CN/packages/spark-paddle.json new file mode 100644 index 00000000000..a91964ba6dc --- /dev/null +++ b/locales/zh_CN/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "服务条款", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "哎呀!出了点问题", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/zh_CN/packages/spark-stripe.json b/locales/zh_CN/packages/spark-stripe.json new file mode 100644 index 00000000000..54045e138e8 --- /dev/null +++ b/locales/zh_CN/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "阿富汗", + "Albania": "阿尔巴尼亚", + "Algeria": "阿尔及利亚", + "American Samoa": "美属萨摩亚", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "安道尔", + "Angola": "安哥拉", + "Anguilla": "安圭拉", + "Antarctica": "南极洲", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "阿根廷", + "Armenia": "亚美尼亚", + "Aruba": "阿鲁巴", + "Australia": "澳大利亚", + "Austria": "奥地利", + "Azerbaijan": "阿塞拜疆", + "Bahamas": "巴哈马", + "Bahrain": "巴林", + "Bangladesh": "孟加拉国", + "Barbados": "巴巴多斯", + "Belarus": "白俄罗斯", + "Belgium": "比利时", + "Belize": "伯利兹", + "Benin": "贝宁", + "Bermuda": "百慕大", + "Bhutan": "不丹", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "博茨瓦纳", + "Bouvet Island": "布维岛", + "Brazil": "巴西", + "British Indian Ocean Territory": "英属印度洋领地", + "Brunei Darussalam": "Brunei", + "Bulgaria": "保加利亚", + "Burkina Faso": "布基纳法索", + "Burundi": "布隆迪", + "Cambodia": "柬埔寨", + "Cameroon": "喀麦隆", + "Canada": "加拿大", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "佛得角", + "Card": "卡片", + "Cayman Islands": "开曼群岛", + "Central African Republic": "中非共和国", + "Chad": "乍得", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "智利", + "China": "中国", + "Christmas Island": "圣诞岛", + "City": "City", + "Cocos (Keeling) Islands": "科科斯(基林)群岛", + "Colombia": "哥伦比亚", + "Comoros": "科摩罗", + "Confirm Payment": "确认支付", + "Confirm your :amount payment": "确认你的 :amount 支付信息", + "Congo": "刚果", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "库克群岛", + "Costa Rica": "哥斯达黎加", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "克罗地亚", + "Cuba": "古巴", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "塞浦路斯", + "Czech Republic": "捷克", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "丹麦", + "Djibouti": "吉布提", + "Dominica": "星期日", + "Dominican Republic": "多米尼加共和国", + "Download Receipt": "Download Receipt", + "Ecuador": "厄瓜多尔", + "Egypt": "埃及", + "El Salvador": "萨尔瓦多", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "赤道几内亚", + "Eritrea": "厄立特里亚", + "Estonia": "爱沙尼亚", + "Ethiopia": "埃塞俄比亚", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "需要额外的确认以处理您的付款。 请点击下面的按钮进入付款页面。", + "Falkland Islands (Malvinas)": "福克兰群岛(马尔维纳斯群岛)", + "Faroe Islands": "法罗群岛", + "Fiji": "斐济", + "Finland": "芬兰", + "France": "法国", + "French Guiana": "法属圭亚那", + "French Polynesia": "法属波利尼西亚", + "French Southern Territories": "法国南部领土", + "Gabon": "加蓬", + "Gambia": "冈比亚", + "Georgia": "格鲁吉亚", + "Germany": "德国", + "Ghana": "加纳", + "Gibraltar": "直布罗陀", + "Greece": "希腊", + "Greenland": "格陵兰岛", + "Grenada": "格林纳达", + "Guadeloupe": "瓜德罗普岛", + "Guam": "关岛", + "Guatemala": "危地马拉", + "Guernsey": "根西岛", + "Guinea": "几内亚", + "Guinea-Bissau": "几内亚比绍", + "Guyana": "Gu", + "Haiti": "海地", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "洪都拉斯", + "Hong Kong": "香港", + "Hungary": "匈牙利", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "冰岛", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "印度", + "Indonesia": "印度尼西亚", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "伊拉克", + "Ireland": "爱尔兰", + "Isle of Man": "Isle of Man", + "Israel": "以色列", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "意大利", + "Jamaica": "牙买加", + "Japan": "日本", + "Jersey": "泽西岛", + "Jordan": "约旦", + "Kazakhstan": "哈萨克斯坦", + "Kenya": "肯尼亚", + "Kiribati": "基里巴斯", + "Korea, Democratic People's Republic of": "朝鲜", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "科威特", + "Kyrgyzstan": "吉尔吉斯斯坦", + "Lao People's Democratic Republic": "老挝", + "Latvia": "拉脱维亚", + "Lebanon": "黎巴嫩", + "Lesotho": "莱索托", + "Liberia": "利比里亚", + "Libyan Arab Jamahiriya": "利比亚", + "Liechtenstein": "列支敦士登", + "Lithuania": "立陶宛", + "Luxembourg": "卢森堡", + "Macao": "澳门", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "马达加斯加", + "Malawi": "马拉维", + "Malaysia": "马来西亚", + "Maldives": "马尔代夫", + "Mali": "小", + "Malta": "马耳他", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "马绍尔群岛", + "Martinique": "马提尼克岛", + "Mauritania": "毛里塔尼亚", + "Mauritius": "毛里求斯", + "Mayotte": "马约特", + "Mexico": "墨西哥", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "摩纳哥", + "Mongolia": "蒙古", + "Montenegro": "黑山", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "蒙特塞拉特", + "Morocco": "摩洛哥", + "Mozambique": "莫桑比克", + "Myanmar": "缅甸", + "Namibia": "纳米比亚", + "Nauru": "瑙鲁", + "Nepal": "尼泊尔", + "Netherlands": "荷兰", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "新喀里多尼亚", + "New Zealand": "新西兰", + "Nicaragua": "尼加拉瓜", + "Niger": "尼日尔", + "Nigeria": "尼日利亚", + "Niue": "纽埃", + "Norfolk Island": "诺福克岛", + "Northern Mariana Islands": "北马里亚纳群岛", + "Norway": "挪威", + "Oman": "阿曼", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "巴基斯坦", + "Palau": "帕劳", + "Palestinian Territory, Occupied": "巴勒斯坦领土", + "Panama": "巴拿马", + "Papua New Guinea": "巴布亚新几内亚", + "Paraguay": "巴拉圭", + "Payment Information": "Payment Information", + "Peru": "秘鲁", + "Philippines": "菲律宾", + "Pitcairn": "皮特凯恩群岛", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "波兰", + "Portugal": "葡萄牙", + "Puerto Rico": "波多黎各", + "Qatar": "卡塔尔", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "罗马尼亚", + "Russian Federation": "俄罗斯联邦", + "Rwanda": "卢旺达", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "圣赫勒拿", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "圣卢西亚", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "萨摩亚", + "San Marino": "圣马力诺", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "沙特阿拉伯", + "Save": "保存", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "塞内加尔", + "Serbia": "塞尔维亚", + "Seychelles": "塞舌尔", + "Sierra Leone": "塞拉利昂", + "Signed in as": "Signed in as", + "Singapore": "新加坡", + "Slovakia": "斯洛伐克", + "Slovenia": "斯洛文尼亚", + "Solomon Islands": "所罗门群岛", + "Somalia": "索马里", + "South Africa": "南非", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "西班牙", + "Sri Lanka": "斯里兰卡", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "苏丹", + "Suriname": "苏里南", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "瑞典", + "Switzerland": "瑞士", + "Syrian Arab Republic": "叙利亚", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "塔吉克斯坦", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "服务条款", + "Thailand": "泰国", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "东帝汶", + "Togo": "多哥", + "Tokelau": "托克劳", + "Tonga": "来吧", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "突尼斯", + "Turkey": "土耳其", + "Turkmenistan": "土库曼斯坦", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "图瓦卢", + "Uganda": "乌干达", + "Ukraine": "乌克兰", + "United Arab Emirates": "阿拉伯联合酋长国", + "United Kingdom": "联合王国", + "United States": "美国", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "更新", + "Update Payment Information": "Update Payment Information", + "Uruguay": "乌拉圭", + "Uzbekistan": "乌兹别克斯坦", + "Vanuatu": "瓦努阿图", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "英属维尔京群岛", + "Virgin Islands, U.S.": "美属维尔京群岛", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "西撒哈拉", + "Whoops! Something went wrong.": "哎呀!出了点问题", + "Yearly": "Yearly", + "Yemen": "也门", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "赞比亚", + "Zimbabwe": "津巴布韦", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/zh_CN/zh_CN.json b/locales/zh_CN/zh_CN.json index 8c523380282..0dd3cccba22 100644 --- a/locales/zh_CN/zh_CN.json +++ b/locales/zh_CN/zh_CN.json @@ -1,710 +1,48 @@ { - "30 Days": "30天", - "60 Days": "60天", - "90 Days": "90天", - ":amount Total": ":amount 总计", - ":days day trial": ":days day trial", - ":resource Details": ":resource 详情", - ":resource Details: :title": ":resource 详细信息::title", "A fresh verification link has been sent to your email address.": "新的验证链接已发送到您的 E-mail。", - "A new verification link has been sent to the email address you provided during registration.": "一个新的验证链接已经发送至您在注册时提供的电子邮件地址。", - "Accept Invitation": "接受邀请", - "Action": "开始!", - "Action Happened At": "发生在", - "Action Initiated By": "发起者", - "Action Name": "姓名", - "Action Status": "状态", - "Action Target": "目标", - "Actions": "行动", - "Add": "添加", - "Add a new team member to your team, allowing them to collaborate with you.": "添加一个新的团队成员到你的团队,让他们与你合作。", - "Add additional security to your account using two factor authentication.": "使用双因素认证为您的账户添加额外的安全性。", - "Add row": "添加行", - "Add Team Member": "添加团队成员", - "Add VAT Number": "Add VAT Number", - "Added.": "已添加。", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "管理员", - "Administrator users can perform any action.": "管理员用户可以执行任何操作。", - "Afghanistan": "阿富汗", - "Aland Islands": "Åland群岛", - "Albania": "阿尔巴尼亚", - "Algeria": "阿尔及利亚", - "All of the people that are part of this team.": "所有的人都是这个团队的一部分。", - "All resources loaded.": "加载的所有资源。", - "All rights reserved.": "版权所有。", - "Already registered?": "已注册?", - "American Samoa": "美属萨摩亚", - "An error occured while uploading the file.": "上传文件时发生错误。", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "安道尔", - "Angola": "安哥拉", - "Anguilla": "安圭拉", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "自加载此页面以来,另一个用户已更新此资源。 请刷新页面,然后重试。", - "Antarctica": "南极洲", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "安提瓜和巴布达", - "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 Token 允许第三方服务代表您与我们的应用程序进行认证。", - "April": "四月", - "Are you sure you want to delete the selected resources?": "您确定要删除所选资源吗?", - "Are you sure you want to delete this file?": "你确定要删除这个文件吗?", - "Are you sure you want to delete this resource?": "您确定要删除此资源吗?", - "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 detach the selected resources?": "您确定要分离所选资源吗?", - "Are you sure you want to detach this resource?": "您确定要分离此资源吗?", - "Are you sure you want to force delete the selected resources?": "您确定要强制删除所选资源吗?", - "Are you sure you want to force delete this resource?": "您确定要强制删除此资源吗?", - "Are you sure you want to restore the selected resources?": "您确定要恢复所选资源吗?", - "Are you sure you want to restore this resource?": "您确定要恢复此资源吗?", - "Are you sure you want to run this action?": "你确定要执行此操作吗?", - "Are you sure you would like to delete this API token?": "你确定要删除这个 API token 吗?", - "Are you sure you would like to leave this team?": "你确定要离开这个团队吗?", - "Are you sure you would like to remove this person from the team?": "你确定要把这个人从团队中删除吗?", - "Argentina": "阿根廷", - "Armenia": "亚美尼亚", - "Aruba": "阿鲁巴", - "Attach": "附加", - "Attach & Attach Another": "附加和附加另一个", - "Attach :resource": "附加:resource", - "August": "八月", - "Australia": "澳大利亚", - "Austria": "奥地利", - "Azerbaijan": "阿塞拜疆", - "Bahamas": "巴哈马", - "Bahrain": "巴林", - "Bangladesh": "孟加拉国", - "Barbados": "巴巴多斯", "Before proceeding, please check your email for a verification link.": "在继续之前请先验证您的 E-mail。", - "Belarus": "白俄罗斯", - "Belgium": "比利时", - "Belize": "伯利兹", - "Benin": "贝宁", - "Bermuda": "百慕大", - "Bhutan": "不丹", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "玻利维亚", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "博内尔岛,圣尤斯特歇斯和萨巴多", - "Bosnia And Herzegovina": "波斯尼亚和黑塞哥维那", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "博茨瓦纳", - "Bouvet Island": "布维岛", - "Brazil": "巴西", - "British Indian Ocean Territory": "英属印度洋领地", - "Browser Sessions": "浏览器会话", - "Brunei Darussalam": "Brunei", - "Bulgaria": "保加利亚", - "Burkina Faso": "布基纳法索", - "Burundi": "布隆迪", - "Cambodia": "柬埔寨", - "Cameroon": "喀麦隆", - "Canada": "加拿大", - "Cancel": "取消", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "佛得角", - "Card": "卡片", - "Cayman Islands": "开曼群岛", - "Central African Republic": "中非共和国", - "Chad": "乍得", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "更改", - "Chile": "智利", - "China": "中国", - "Choose": "选择", - "Choose :field": "选择 :field", - "Choose :resource": "选择 :resource", - "Choose an option": "选择一个选项", - "Choose date": "选择日期", - "Choose File": "选择文件", - "Choose Type": "选择类型", - "Christmas Island": "圣诞岛", - "City": "City", "click here to request another": "点击重新发送 E-mail", - "Click to choose": "点击选择", - "Close": "关闭", - "Cocos (Keeling) Islands": "科科斯(基林)群岛", - "Code": "验证码", - "Colombia": "哥伦比亚", - "Comoros": "科摩罗", - "Confirm": "确认", - "Confirm Password": "确认密码", - "Confirm Payment": "确认支付", - "Confirm your :amount payment": "确认你的 :amount 支付信息", - "Congo": "刚果", - "Congo, Democratic Republic": "刚果民主共和国", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "常数", - "Cook Islands": "库克群岛", - "Costa Rica": "哥斯达黎加", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "找不到。", - "Country": "Country", - "Coupon": "Coupon", - "Create": "创建", - "Create & Add Another": "创建并添加另一个", - "Create :resource": "创建 :resource", - "Create a new team to collaborate with others on projects.": "创建一个新的团队,与他人合作开展项目。", - "Create Account": "创建账户", - "Create API Token": "创建 API Token", - "Create New Team": "创建新的团队", - "Create Team": "创建团队", - "Created.": "已创建。", - "Croatia": "克罗地亚", - "Cuba": "古巴", - "Curaçao": "库拉索岛", - "Current Password": "当前密码", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "自定义", - "Cyprus": "塞浦路斯", - "Czech Republic": "捷克", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "控制面板", - "December": "十二月", - "Decrease": "减少", - "Delete": "删除", - "Delete Account": "删除账户", - "Delete API Token": "删除 API Token", - "Delete File": "删除文件", - "Delete Resource": "删除资源", - "Delete Selected": "删除选定", - "Delete Team": "删除团队", - "Denmark": "丹麦", - "Detach": "分离", - "Detach Resource": "分离资源", - "Detach Selected": "分离选定", - "Details": "详情", - "Disable": "禁用", - "Djibouti": "吉布提", - "Do you really want to leave? You have unsaved changes.": "你真的想离开吗? 您有未保存的更改。", - "Dominica": "星期日", - "Dominican Republic": "多米尼加共和国", - "Done.": "已完成。", - "Download": "下载", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-mail", - "Ecuador": "厄瓜多尔", - "Edit": "编辑", - "Edit :resource": "编辑 :resource", - "Edit Attached": "编辑附", - "Editor": "编辑者", - "Editor users have the ability to read, create, and update.": "编辑者可以阅读、创建和更新。", - "Egypt": "埃及", - "El Salvador": "萨尔瓦多", - "Email": "Email", - "Email Address": "电子邮件地址", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "电子邮件密码重置链接", - "Enable": "启用", - "Ensure your account is using a long, random password to stay secure.": "确保你的账户使用足够长且随机的密码来保证安全。", - "Equatorial Guinea": "赤道几内亚", - "Eritrea": "厄立特里亚", - "Estonia": "爱沙尼亚", - "Ethiopia": "埃塞俄比亚", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "需要额外的确认以处理您的付款。请通过在下面填写您的付款详细信息来确认您的付款。", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "需要额外的确认以处理您的付款。 请点击下面的按钮进入付款页面。", - "Falkland Islands (Malvinas)": "福克兰群岛(马尔维纳斯群岛)", - "Faroe Islands": "法罗群岛", - "February": "二月", - "Fiji": "斐济", - "Finland": "芬兰", - "For your security, please confirm your password to continue.": "为了您的安全,请确认您的密码以继续。", "Forbidden": "访问被拒绝", - "Force Delete": "强制删除", - "Force Delete Resource": "强制删除资源", - "Force Delete Selected": "强制删除所选内容", - "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.": "忘记密码?没关系。输入您的电子邮件地址,我们将通过电子邮件向您发送密码重置链接,让您重置一个新的密码。", - "France": "法国", - "French Guiana": "法属圭亚那", - "French Polynesia": "法属波利尼西亚", - "French Southern Territories": "法国南部领土", - "Full name": "全称", - "Gabon": "加蓬", - "Gambia": "冈比亚", - "Georgia": "格鲁吉亚", - "Germany": "德国", - "Ghana": "加纳", - "Gibraltar": "直布罗陀", - "Go back": "返回", - "Go Home": "回首页", "Go to page :page": "前往第 :page 页", - "Great! You have accepted the invitation to join the :team team.": "太好了,您已接受了加入团队「:team」的邀请。", - "Greece": "希腊", - "Greenland": "格陵兰岛", - "Grenada": "格林纳达", - "Guadeloupe": "瓜德罗普岛", - "Guam": "关岛", - "Guatemala": "危地马拉", - "Guernsey": "根西岛", - "Guinea": "几内亚", - "Guinea-Bissau": "几内亚比绍", - "Guyana": "Gu", - "Haiti": "海地", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "赫德岛和麦当劳群岛", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "您好!", - "Hide Content": "隐藏内容", - "Hold Up!": "等等!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "洪都拉斯", - "Hong Kong": "香港", - "Hungary": "匈牙利", - "I agree to the :terms_of_service and :privacy_policy": "我同意 :terms_of_service 和 :privacy_policy", - "Iceland": "冰岛", - "ID": "ID", - "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 logout 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 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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "如果您点击「:actionText」按钮时出现问题,请复制下方链接到浏览器中访问:", - "Increase": "增加", - "India": "印度", - "Indonesia": "印度尼西亚", "Invalid signature.": "签名无效", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "伊朗", - "Iraq": "伊拉克", - "Ireland": "爱尔兰", - "Isle of Man": "Isle of Man", - "Isle Of Man": "马恩岛", - "Israel": "以色列", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "意大利", - "Jamaica": "牙买加", - "January": "一月", - "Japan": "日本", - "Jersey": "泽西岛", - "Jordan": "约旦", - "July": "七月", - "June": "六月", - "Kazakhstan": "哈萨克斯坦", - "Kenya": "肯尼亚", - "Key": "钥匙", - "Kiribati": "基里巴斯", - "Korea": "韩国", - "Korea, Democratic People's Republic of": "朝鲜", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "科索沃", - "Kuwait": "科威特", - "Kyrgyzstan": "吉尔吉斯斯坦", - "Lao People's Democratic Republic": "老挝", - "Last active": "上次活跃", - "Last used": "上次使用", - "Latvia": "拉脱维亚", - "Leave": "离开", - "Leave Team": "离开团队", - "Lebanon": "黎巴嫩", - "Lens": "镜头", - "Lesotho": "莱索托", - "Liberia": "利比里亚", - "Libyan Arab Jamahiriya": "利比亚", - "Liechtenstein": "列支敦士登", - "Lithuania": "立陶宛", - "Load :perPage More": "加载:perPage更多", - "Log in": "登录", "Log out": "注销", - "Log Out": "注销", - "Log Out Other Browser Sessions": "注销其他浏览器的会话", - "Login": "登录", - "Logout": "注销", "Logout Other Browser Sessions": "注销其他浏览器的会话", - "Luxembourg": "卢森堡", - "Macao": "澳门", - "Macedonia": "北马其顿", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "马达加斯加", - "Malawi": "马拉维", - "Malaysia": "马来西亚", - "Maldives": "马尔代夫", - "Mali": "小", - "Malta": "马耳他", - "Manage Account": "管理账户", - "Manage and log out your active sessions on other browsers and devices.": "管理和注销您在其他浏览器和设备上的活动会话。", "Manage and logout your active sessions on other browsers and devices.": "管理和注销您在其他浏览器和设备上的活动会话。", - "Manage API Tokens": "管理 API Token", - "Manage Role": "管理角色", - "Manage Team": "管理团队", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "三月", - "Marshall Islands": "马绍尔群岛", - "Martinique": "马提尼克岛", - "Mauritania": "毛里塔尼亚", - "Mauritius": "毛里求斯", - "May": "五月", - "Mayotte": "马约特", - "Mexico": "墨西哥", - "Micronesia, Federated States Of": "密克罗尼西亚", - "Moldova": "摩尔多瓦", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "摩纳哥", - "Mongolia": "蒙古", - "Montenegro": "黑山", - "Month To Date": "月至今", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "蒙特塞拉特", - "Morocco": "摩洛哥", - "Mozambique": "莫桑比克", - "Myanmar": "缅甸", - "Name": "姓名", - "Namibia": "纳米比亚", - "Nauru": "瑙鲁", - "Nepal": "尼泊尔", - "Netherlands": "荷兰", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "没关系", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "新", - "New :resource": "新:resource", - "New Caledonia": "新喀里多尼亚", - "New Password": "新的密码", - "New Zealand": "新西兰", - "Next": "下一个", - "Nicaragua": "尼加拉瓜", - "Niger": "尼日尔", - "Nigeria": "尼日利亚", - "Niue": "纽埃", - "No": "非也。", - "No :resource matched the given criteria.": "没有 :resource 符合给定的标准。", - "No additional information...": "没有其他信息。..", - "No Current Data": "没有当前数据", - "No Data": "没有数据", - "no file selected": "没有选择文件", - "No Increase": "不增加", - "No Prior Data": "没有先前的数据", - "No Results Found.": "没有找到结果。", - "Norfolk Island": "诺福克岛", - "Northern Mariana Islands": "北马里亚纳群岛", - "Norway": "挪威", "Not Found": "页面不存在", - "Nova User": "Nova用户", - "November": "十一月", - "October": "十月", - "of": "于", "Oh no": "不好了", - "Oman": "阿曼", - "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 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 Trashed": "只有垃圾", - "Original": "原创", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "页面会话已超时", "Pagination Navigation": "分页导航", - "Pakistan": "巴基斯坦", - "Palau": "帕劳", - "Palestinian Territory, Occupied": "巴勒斯坦领土", - "Panama": "巴拿马", - "Papua New Guinea": "巴布亚新几内亚", - "Paraguay": "巴拉圭", - "Password": "密码", - "Pay :amount": "支付 :amount", - "Payment Cancelled": "支付已经取消", - "Payment Confirmation": "支付信息确认", - "Payment Information": "Payment Information", - "Payment Successful": "支付成功", - "Pending Team Invitations": "待处理的团队邀请函", - "Per Page": "每页", - "Permanently delete this team.": "永久删除此团队", - "Permanently delete your account.": "永久删除您的账户", - "Permissions": "权限", - "Peru": "秘鲁", - "Philippines": "菲律宾", - "Photo": "照片", - "Pitcairn": "皮特凯恩群岛", "Please click the button below to verify your email address.": "请点击下面按钮验证您的 E-mail:", - "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 your password before continuing.": "如要继续操作,请先确认密码。", - "Please copy your new API token. For your security, it won't be shown again.": "请复制你的新 API token。为了您的安全,它不会再被显示出来。", - "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 logout of your other browser sessions across all of your devices.": "请输入您的密码,以确认您要注销您其他设备上的浏览器会话。", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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. The email address must be associated with an existing account.": "请提供您想加入这个团队的人的电子邮件地址。该电子邮件地址必须是已注册用户。", - "Please provide your name.": "请提供你的名字。", - "Poland": "波兰", - "Portugal": "葡萄牙", - "Press \/ to search": "按 \/ 搜索", - "Preview": "预览", - "Previous": "上一页", - "Privacy Policy": "隐私政策", - "Profile": "资料", - "Profile Information": "账户资料", - "Puerto Rico": "波多黎各", - "Qatar": "卡塔尔", - "Quarter To Date": "季度至今", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "恢复代码", "Regards": "致敬", - "Regenerate Recovery Codes": "重新生成恢复代码", - "Register": "注册", - "Reload": "重装", - "Remember me": "记住我", - "Remember Me": "记住我", - "Remove": "移除", - "Remove Photo": "移除照片", - "Remove Team Member": "移除团队成员", - "Resend Verification Email": "重新发送验证邮件", - "Reset Filters": "重置过滤器", - "Reset Password": "重设密码", - "Reset Password Notification": "重设密码通知", - "resource": "资源", - "Resources": "资源", - "resources": "资源", - "Restore": "恢复", - "Restore Resource": "恢复资源", - "Restore Selected": "恢复选定", "results": "结果", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "会议", - "Role": "角色", - "Romania": "罗马尼亚", - "Run Action": "运行操作", - "Russian Federation": "俄罗斯联邦", - "Rwanda": "卢旺达", - "Réunion": "Réunion", - "Saint Barthelemy": "圣巴泰勒米", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "圣赫勒拿", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "圣基茨和尼维斯", - "Saint Lucia": "圣卢西亚", - "Saint Martin": "圣马丁", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "圣皮埃尔和密克隆", - "Saint Vincent And Grenadines": "圣文森特和格林纳丁斯", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "萨摩亚", - "San Marino": "圣马力诺", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "圣多美和普林西比", - "Saudi Arabia": "沙特阿拉伯", - "Save": "保存", - "Saved.": "已保存。", - "Search": "搜索", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "选择新的照片", - "Select Action": "选择操作", - "Select All": "全选", - "Select All Matching": "选择所有匹配", - "Send Password Reset Link": "发送重设密码链接", - "Senegal": "塞内加尔", - "September": "九月", - "Serbia": "塞尔维亚", "Server Error": "服务器错误", "Service Unavailable": "暂时不提供服务", - "Seychelles": "塞舌尔", - "Show All Fields": "显示所有字段", - "Show Content": "显示内容", - "Show Recovery Codes": "显示恢复代码", "Showing": "显示中", - "Sierra Leone": "塞拉利昂", - "Signed in as": "Signed in as", - "Singapore": "新加坡", - "Sint Maarten (Dutch part)": "圣马丁岛", - "Slovakia": "斯洛伐克", - "Slovenia": "斯洛文尼亚", - "Solomon Islands": "所罗门群岛", - "Somalia": "索马里", - "Something went wrong.": "出了问题", - "Sorry! You are not authorized to perform this action.": "对不起! 您无权执行此操作。", - "Sorry, your session has expired.": "对不起,您的会话已过期。", - "South Africa": "南非", - "South Georgia And Sandwich Isl.": "南乔治亚岛和南桑威奇群岛", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "南苏丹", - "Spain": "西班牙", - "Sri Lanka": "斯里兰卡", - "Start Polling": "开始轮询", - "State \/ County": "State \/ County", - "Stop Polling": "停止轮询", - "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.": "将这些恢复码存储在一个安全的密码管理器中。如果您的双因素验证设备丢失,它们可以用来恢复对您账户的访问。", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "苏丹", - "Suriname": "苏里南", - "Svalbard And Jan Mayen": "斯瓦尔巴和扬*马延", - "Swaziland": "Eswatini", - "Sweden": "瑞典", - "Switch Teams": "选择团队", - "Switzerland": "瑞士", - "Syrian Arab Republic": "叙利亚", - "Taiwan": "台湾", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "塔吉克斯坦", - "Tanzania": "坦桑尼亚", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "团队详情", - "Team Invitation": "团队邀请", - "Team Members": "团队成员", - "Team Name": "团队名称", - "Team Owner": "团队拥有者", - "Team Settings": "团队设置", - "Terms of Service": "服务条款", - "Thailand": "泰国", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute 不是正确的角色。", - "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 and 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 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 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.": ":attribute 至少为 :length 个字符", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource 创建了!", - "The :resource was deleted!": ":resource 被删除了!", - "The :resource was restored!": ":resource 恢复了!", - "The :resource was updated!": ":resource 更新了!", - "The action ran successfully!": "行动成功了!", - "The file was deleted!": "文件被删除了!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "政府不会让我们向你展示这些门后面的东西", - "The HasOne relationship has already been filled.": "HasOne 的关系已经被填补了。", - "The payment was successful.": "账单支付成功。", - "The provided coupon code is invalid.": "The provided coupon code is 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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "资源已更新!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "团队名称和拥有者信息。", - "There are no available options for this resource.": "此资源没有可用的选项。", - "There was a problem executing the action.": "执行操作时出现问题。", - "There was a problem submitting the form.": "提交表单时出现问题。", - "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.": "这些人已被邀请加入您的团队,并已收到一封邀请邮件。他们可以通过接受电子邮件邀请加入团队。", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "权限不足。", - "This device": "当前设备", - "This file field is read-only.": "此文件字段是只读的。", - "This image": "此图像", - "This is a secure area of the application. Please confirm your password before continuing.": "请在继续之前确认您的密码。", - "This password does not match our records.": "密码不正确", "This password reset link will expire in :count minutes.": "这个重设密码链接将会在 :count 分钟后失效。", - "This payment was already successfully confirmed.": "付款已经成功确认。", - "This payment was cancelled.": "支付已经取消。", - "This resource no longer exists": "此资源不再存在", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "此用户已经在团队中", - "This user has already been invited to the team.": "该用户已经被邀请加入团队。", - "Timor-Leste": "东帝汶", "to": "至", - "Today": "今天", "Toggle navigation": "切换导航", - "Togo": "多哥", - "Tokelau": "托克劳", - "Token Name": "Token 名称", - "Tonga": "来吧", "Too Many Attempts.": "尝试次数过多。", "Too Many Requests": "请求次数过多。", - "total": "总计", - "Total:": "Total:", - "Trashed": "垃圾", - "Trinidad And Tobago": "特立尼达和多巴哥", - "Tunisia": "突尼斯", - "Turkey": "土耳其", - "Turkmenistan": "土库曼斯坦", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "特克斯和凯科斯群岛", - "Tuvalu": "图瓦卢", - "Two Factor Authentication": "双因素认证", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "现在已启用双因素认证。使用您手机的验证程序扫描以下二维码。", - "Uganda": "乌干达", - "Ukraine": "乌克兰", "Unauthorized": "未授权", - "United Arab Emirates": "阿拉伯联合酋长国", - "United Kingdom": "联合王国", - "United States": "美国", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "美国离岛", - "Update": "更新", - "Update & Continue Editing": "更新并继续编辑", - "Update :resource": "更新 :resource", - "Update :resource: :title": "更新 :resource::title", - "Update attached :resource: :title": "更新附 :resource: :title", - "Update Password": "更新密码", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "更新您的账户资料和电子邮件地址。", - "Uruguay": "乌拉圭", - "Use a recovery code": "使用恢复代码", - "Use an authentication code": "使用验证码", - "Uzbekistan": "乌兹别克斯坦", - "Value": "价值", - "Vanuatu": "瓦努阿图", - "VAT Number": "VAT Number", - "Venezuela": "委内瑞拉", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "验证 E-mail", "Verify Your Email Address": "验证 E-mail", - "Viet Nam": "Vietnam", - "View": "查看", - "Virgin Islands, British": "英属维尔京群岛", - "Virgin Islands, U.S.": "美属维尔京群岛", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "瓦利斯和富图纳群岛", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "我们无法找到这个电子邮件地址的注册用户。", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "确认完成后,接下来几个小时内您不需再输入密码。", - "We're lost in space. The page you were trying to view does not exist.": "我们迷失在太空中 您尝试查看的页面不存在。", - "Welcome Back!": "欢迎回来!", - "Western Sahara": "西撒哈拉", - "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 应用程序中获取此令牌。", - "Whoops": "哎呦", - "Whoops!": "哎呀!", - "Whoops! Something went wrong.": "哎呀!出了点问题", - "With Trashed": "与垃圾", - "Write": "写", - "Year To Date": "年至今", - "Yearly": "Yearly", - "Yemen": "也门", - "Yes": "是的", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "您已登录!", - "You are receiving this email because we received a password reset request for your account.": "您收到此电子邮件是因为我们收到了您帐户的密码重设请求。", - "You have been invited to join the :team team!": "您已被邀请加入「:team」团队!", - "You have enabled two factor authentication.": "你已经启用了双因素认证。", - "You have not enabled two factor authentication.": "你还没有启用双因素认证。", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "如果不再需要,您可以删除任何现有的 token。", - "You may not delete your personal team.": "您不能删除您的个人团队。", - "You may not leave a team that you created.": "你不能离开你创建的团队。", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "您的电子邮件尚未验证通过。", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "赞比亚", - "Zimbabwe": "津巴布韦", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "您的电子邮件尚未验证通过。" } diff --git a/locales/zh_HK/packages/cashier.json b/locales/zh_HK/packages/cashier.json new file mode 100644 index 00000000000..10217113db5 --- /dev/null +++ b/locales/zh_HK/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "版權所有。", + "Card": "卡片", + "Confirm Payment": "確認支付", + "Confirm your :amount payment": "確認你的 :amount 支付信息", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "需要額外的確認以處理您的付款。請通過在下面填寫您的付款詳細信息來確認您的付款。", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "需要額外的確認以處理您的付款。 請點擊下面的按鈕進入付款頁面。", + "Full name": "全稱", + "Go back": "返回", + "Jane Doe": "Jane Doe", + "Pay :amount": "支付 :amount", + "Payment Cancelled": "支付已經取消", + "Payment Confirmation": "支付信息確認", + "Payment Successful": "支付成功", + "Please provide your name.": "請提供你的名字。", + "The payment was successful.": "賬單支付成功。", + "This payment was already successfully confirmed.": "付款已經成功確認。", + "This payment was cancelled.": "支付已經取消。" +} diff --git a/locales/zh_HK/packages/fortify.json b/locales/zh_HK/packages/fortify.json new file mode 100644 index 00000000000..dec2df47a22 --- /dev/null +++ b/locales/zh_HK/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 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 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.": ":attribute 至少為 :length 個字符", + "The provided password does not match your current password.": "當前密碼不正確", + "The provided password was incorrect.": "密碼錯誤", + "The provided two factor authentication code was invalid.": "雙因素認證代碼錯誤" +} diff --git a/locales/zh_HK/packages/jetstream.json b/locales/zh_HK/packages/jetstream.json new file mode 100644 index 00000000000..d7d3492a077 --- /dev/null +++ b/locales/zh_HK/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "一個新的驗證鏈接已經發送至您在註冊時提供的電子郵件地址。", + "Accept Invitation": "接受邀請", + "Add": "添加", + "Add a new team member to your team, allowing them to collaborate with you.": "添加一個新的團隊成員到你的團隊,讓他們與你合作。", + "Add additional security to your account using two factor authentication.": "使用雙因素認證為您的賬戶添加額外的安全性。", + "Add Team Member": "添加團隊成員", + "Added.": "已添加。", + "Administrator": "管理員", + "Administrator users can perform any action.": "管理員用戶可以執行任何操作。", + "All of the people that are part of this team.": "所有的人都是這個團隊的一部分。", + "Already registered?": "已註冊?", + "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 Token 允許第三方服務代表您與我們的應用程序進行認證。", + "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 delete this API token?": "你確定要刪除這個 API token 嗎?", + "Are you sure you would like to leave this team?": "你確定要離開這個團隊嗎?", + "Are you sure you would like to remove this person from the team?": "你確定要把這個人從團隊中刪除嗎?", + "Browser Sessions": "瀏覽器會話", + "Cancel": "取消", + "Close": "關閉", + "Code": "驗證碼", + "Confirm": "確認", + "Confirm Password": "確認密碼", + "Create": "創建", + "Create a new team to collaborate with others on projects.": "創建一個新的團隊,與他人合作開展項目。", + "Create Account": "創建賬戶", + "Create API Token": "創建 API Token", + "Create New Team": "創建新的團隊", + "Create Team": "創建團隊", + "Created.": "已創建。", + "Current Password": "當前密碼", + "Dashboard": "控制面板", + "Delete": "刪除", + "Delete Account": "刪除賬戶", + "Delete API Token": "刪除 API Token", + "Delete Team": "刪除團隊", + "Disable": "禁用", + "Done.": "已完成。", + "Editor": "編輯者", + "Editor users have the ability to read, create, and update.": "編輯者可以閱讀、創建和更新。", + "Email": "Email", + "Email Password Reset Link": "電子郵件密碼重置鏈接", + "Enable": "啟用", + "Ensure your account is using a long, random password to stay secure.": "確保你的賬戶使用足夠長且隨機的密碼來保證安全。", + "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.": "忘記密碼?沒關係。輸入您的電子郵件地址,我們將通過電子郵件向您發送密碼重置鏈接,讓您重置一個新的密碼。", + "Great! You have accepted the invitation to join the :team team.": "太好了,您已接受了加入團隊「:team」的邀請。 ", + "I agree to the :terms_of_service and :privacy_policy": "我同意 :terms_of_service 和 :privacy_policy", + "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 you already have an account, you may accept this invitation by clicking the button below:": "如果您已經有一個賬戶,您可以通過點擊下面的按鈕接受這個邀請:", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "如果您還沒有賬號,可以點擊下面的按鈕創建一個賬號。創建賬戶後,您可以點擊此郵件中的邀請接受按鈕,接受團隊邀請:", + "Last active": "上次活躍", + "Last used": "上次使用", + "Leave": "離開", + "Leave Team": "離開團隊", + "Log in": "登錄", + "Log Out": "註銷", + "Log Out Other Browser Sessions": "註銷其他瀏覽器會話", + "Manage Account": "管理賬戶", + "Manage and log out your active sessions on other browsers and devices.": "管理和註銷您在其他瀏覽器和設備上的活動會話。", + "Manage API Tokens": "管理 API Token", + "Manage Role": "管理角色", + "Manage Team": "管理團隊", + "Name": "姓名", + "New Password": "新的密碼", + "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 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.": "一旦您的賬戶被刪除,其所有資源和數據將被永久刪除。在刪除您的賬戶之前,請下載您希望保留的任何數據或信息。", + "Password": "密碼", + "Pending Team Invitations": "待處理的團隊邀請函", + "Permanently delete this team.": "永久刪除此團隊", + "Permanently delete your account.": "永久刪除您的賬戶", + "Permissions": "權限", + "Photo": "照片", + "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 copy your new API token. For your security, it won't be shown again.": "請複制你的新 API token。為了您的安全,它不會再被顯示出來。", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "請輸入您的密碼,以確認您要註銷您所有設備上的其他瀏覽器會話。", + "Please provide the email address of the person you would like to add to this team.": "請提供您想加入這個團隊的人的電子郵件地址。", + "Privacy Policy": "隱私政策", + "Profile": "資料", + "Profile Information": "賬戶資料", + "Recovery Code": "恢復代碼", + "Regenerate Recovery Codes": "重新生成恢復代碼", + "Register": "註冊", + "Remember me": "記住我", + "Remove": "移除", + "Remove Photo": "移除照片", + "Remove Team Member": "移除團隊成員", + "Resend Verification Email": "重新發送驗證郵件", + "Reset Password": "重設密碼", + "Role": "角色", + "Save": "保存", + "Saved.": "已保存。", + "Select A New Photo": "選擇新的照片", + "Show Recovery Codes": "顯示恢復代碼", + "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.": "將這些恢復碼存儲在一個安全的密碼管理器中。如果您的雙因素驗證設備丟失,它們可以用來恢復對您賬戶的訪問。", + "Switch Teams": "選擇團隊", + "Team Details": "團隊詳情", + "Team Invitation": "團隊邀請", + "Team Members": "團隊成員", + "Team Name": "團隊名稱", + "Team Owner": "團隊擁有者", + "Team Settings": "團隊設置", + "Terms of Service": "服務條款", + "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 a valid role.": ":attribute 不是正確的角色。", + "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 and 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 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 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.": ":attribute 至少為 :length 個字符", + "The provided password does not match your current password.": "當前密碼不正確", + "The provided password was incorrect.": "密碼錯誤", + "The provided two factor authentication code was invalid.": "雙因素認證代碼錯誤", + "The team's name and owner information.": "團隊名稱和擁有者信息。", + "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.": "這些人已被邀請加入您的團隊,並已收到一封邀請郵件。他們可以通過接受電子郵件邀請加入團隊。", + "This device": "當前設備", + "This is a secure area of the application. Please confirm your password before continuing.": "請在繼續之前確認您的密碼。", + "This password does not match our records.": "密碼不正確", + "This user already belongs to the team.": "此用戶已經在團隊中", + "This user has already been invited to the team.": "該用戶已經被邀請加入團隊。", + "Token Name": "Token 名稱", + "Two Factor Authentication": "雙因素認證", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "現在已啟用雙因素認證。使用您手機的驗證程序掃描以下二維碼。", + "Update Password": "更新密碼", + "Update your account's profile information and email address.": "更新您的賬戶資料和電子郵件地址。", + "Use a recovery code": "使用恢復代碼", + "Use an authentication code": "使用驗證碼", + "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.": "當啟用雙因素認證時,在認證過程中會提示您輸入一個安全的隨機令牌。您可以從手機的Google Authenticator 應用程序中獲取此令牌。", + "Whoops! Something went wrong.": "哎呀!出了點問題", + "You have been invited to join the :team team!": "您已被邀請加入「:team」團隊!", + "You have enabled two factor authentication.": "你已經啟用了雙因素認證。", + "You have not enabled two factor authentication.": "你還沒有啟用雙因素認證。", + "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.": "如果不再需要,您可以刪除任何現有的 token。", + "You may not delete your personal team.": "您不能刪除您的個人團隊。", + "You may not leave a team that you created.": "你不能離開你創建的團隊。" +} diff --git a/locales/zh_HK/packages/nova.json b/locales/zh_HK/packages/nova.json new file mode 100644 index 00000000000..089be3c97ad --- /dev/null +++ b/locales/zh_HK/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30天", + "60 Days": "60天", + "90 Days": "90天", + ":amount Total": ":amount 总计", + ":resource Details": ":resource 详情", + ":resource Details: :title": ":resource 详细信息::title", + "Action": "开始!", + "Action Happened At": "发生在", + "Action Initiated By": "发起者", + "Action Name": "姓名", + "Action Status": "状态", + "Action Target": "目标", + "Actions": "行动", + "Add row": "添加行", + "Afghanistan": "阿富汗", + "Aland Islands": "Åland群岛", + "Albania": "阿尔巴尼亚", + "Algeria": "阿尔及利亚", + "All resources loaded.": "加载的所有资源。", + "American Samoa": "美属萨摩亚", + "An error occured while uploading the file.": "上传文件时发生错误。", + "Andorra": "安道尔", + "Angola": "安哥拉", + "Anguilla": "安圭拉", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "自加载此页面以来,另一个用户已更新此资源。 请刷新页面,然后重试。", + "Antarctica": "南极洲", + "Antigua And Barbuda": "安提瓜和巴布达", + "April": "四月", + "Are you sure you want to delete the selected resources?": "您确定要删除所选资源吗?", + "Are you sure you want to delete this file?": "你确定要删除这个文件吗?", + "Are you sure you want to delete this resource?": "您确定要删除此资源吗?", + "Are you sure you want to detach the selected resources?": "您确定要分离所选资源吗?", + "Are you sure you want to detach this resource?": "您确定要分离此资源吗?", + "Are you sure you want to force delete the selected resources?": "您确定要强制删除所选资源吗?", + "Are you sure you want to force delete this resource?": "您确定要强制删除此资源吗?", + "Are you sure you want to restore the selected resources?": "您确定要恢复所选资源吗?", + "Are you sure you want to restore this resource?": "您确定要恢复此资源吗?", + "Are you sure you want to run this action?": "你确定要执行此操作吗?", + "Argentina": "阿根廷", + "Armenia": "亚美尼亚", + "Aruba": "阿鲁巴", + "Attach": "附加", + "Attach & Attach Another": "附加和附加另一个", + "Attach :resource": "附加 :resource", + "August": "八月", + "Australia": "澳大利亚", + "Austria": "奥地利", + "Azerbaijan": "阿塞拜疆", + "Bahamas": "巴哈马", + "Bahrain": "巴林", + "Bangladesh": "孟加拉国", + "Barbados": "巴巴多斯", + "Belarus": "白俄罗斯", + "Belgium": "比利时", + "Belize": "伯利兹", + "Benin": "贝宁", + "Bermuda": "百慕大", + "Bhutan": "不丹", + "Bolivia": "玻利维亚", + "Bonaire, Sint Eustatius and Saba": "博内尔岛,圣尤斯特歇斯和萨巴多", + "Bosnia And Herzegovina": "波斯尼亚和黑塞哥维那", + "Botswana": "博茨瓦纳", + "Bouvet Island": "布维岛", + "Brazil": "巴西", + "British Indian Ocean Territory": "英属印度洋领地", + "Brunei Darussalam": "Brunei", + "Bulgaria": "保加利亚", + "Burkina Faso": "布基纳法索", + "Burundi": "布隆迪", + "Cambodia": "柬埔寨", + "Cameroon": "喀麦隆", + "Canada": "加拿大", + "Cancel": "取消", + "Cape Verde": "佛得角", + "Cayman Islands": "开曼群岛", + "Central African Republic": "中非共和国", + "Chad": "乍得", + "Changes": "更改", + "Chile": "智利", + "China": "中国", + "Choose": "选择", + "Choose :field": "选择 :field", + "Choose :resource": "选择 :resource", + "Choose an option": "选择一个选项", + "Choose date": "选择日期", + "Choose File": "选择文件", + "Choose Type": "选择类型", + "Christmas Island": "圣诞岛", + "Click to choose": "点击选择", + "Cocos (Keeling) Islands": "科科斯(基林)群岛", + "Colombia": "哥伦比亚", + "Comoros": "科摩罗", + "Confirm Password": "確認密碼", + "Congo": "刚果", + "Congo, Democratic Republic": "刚果民主共和国", + "Constant": "常数", + "Cook Islands": "库克群岛", + "Costa Rica": "哥斯达黎加", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "找不到。", + "Create": "創建", + "Create & Add Another": "创建并添加另一个", + "Create :resource": "创建 :resource", + "Croatia": "克罗地亚", + "Cuba": "古巴", + "Curaçao": "库拉索岛", + "Customize": "自定义", + "Cyprus": "塞浦路斯", + "Czech Republic": "捷克", + "Dashboard": "控制面板", + "December": "十二月", + "Decrease": "减少", + "Delete": "刪除", + "Delete File": "删除文件", + "Delete Resource": "删除资源", + "Delete Selected": "删除选定", + "Denmark": "丹麦", + "Detach": "分离", + "Detach Resource": "分离资源", + "Detach Selected": "分离选定", + "Details": "详情", + "Djibouti": "吉布提", + "Do you really want to leave? You have unsaved changes.": "你真的想离开吗? 您有未保存的更改。", + "Dominica": "星期日", + "Dominican Republic": "多米尼加共和国", + "Download": "下载", + "Ecuador": "厄瓜多尔", + "Edit": "编辑", + "Edit :resource": "编辑 :resource", + "Edit Attached": "编辑附", + "Egypt": "埃及", + "El Salvador": "萨尔瓦多", + "Email Address": "电子邮件地址", + "Equatorial Guinea": "赤道几内亚", + "Eritrea": "厄立特里亚", + "Estonia": "爱沙尼亚", + "Ethiopia": "埃塞俄比亚", + "Falkland Islands (Malvinas)": "福克兰群岛(马尔维纳斯群岛)", + "Faroe Islands": "法罗群岛", + "February": "二月", + "Fiji": "斐济", + "Finland": "芬兰", + "Force Delete": "强制删除", + "Force Delete Resource": "强制删除资源", + "Force Delete Selected": "强制删除所选内容", + "Forgot Your Password?": "忘記密碼?", + "Forgot your password?": "忘記密碼?", + "France": "法国", + "French Guiana": "法属圭亚那", + "French Polynesia": "法属波利尼西亚", + "French Southern Territories": "法国南部领土", + "Gabon": "加蓬", + "Gambia": "冈比亚", + "Georgia": "格鲁吉亚", + "Germany": "德国", + "Ghana": "加纳", + "Gibraltar": "直布罗陀", + "Go Home": "回首頁", + "Greece": "希腊", + "Greenland": "格陵兰岛", + "Grenada": "格林纳达", + "Guadeloupe": "瓜德罗普岛", + "Guam": "关岛", + "Guatemala": "危地马拉", + "Guernsey": "根西岛", + "Guinea": "几内亚", + "Guinea-Bissau": "几内亚比绍", + "Guyana": "Gu", + "Haiti": "海地", + "Heard Island & Mcdonald Islands": "赫德岛和麦当劳群岛", + "Hide Content": "隐藏内容", + "Hold Up!": "等等!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "洪都拉斯", + "Hong Kong": "香港", + "Hungary": "匈牙利", + "Iceland": "冰岛", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "如果您未申請重設密碼,請忽略此郵件。", + "Increase": "增加", + "India": "印度", + "Indonesia": "印度尼西亚", + "Iran, Islamic Republic Of": "伊朗", + "Iraq": "伊拉克", + "Ireland": "爱尔兰", + "Isle Of Man": "马恩岛", + "Israel": "以色列", + "Italy": "意大利", + "Jamaica": "牙买加", + "January": "一月", + "Japan": "日本", + "Jersey": "泽西岛", + "Jordan": "约旦", + "July": "七月", + "June": "六月", + "Kazakhstan": "哈萨克斯坦", + "Kenya": "肯尼亚", + "Key": "钥匙", + "Kiribati": "基里巴斯", + "Korea": "韩国", + "Korea, Democratic People's Republic of": "朝鲜", + "Kosovo": "科索沃", + "Kuwait": "科威特", + "Kyrgyzstan": "吉尔吉斯斯坦", + "Lao People's Democratic Republic": "老挝", + "Latvia": "拉脱维亚", + "Lebanon": "黎巴嫩", + "Lens": "镜头", + "Lesotho": "莱索托", + "Liberia": "利比里亚", + "Libyan Arab Jamahiriya": "利比亚", + "Liechtenstein": "列支敦士登", + "Lithuania": "立陶宛", + "Load :perPage More": "加载:per页更多", + "Login": "登錄", + "Logout": "註銷", + "Luxembourg": "卢森堡", + "Macao": "澳门", + "Macedonia": "北马其顿", + "Madagascar": "马达加斯加", + "Malawi": "马拉维", + "Malaysia": "马来西亚", + "Maldives": "马尔代夫", + "Mali": "小", + "Malta": "马耳他", + "March": "三月", + "Marshall Islands": "马绍尔群岛", + "Martinique": "马提尼克岛", + "Mauritania": "毛里塔尼亚", + "Mauritius": "毛里求斯", + "May": "五月", + "Mayotte": "马约特", + "Mexico": "墨西哥", + "Micronesia, Federated States Of": "密克罗尼西亚", + "Moldova": "摩尔多瓦", + "Monaco": "摩纳哥", + "Mongolia": "蒙古", + "Montenegro": "黑山", + "Month To Date": "月至今", + "Montserrat": "蒙特塞拉特", + "Morocco": "摩洛哥", + "Mozambique": "莫桑比克", + "Myanmar": "缅甸", + "Namibia": "纳米比亚", + "Nauru": "瑙鲁", + "Nepal": "尼泊尔", + "Netherlands": "荷兰", + "New": "新", + "New :resource": "新:resource", + "New Caledonia": "新喀里多尼亚", + "New Zealand": "新西兰", + "Next": "下一个", + "Nicaragua": "尼加拉瓜", + "Niger": "尼日尔", + "Nigeria": "尼日利亚", + "Niue": "纽埃", + "No": "非也。", + "No :resource matched the given criteria.": "没有 :resource 符合给定的标准。", + "No additional information...": "没有其他信息。..", + "No Current Data": "没有当前数据", + "No Data": "没有数据", + "no file selected": "没有选择文件", + "No Increase": "不增加", + "No Prior Data": "没有先前的数据", + "No Results Found.": "没有找到结果。", + "Norfolk Island": "诺福克岛", + "Northern Mariana Islands": "北马里亚纳群岛", + "Norway": "挪威", + "Nova User": "Nova用户", + "November": "十一月", + "October": "十月", + "of": "於", + "Oman": "阿曼", + "Only Trashed": "只有垃圾", + "Original": "原创", + "Pakistan": "巴基斯坦", + "Palau": "帕劳", + "Palestinian Territory, Occupied": "巴勒斯坦领土", + "Panama": "巴拿马", + "Papua New Guinea": "巴布亚新几内亚", + "Paraguay": "巴拉圭", + "Password": "密碼", + "Per Page": "每页", + "Peru": "秘鲁", + "Philippines": "菲律宾", + "Pitcairn": "皮特凯恩群岛", + "Poland": "波兰", + "Portugal": "葡萄牙", + "Press \/ to search": "按 \/ 搜索", + "Preview": "预览", + "Previous": "上一页", + "Puerto Rico": "波多黎各", + "Qatar": "卡塔爾", + "Quarter To Date": "季度至今", + "Reload": "重装", + "Remember Me": "記住我", + "Reset Filters": "重置过滤器", + "Reset Password": "重設密碼", + "Reset Password Notification": "重設密碼通知", + "resource": "资源", + "Resources": "资源", + "resources": "资源", + "Restore": "恢复", + "Restore Resource": "恢复资源", + "Restore Selected": "恢复选定", + "Reunion": "会议", + "Romania": "罗马尼亚", + "Run Action": "运行操作", + "Russian Federation": "俄罗斯联邦", + "Rwanda": "卢旺达", + "Saint Barthelemy": "圣巴泰勒米", + "Saint Helena": "圣赫勒拿", + "Saint Kitts And Nevis": "圣基茨和尼维斯", + "Saint Lucia": "圣卢西亚", + "Saint Martin": "圣马丁", + "Saint Pierre And Miquelon": "圣皮埃尔和密克隆", + "Saint Vincent And Grenadines": "圣文森特和格林纳丁斯", + "Samoa": "萨摩亚", + "San Marino": "圣马力诺", + "Sao Tome And Principe": "圣多美和普林西比", + "Saudi Arabia": "沙特阿拉伯", + "Search": "搜索", + "Select Action": "选择操作", + "Select All": "全选", + "Select All Matching": "选择所有匹配", + "Send Password Reset Link": "發送重設密碼鏈接", + "Senegal": "塞内加尔", + "September": "九月", + "Serbia": "塞尔维亚", + "Seychelles": "塞舌尔", + "Show All Fields": "显示所有字段", + "Show Content": "显示内容", + "Sierra Leone": "塞拉利昂", + "Singapore": "新加坡", + "Sint Maarten (Dutch part)": "圣马丁岛", + "Slovakia": "斯洛伐克", + "Slovenia": "斯洛文尼亚", + "Solomon Islands": "所罗门群岛", + "Somalia": "索马里", + "Something went wrong.": "出了问题", + "Sorry! You are not authorized to perform this action.": "对不起! 您无权执行此操作。", + "Sorry, your session has expired.": "对不起,您的会话已过期。", + "South Africa": "南非", + "South Georgia And Sandwich Isl.": "南乔治亚岛和南桑威奇群岛", + "South Sudan": "南苏丹", + "Spain": "西班牙", + "Sri Lanka": "斯里兰卡", + "Start Polling": "开始轮询", + "Stop Polling": "停止轮询", + "Sudan": "苏丹", + "Suriname": "苏里南", + "Svalbard And Jan Mayen": "斯瓦尔巴和扬*马延", + "Swaziland": "Eswatini", + "Sweden": "瑞典", + "Switzerland": "瑞士", + "Syrian Arab Republic": "叙利亚", + "Taiwan": "台湾", + "Tajikistan": "塔吉克斯坦", + "Tanzania": "坦桑尼亚", + "Thailand": "泰国", + "The :resource was created!": ":resource 创建了!", + "The :resource was deleted!": ":resource 被删除了!", + "The :resource was restored!": ":resource 恢复了!", + "The :resource was updated!": ":resource 更新了!", + "The action ran successfully!": "行动成功了!", + "The file was deleted!": "文件被删除了!", + "The government won't let us show you what's behind these doors": "政府不会让我们向你展示这些门后面的东西", + "The HasOne relationship has already been filled.": "HasOne 的关系已经被填补了。", + "The resource was updated!": "资源已更新!", + "There are no available options for this resource.": "此资源没有可用的选项。", + "There was a problem executing the action.": "执行操作时出现问题。", + "There was a problem submitting the form.": "提交表单时出现问题。", + "This file field is read-only.": "此文件字段是只读的。", + "This image": "此图像", + "This resource no longer exists": "此资源不再存在", + "Timor-Leste": "东帝汶", + "Today": "今天", + "Togo": "多哥", + "Tokelau": "托克劳", + "Tonga": "来吧", + "total": "总计", + "Trashed": "垃圾", + "Trinidad And Tobago": "特立尼达和多巴哥", + "Tunisia": "突尼斯", + "Turkey": "土耳其", + "Turkmenistan": "土库曼斯坦", + "Turks And Caicos Islands": "特克斯和凯科斯群岛", + "Tuvalu": "图瓦卢", + "Uganda": "乌干达", + "Ukraine": "乌克兰", + "United Arab Emirates": "阿拉伯联合酋长国", + "United Kingdom": "联合王国", + "United States": "美国", + "United States Outlying Islands": "美国离岛", + "Update": "更新", + "Update & Continue Editing": "更新并继续编辑", + "Update :resource": "更新 :resource", + "Update :resource: :title": "更新 :resource::title", + "Update attached :resource: :title": "更新附 :resource::title", + "Uruguay": "乌拉圭", + "Uzbekistan": "乌兹别克斯坦", + "Value": "价值", + "Vanuatu": "瓦努阿图", + "Venezuela": "委内瑞拉", + "Viet Nam": "Vietnam", + "View": "查看", + "Virgin Islands, British": "英属维尔京群岛", + "Virgin Islands, U.S.": "美属维尔京群岛", + "Wallis And Futuna": "瓦利斯和富图纳群岛", + "We're lost in space. The page you were trying to view does not exist.": "我们迷失在太空中 您尝试查看的页面不存在。", + "Welcome Back!": "欢迎回来!", + "Western Sahara": "西撒哈拉", + "Whoops": "哎呦", + "Whoops!": "哎呀!", + "With Trashed": "与垃圾", + "Write": "写", + "Year To Date": "年至今", + "Yemen": "也门", + "Yes": "是的", + "You are receiving this email because we received a password reset request for your account.": "您收到此電子郵件是因為我們收到了您帳戶的密碼重設請求。", + "Zambia": "赞比亚", + "Zimbabwe": "津巴布韦" +} diff --git a/locales/zh_HK/packages/spark-paddle.json b/locales/zh_HK/packages/spark-paddle.json new file mode 100644 index 00000000000..9ac3b4dd2da --- /dev/null +++ b/locales/zh_HK/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "服務條款", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "哎呀!出了點問題", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/zh_HK/packages/spark-stripe.json b/locales/zh_HK/packages/spark-stripe.json new file mode 100644 index 00000000000..bcfc96dcece --- /dev/null +++ b/locales/zh_HK/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "阿富汗", + "Albania": "阿尔巴尼亚", + "Algeria": "阿尔及利亚", + "American Samoa": "美属萨摩亚", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "安道尔", + "Angola": "安哥拉", + "Anguilla": "安圭拉", + "Antarctica": "南极洲", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "阿根廷", + "Armenia": "亚美尼亚", + "Aruba": "阿鲁巴", + "Australia": "澳大利亚", + "Austria": "奥地利", + "Azerbaijan": "阿塞拜疆", + "Bahamas": "巴哈马", + "Bahrain": "巴林", + "Bangladesh": "孟加拉国", + "Barbados": "巴巴多斯", + "Belarus": "白俄罗斯", + "Belgium": "比利时", + "Belize": "伯利兹", + "Benin": "贝宁", + "Bermuda": "百慕大", + "Bhutan": "不丹", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "博茨瓦纳", + "Bouvet Island": "布维岛", + "Brazil": "巴西", + "British Indian Ocean Territory": "英属印度洋领地", + "Brunei Darussalam": "Brunei", + "Bulgaria": "保加利亚", + "Burkina Faso": "布基纳法索", + "Burundi": "布隆迪", + "Cambodia": "柬埔寨", + "Cameroon": "喀麦隆", + "Canada": "加拿大", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "佛得角", + "Card": "卡片", + "Cayman Islands": "开曼群岛", + "Central African Republic": "中非共和国", + "Chad": "乍得", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "智利", + "China": "中国", + "Christmas Island": "圣诞岛", + "City": "City", + "Cocos (Keeling) Islands": "科科斯(基林)群岛", + "Colombia": "哥伦比亚", + "Comoros": "科摩罗", + "Confirm Payment": "確認支付", + "Confirm your :amount payment": "確認你的 :amount 支付信息", + "Congo": "刚果", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "库克群岛", + "Costa Rica": "哥斯达黎加", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "克罗地亚", + "Cuba": "古巴", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "塞浦路斯", + "Czech Republic": "捷克", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "丹麦", + "Djibouti": "吉布提", + "Dominica": "星期日", + "Dominican Republic": "多米尼加共和国", + "Download Receipt": "Download Receipt", + "Ecuador": "厄瓜多尔", + "Egypt": "埃及", + "El Salvador": "萨尔瓦多", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "赤道几内亚", + "Eritrea": "厄立特里亚", + "Estonia": "爱沙尼亚", + "Ethiopia": "埃塞俄比亚", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "需要額外的確認以處理您的付款。 請點擊下面的按鈕進入付款頁面。", + "Falkland Islands (Malvinas)": "福克兰群岛(马尔维纳斯群岛)", + "Faroe Islands": "法罗群岛", + "Fiji": "斐济", + "Finland": "芬兰", + "France": "法国", + "French Guiana": "法属圭亚那", + "French Polynesia": "法属波利尼西亚", + "French Southern Territories": "法国南部领土", + "Gabon": "加蓬", + "Gambia": "冈比亚", + "Georgia": "格鲁吉亚", + "Germany": "德国", + "Ghana": "加纳", + "Gibraltar": "直布罗陀", + "Greece": "希腊", + "Greenland": "格陵兰岛", + "Grenada": "格林纳达", + "Guadeloupe": "瓜德罗普岛", + "Guam": "关岛", + "Guatemala": "危地马拉", + "Guernsey": "根西岛", + "Guinea": "几内亚", + "Guinea-Bissau": "几内亚比绍", + "Guyana": "Gu", + "Haiti": "海地", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "洪都拉斯", + "Hong Kong": "香港", + "Hungary": "匈牙利", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "冰岛", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "印度", + "Indonesia": "印度尼西亚", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "伊拉克", + "Ireland": "爱尔兰", + "Isle of Man": "Isle of Man", + "Israel": "以色列", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "意大利", + "Jamaica": "牙买加", + "Japan": "日本", + "Jersey": "泽西岛", + "Jordan": "约旦", + "Kazakhstan": "哈萨克斯坦", + "Kenya": "肯尼亚", + "Kiribati": "基里巴斯", + "Korea, Democratic People's Republic of": "朝鲜", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "科威特", + "Kyrgyzstan": "吉尔吉斯斯坦", + "Lao People's Democratic Republic": "老挝", + "Latvia": "拉脱维亚", + "Lebanon": "黎巴嫩", + "Lesotho": "莱索托", + "Liberia": "利比里亚", + "Libyan Arab Jamahiriya": "利比亚", + "Liechtenstein": "列支敦士登", + "Lithuania": "立陶宛", + "Luxembourg": "卢森堡", + "Macao": "澳门", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "马达加斯加", + "Malawi": "马拉维", + "Malaysia": "马来西亚", + "Maldives": "马尔代夫", + "Mali": "小", + "Malta": "马耳他", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "马绍尔群岛", + "Martinique": "马提尼克岛", + "Mauritania": "毛里塔尼亚", + "Mauritius": "毛里求斯", + "Mayotte": "马约特", + "Mexico": "墨西哥", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "摩纳哥", + "Mongolia": "蒙古", + "Montenegro": "黑山", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "蒙特塞拉特", + "Morocco": "摩洛哥", + "Mozambique": "莫桑比克", + "Myanmar": "缅甸", + "Namibia": "纳米比亚", + "Nauru": "瑙鲁", + "Nepal": "尼泊尔", + "Netherlands": "荷兰", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "新喀里多尼亚", + "New Zealand": "新西兰", + "Nicaragua": "尼加拉瓜", + "Niger": "尼日尔", + "Nigeria": "尼日利亚", + "Niue": "纽埃", + "Norfolk Island": "诺福克岛", + "Northern Mariana Islands": "北马里亚纳群岛", + "Norway": "挪威", + "Oman": "阿曼", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "巴基斯坦", + "Palau": "帕劳", + "Palestinian Territory, Occupied": "巴勒斯坦领土", + "Panama": "巴拿马", + "Papua New Guinea": "巴布亚新几内亚", + "Paraguay": "巴拉圭", + "Payment Information": "Payment Information", + "Peru": "秘鲁", + "Philippines": "菲律宾", + "Pitcairn": "皮特凯恩群岛", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "波兰", + "Portugal": "葡萄牙", + "Puerto Rico": "波多黎各", + "Qatar": "卡塔爾", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "罗马尼亚", + "Russian Federation": "俄罗斯联邦", + "Rwanda": "卢旺达", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "圣赫勒拿", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "圣卢西亚", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "萨摩亚", + "San Marino": "圣马力诺", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "沙特阿拉伯", + "Save": "保存", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "塞内加尔", + "Serbia": "塞尔维亚", + "Seychelles": "塞舌尔", + "Sierra Leone": "塞拉利昂", + "Signed in as": "Signed in as", + "Singapore": "新加坡", + "Slovakia": "斯洛伐克", + "Slovenia": "斯洛文尼亚", + "Solomon Islands": "所罗门群岛", + "Somalia": "索马里", + "South Africa": "南非", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "西班牙", + "Sri Lanka": "斯里兰卡", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "苏丹", + "Suriname": "苏里南", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "瑞典", + "Switzerland": "瑞士", + "Syrian Arab Republic": "叙利亚", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "塔吉克斯坦", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "服務條款", + "Thailand": "泰国", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "东帝汶", + "Togo": "多哥", + "Tokelau": "托克劳", + "Tonga": "来吧", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "突尼斯", + "Turkey": "土耳其", + "Turkmenistan": "土库曼斯坦", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "图瓦卢", + "Uganda": "乌干达", + "Ukraine": "乌克兰", + "United Arab Emirates": "阿拉伯联合酋长国", + "United Kingdom": "联合王国", + "United States": "美国", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "更新", + "Update Payment Information": "Update Payment Information", + "Uruguay": "乌拉圭", + "Uzbekistan": "乌兹别克斯坦", + "Vanuatu": "瓦努阿图", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "英属维尔京群岛", + "Virgin Islands, U.S.": "美属维尔京群岛", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "西撒哈拉", + "Whoops! Something went wrong.": "哎呀!出了點問題", + "Yearly": "Yearly", + "Yemen": "也门", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "赞比亚", + "Zimbabwe": "津巴布韦", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/zh_HK/zh_HK.json b/locales/zh_HK/zh_HK.json index 0125291a116..82db860cd2b 100644 --- a/locales/zh_HK/zh_HK.json +++ b/locales/zh_HK/zh_HK.json @@ -1,710 +1,48 @@ { - "30 Days": "30天", - "60 Days": "60天", - "90 Days": "90天", - ":amount Total": ":amount 总计", - ":days day trial": ":days day trial", - ":resource Details": ":resource 详情", - ":resource Details: :title": ":resource 详细信息::title", "A fresh verification link has been sent to your email address.": "新的驗證鏈接已發送到您的 E-mail。", - "A new verification link has been sent to the email address you provided during registration.": "一個新的驗證鏈接已經發送至您在註冊時提供的電子郵件地址。", - "Accept Invitation": "接受邀請", - "Action": "开始!", - "Action Happened At": "发生在", - "Action Initiated By": "发起者", - "Action Name": "姓名", - "Action Status": "状态", - "Action Target": "目标", - "Actions": "行动", - "Add": "添加", - "Add a new team member to your team, allowing them to collaborate with you.": "添加一個新的團隊成員到你的團隊,讓他們與你合作。", - "Add additional security to your account using two factor authentication.": "使用雙因素認證為您的賬戶添加額外的安全性。", - "Add row": "添加行", - "Add Team Member": "添加團隊成員", - "Add VAT Number": "Add VAT Number", - "Added.": "已添加。", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "管理員", - "Administrator users can perform any action.": "管理員用戶可以執行任何操作。", - "Afghanistan": "阿富汗", - "Aland Islands": "Åland群岛", - "Albania": "阿尔巴尼亚", - "Algeria": "阿尔及利亚", - "All of the people that are part of this team.": "所有的人都是這個團隊的一部分。", - "All resources loaded.": "加载的所有资源。", - "All rights reserved.": "版權所有。", - "Already registered?": "已註冊?", - "American Samoa": "美属萨摩亚", - "An error occured while uploading the file.": "上传文件时发生错误。", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "安道尔", - "Angola": "安哥拉", - "Anguilla": "安圭拉", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "自加载此页面以来,另一个用户已更新此资源。 请刷新页面,然后重试。", - "Antarctica": "南极洲", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "安提瓜和巴布达", - "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 Token 允許第三方服務代表您與我們的應用程序進行認證。", - "April": "四月", - "Are you sure you want to delete the selected resources?": "您确定要删除所选资源吗?", - "Are you sure you want to delete this file?": "你确定要删除这个文件吗?", - "Are you sure you want to delete this resource?": "您确定要删除此资源吗?", - "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 detach the selected resources?": "您确定要分离所选资源吗?", - "Are you sure you want to detach this resource?": "您确定要分离此资源吗?", - "Are you sure you want to force delete the selected resources?": "您确定要强制删除所选资源吗?", - "Are you sure you want to force delete this resource?": "您确定要强制删除此资源吗?", - "Are you sure you want to restore the selected resources?": "您确定要恢复所选资源吗?", - "Are you sure you want to restore this resource?": "您确定要恢复此资源吗?", - "Are you sure you want to run this action?": "你确定要执行此操作吗?", - "Are you sure you would like to delete this API token?": "你確定要刪除這個 API token 嗎?", - "Are you sure you would like to leave this team?": "你確定要離開這個團隊嗎?", - "Are you sure you would like to remove this person from the team?": "你確定要把這個人從團隊中刪除嗎?", - "Argentina": "阿根廷", - "Armenia": "亚美尼亚", - "Aruba": "阿鲁巴", - "Attach": "附加", - "Attach & Attach Another": "附加和附加另一个", - "Attach :resource": "附加 :resource", - "August": "八月", - "Australia": "澳大利亚", - "Austria": "奥地利", - "Azerbaijan": "阿塞拜疆", - "Bahamas": "巴哈马", - "Bahrain": "巴林", - "Bangladesh": "孟加拉国", - "Barbados": "巴巴多斯", "Before proceeding, please check your email for a verification link.": "在繼續之前請先驗證您的 E-mail。", - "Belarus": "白俄罗斯", - "Belgium": "比利时", - "Belize": "伯利兹", - "Benin": "贝宁", - "Bermuda": "百慕大", - "Bhutan": "不丹", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "玻利维亚", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "博内尔岛,圣尤斯特歇斯和萨巴多", - "Bosnia And Herzegovina": "波斯尼亚和黑塞哥维那", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "博茨瓦纳", - "Bouvet Island": "布维岛", - "Brazil": "巴西", - "British Indian Ocean Territory": "英属印度洋领地", - "Browser Sessions": "瀏覽器會話", - "Brunei Darussalam": "Brunei", - "Bulgaria": "保加利亚", - "Burkina Faso": "布基纳法索", - "Burundi": "布隆迪", - "Cambodia": "柬埔寨", - "Cameroon": "喀麦隆", - "Canada": "加拿大", - "Cancel": "取消", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "佛得角", - "Card": "卡片", - "Cayman Islands": "开曼群岛", - "Central African Republic": "中非共和国", - "Chad": "乍得", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "更改", - "Chile": "智利", - "China": "中国", - "Choose": "选择", - "Choose :field": "选择 :field", - "Choose :resource": "选择 :resource", - "Choose an option": "选择一个选项", - "Choose date": "选择日期", - "Choose File": "选择文件", - "Choose Type": "选择类型", - "Christmas Island": "圣诞岛", - "City": "City", "click here to request another": "點擊重新發送 E-mail", - "Click to choose": "点击选择", - "Close": "關閉", - "Cocos (Keeling) Islands": "科科斯(基林)群岛", - "Code": "驗證碼", - "Colombia": "哥伦比亚", - "Comoros": "科摩罗", - "Confirm": "確認", - "Confirm Password": "確認密碼", - "Confirm Payment": "確認支付", - "Confirm your :amount payment": "確認你的 :amount 支付信息", - "Congo": "刚果", - "Congo, Democratic Republic": "刚果民主共和国", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "常数", - "Cook Islands": "库克群岛", - "Costa Rica": "哥斯达黎加", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "找不到。", - "Country": "Country", - "Coupon": "Coupon", - "Create": "創建", - "Create & Add Another": "创建并添加另一个", - "Create :resource": "创建 :resource", - "Create a new team to collaborate with others on projects.": "創建一個新的團隊,與他人合作開展項目。", - "Create Account": "創建賬戶", - "Create API Token": "創建 API Token", - "Create New Team": "創建新的團隊", - "Create Team": "創建團隊", - "Created.": "已創建。", - "Croatia": "克罗地亚", - "Cuba": "古巴", - "Curaçao": "库拉索岛", - "Current Password": "當前密碼", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "自定义", - "Cyprus": "塞浦路斯", - "Czech Republic": "捷克", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "控制面板", - "December": "十二月", - "Decrease": "减少", - "Delete": "刪除", - "Delete Account": "刪除賬戶", - "Delete API Token": "刪除 API Token", - "Delete File": "删除文件", - "Delete Resource": "删除资源", - "Delete Selected": "删除选定", - "Delete Team": "刪除團隊", - "Denmark": "丹麦", - "Detach": "分离", - "Detach Resource": "分离资源", - "Detach Selected": "分离选定", - "Details": "详情", - "Disable": "禁用", - "Djibouti": "吉布提", - "Do you really want to leave? You have unsaved changes.": "你真的想离开吗? 您有未保存的更改。", - "Dominica": "星期日", - "Dominican Republic": "多米尼加共和国", - "Done.": "已完成。", - "Download": "下载", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-mail", - "Ecuador": "厄瓜多尔", - "Edit": "编辑", - "Edit :resource": "编辑 :resource", - "Edit Attached": "编辑附", - "Editor": "編輯者", - "Editor users have the ability to read, create, and update.": "編輯者可以閱讀、創建和更新。", - "Egypt": "埃及", - "El Salvador": "萨尔瓦多", - "Email": "Email", - "Email Address": "电子邮件地址", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "電子郵件密碼重置鏈接", - "Enable": "啟用", - "Ensure your account is using a long, random password to stay secure.": "確保你的賬戶使用足夠長且隨機的密碼來保證安全。", - "Equatorial Guinea": "赤道几内亚", - "Eritrea": "厄立特里亚", - "Estonia": "爱沙尼亚", - "Ethiopia": "埃塞俄比亚", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "需要額外的確認以處理您的付款。請通過在下面填寫您的付款詳細信息來確認您的付款。", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "需要額外的確認以處理您的付款。 請點擊下面的按鈕進入付款頁面。", - "Falkland Islands (Malvinas)": "福克兰群岛(马尔维纳斯群岛)", - "Faroe Islands": "法罗群岛", - "February": "二月", - "Fiji": "斐济", - "Finland": "芬兰", - "For your security, please confirm your password to continue.": "為了您的安全,請確認您的密碼以繼續。", "Forbidden": "訪問被拒絕", - "Force Delete": "强制删除", - "Force Delete Resource": "强制删除资源", - "Force Delete Selected": "强制删除所选内容", - "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.": "忘記密碼?沒關係。輸入您的電子郵件地址,我們將通過電子郵件向您發送密碼重置鏈接,讓您重置一個新的密碼。", - "France": "法国", - "French Guiana": "法属圭亚那", - "French Polynesia": "法属波利尼西亚", - "French Southern Territories": "法国南部领土", - "Full name": "全稱", - "Gabon": "加蓬", - "Gambia": "冈比亚", - "Georgia": "格鲁吉亚", - "Germany": "德国", - "Ghana": "加纳", - "Gibraltar": "直布罗陀", - "Go back": "返回", - "Go Home": "回首頁", "Go to page :page": "前往第 :page 頁", - "Great! You have accepted the invitation to join the :team team.": "太好了,您已接受了加入團隊「:team」的邀請。 ", - "Greece": "希腊", - "Greenland": "格陵兰岛", - "Grenada": "格林纳达", - "Guadeloupe": "瓜德罗普岛", - "Guam": "关岛", - "Guatemala": "危地马拉", - "Guernsey": "根西岛", - "Guinea": "几内亚", - "Guinea-Bissau": "几内亚比绍", - "Guyana": "Gu", - "Haiti": "海地", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "赫德岛和麦当劳群岛", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "您好!", - "Hide Content": "隐藏内容", - "Hold Up!": "等等!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "洪都拉斯", - "Hong Kong": "香港", - "Hungary": "匈牙利", - "I agree to the :terms_of_service and :privacy_policy": "我同意 :terms_of_service 和 :privacy_policy", - "Iceland": "冰岛", - "ID": "ID", - "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 logout 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 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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "如果您點擊「:actionText」按鈕時出現問題,請複制下方鏈接到瀏覽器中訪問:", - "Increase": "增加", - "India": "印度", - "Indonesia": "印度尼西亚", "Invalid signature.": "簽名無效", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "伊朗", - "Iraq": "伊拉克", - "Ireland": "爱尔兰", - "Isle of Man": "Isle of Man", - "Isle Of Man": "马恩岛", - "Israel": "以色列", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "意大利", - "Jamaica": "牙买加", - "January": "一月", - "Japan": "日本", - "Jersey": "泽西岛", - "Jordan": "约旦", - "July": "七月", - "June": "六月", - "Kazakhstan": "哈萨克斯坦", - "Kenya": "肯尼亚", - "Key": "钥匙", - "Kiribati": "基里巴斯", - "Korea": "韩国", - "Korea, Democratic People's Republic of": "朝鲜", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "科索沃", - "Kuwait": "科威特", - "Kyrgyzstan": "吉尔吉斯斯坦", - "Lao People's Democratic Republic": "老挝", - "Last active": "上次活躍", - "Last used": "上次使用", - "Latvia": "拉脱维亚", - "Leave": "離開", - "Leave Team": "離開團隊", - "Lebanon": "黎巴嫩", - "Lens": "镜头", - "Lesotho": "莱索托", - "Liberia": "利比里亚", - "Libyan Arab Jamahiriya": "利比亚", - "Liechtenstein": "列支敦士登", - "Lithuania": "立陶宛", - "Load :perPage More": "加载:per页更多", - "Log in": "登錄", "Log out": "註銷", - "Log Out": "註銷", - "Log Out Other Browser Sessions": "註銷其他瀏覽器會話", - "Login": "登錄", - "Logout": "註銷", "Logout Other Browser Sessions": "註銷其他瀏覽器會話", - "Luxembourg": "卢森堡", - "Macao": "澳门", - "Macedonia": "北马其顿", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "马达加斯加", - "Malawi": "马拉维", - "Malaysia": "马来西亚", - "Maldives": "马尔代夫", - "Mali": "小", - "Malta": "马耳他", - "Manage Account": "管理賬戶", - "Manage and log out your active sessions on other browsers and devices.": "管理和註銷您在其他瀏覽器和設備上的活動會話。", "Manage and logout your active sessions on other browsers and devices.": "管理和註銷您在其他瀏覽器和設備上的活動會話。", - "Manage API Tokens": "管理 API Token", - "Manage Role": "管理角色", - "Manage Team": "管理團隊", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "三月", - "Marshall Islands": "马绍尔群岛", - "Martinique": "马提尼克岛", - "Mauritania": "毛里塔尼亚", - "Mauritius": "毛里求斯", - "May": "五月", - "Mayotte": "马约特", - "Mexico": "墨西哥", - "Micronesia, Federated States Of": "密克罗尼西亚", - "Moldova": "摩尔多瓦", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "摩纳哥", - "Mongolia": "蒙古", - "Montenegro": "黑山", - "Month To Date": "月至今", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "蒙特塞拉特", - "Morocco": "摩洛哥", - "Mozambique": "莫桑比克", - "Myanmar": "缅甸", - "Name": "姓名", - "Namibia": "纳米比亚", - "Nauru": "瑙鲁", - "Nepal": "尼泊尔", - "Netherlands": "荷兰", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "沒關係", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "新", - "New :resource": "新:resource", - "New Caledonia": "新喀里多尼亚", - "New Password": "新的密碼", - "New Zealand": "新西兰", - "Next": "下一个", - "Nicaragua": "尼加拉瓜", - "Niger": "尼日尔", - "Nigeria": "尼日利亚", - "Niue": "纽埃", - "No": "非也。", - "No :resource matched the given criteria.": "没有 :resource 符合给定的标准。", - "No additional information...": "没有其他信息。..", - "No Current Data": "没有当前数据", - "No Data": "没有数据", - "no file selected": "没有选择文件", - "No Increase": "不增加", - "No Prior Data": "没有先前的数据", - "No Results Found.": "没有找到结果。", - "Norfolk Island": "诺福克岛", - "Northern Mariana Islands": "北马里亚纳群岛", - "Norway": "挪威", "Not Found": "頁面不存在", - "Nova User": "Nova用户", - "November": "十一月", - "October": "十月", - "of": "於", "Oh no": "不好了", - "Oman": "阿曼", - "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 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 Trashed": "只有垃圾", - "Original": "原创", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "頁面會話已超時", "Pagination Navigation": "分頁導航", - "Pakistan": "巴基斯坦", - "Palau": "帕劳", - "Palestinian Territory, Occupied": "巴勒斯坦领土", - "Panama": "巴拿马", - "Papua New Guinea": "巴布亚新几内亚", - "Paraguay": "巴拉圭", - "Password": "密碼", - "Pay :amount": "支付 :amount", - "Payment Cancelled": "支付已經取消", - "Payment Confirmation": "支付信息確認", - "Payment Information": "Payment Information", - "Payment Successful": "支付成功", - "Pending Team Invitations": "待處理的團隊邀請函", - "Per Page": "每页", - "Permanently delete this team.": "永久刪除此團隊", - "Permanently delete your account.": "永久刪除您的賬戶", - "Permissions": "權限", - "Peru": "秘鲁", - "Philippines": "菲律宾", - "Photo": "照片", - "Pitcairn": "皮特凯恩群岛", "Please click the button below to verify your email address.": "請點擊下面按鈕驗證您的 E-mail:", - "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 your password before continuing.": "如要繼續操作,請先確認密碼。", - "Please copy your new API token. For your security, it won't be shown again.": "請複制你的新 API token。為了您的安全,它不會再被顯示出來。", - "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 logout of your other browser sessions across all of your devices.": "請輸入您的密碼,以確認您要註銷您所有設備上的其他瀏覽器會話。", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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. The email address must be associated with an existing account.": "請提供您想加入這個團隊的人的電子郵件地址。該電子郵件地址必須是已註冊用戶。", - "Please provide your name.": "請提供你的名字。", - "Poland": "波兰", - "Portugal": "葡萄牙", - "Press \/ to search": "按 \/ 搜索", - "Preview": "预览", - "Previous": "上一页", - "Privacy Policy": "隱私政策", - "Profile": "資料", - "Profile Information": "賬戶資料", - "Puerto Rico": "波多黎各", - "Qatar": "卡塔爾", - "Quarter To Date": "季度至今", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "恢復代碼", "Regards": "致敬", - "Regenerate Recovery Codes": "重新生成恢復代碼", - "Register": "註冊", - "Reload": "重装", - "Remember me": "記住我", - "Remember Me": "記住我", - "Remove": "移除", - "Remove Photo": "移除照片", - "Remove Team Member": "移除團隊成員", - "Resend Verification Email": "重新發送驗證郵件", - "Reset Filters": "重置过滤器", - "Reset Password": "重設密碼", - "Reset Password Notification": "重設密碼通知", - "resource": "资源", - "Resources": "资源", - "resources": "资源", - "Restore": "恢复", - "Restore Resource": "恢复资源", - "Restore Selected": "恢复选定", "results": "結果", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "会议", - "Role": "角色", - "Romania": "罗马尼亚", - "Run Action": "运行操作", - "Russian Federation": "俄罗斯联邦", - "Rwanda": "卢旺达", - "Réunion": "Réunion", - "Saint Barthelemy": "圣巴泰勒米", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "圣赫勒拿", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "圣基茨和尼维斯", - "Saint Lucia": "圣卢西亚", - "Saint Martin": "圣马丁", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "圣皮埃尔和密克隆", - "Saint Vincent And Grenadines": "圣文森特和格林纳丁斯", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "萨摩亚", - "San Marino": "圣马力诺", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "圣多美和普林西比", - "Saudi Arabia": "沙特阿拉伯", - "Save": "保存", - "Saved.": "已保存。", - "Search": "搜索", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "選擇新的照片", - "Select Action": "选择操作", - "Select All": "全选", - "Select All Matching": "选择所有匹配", - "Send Password Reset Link": "發送重設密碼鏈接", - "Senegal": "塞内加尔", - "September": "九月", - "Serbia": "塞尔维亚", "Server Error": "服務器錯誤", "Service Unavailable": "暫時不提供服務", - "Seychelles": "塞舌尔", - "Show All Fields": "显示所有字段", - "Show Content": "显示内容", - "Show Recovery Codes": "顯示恢復代碼", "Showing": "顯示中", - "Sierra Leone": "塞拉利昂", - "Signed in as": "Signed in as", - "Singapore": "新加坡", - "Sint Maarten (Dutch part)": "圣马丁岛", - "Slovakia": "斯洛伐克", - "Slovenia": "斯洛文尼亚", - "Solomon Islands": "所罗门群岛", - "Somalia": "索马里", - "Something went wrong.": "出了问题", - "Sorry! You are not authorized to perform this action.": "对不起! 您无权执行此操作。", - "Sorry, your session has expired.": "对不起,您的会话已过期。", - "South Africa": "南非", - "South Georgia And Sandwich Isl.": "南乔治亚岛和南桑威奇群岛", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "南苏丹", - "Spain": "西班牙", - "Sri Lanka": "斯里兰卡", - "Start Polling": "开始轮询", - "State \/ County": "State \/ County", - "Stop Polling": "停止轮询", - "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.": "將這些恢復碼存儲在一個安全的密碼管理器中。如果您的雙因素驗證設備丟失,它們可以用來恢復對您賬戶的訪問。", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "苏丹", - "Suriname": "苏里南", - "Svalbard And Jan Mayen": "斯瓦尔巴和扬*马延", - "Swaziland": "Eswatini", - "Sweden": "瑞典", - "Switch Teams": "選擇團隊", - "Switzerland": "瑞士", - "Syrian Arab Republic": "叙利亚", - "Taiwan": "台湾", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "塔吉克斯坦", - "Tanzania": "坦桑尼亚", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "團隊詳情", - "Team Invitation": "團隊邀請", - "Team Members": "團隊成員", - "Team Name": "團隊名稱", - "Team Owner": "團隊擁有者", - "Team Settings": "團隊設置", - "Terms of Service": "服務條款", - "Thailand": "泰国", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute 不是正確的角色。", - "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 and 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 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 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.": ":attribute 至少為 :length 個字符", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource 创建了!", - "The :resource was deleted!": ":resource 被删除了!", - "The :resource was restored!": ":resource 恢复了!", - "The :resource was updated!": ":resource 更新了!", - "The action ran successfully!": "行动成功了!", - "The file was deleted!": "文件被删除了!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "政府不会让我们向你展示这些门后面的东西", - "The HasOne relationship has already been filled.": "HasOne 的关系已经被填补了。", - "The payment was successful.": "賬單支付成功。", - "The provided coupon code is invalid.": "The provided coupon code is 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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "资源已更新!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "團隊名稱和擁有者信息。", - "There are no available options for this resource.": "此资源没有可用的选项。", - "There was a problem executing the action.": "执行操作时出现问题。", - "There was a problem submitting the form.": "提交表单时出现问题。", - "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.": "這些人已被邀請加入您的團隊,並已收到一封邀請郵件。他們可以通過接受電子郵件邀請加入團隊。", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "權限不足。", - "This device": "當前設備", - "This file field is read-only.": "此文件字段是只读的。", - "This image": "此图像", - "This is a secure area of the application. Please confirm your password before continuing.": "請在繼續之前確認您的密碼。", - "This password does not match our records.": "密碼不正確", "This password reset link will expire in :count minutes.": "這個重設密碼鏈接將會在 :count 分鐘後失效。", - "This payment was already successfully confirmed.": "付款已經成功確認。", - "This payment was cancelled.": "支付已經取消。", - "This resource no longer exists": "此资源不再存在", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "此用戶已經在團隊中", - "This user has already been invited to the team.": "該用戶已經被邀請加入團隊。", - "Timor-Leste": "东帝汶", "to": "至", - "Today": "今天", "Toggle navigation": "切換導航", - "Togo": "多哥", - "Tokelau": "托克劳", - "Token Name": "Token 名稱", - "Tonga": "来吧", "Too Many Attempts.": "嘗試次數過多。", "Too Many Requests": "請求次數過多。", - "total": "总计", - "Total:": "Total:", - "Trashed": "垃圾", - "Trinidad And Tobago": "特立尼达和多巴哥", - "Tunisia": "突尼斯", - "Turkey": "土耳其", - "Turkmenistan": "土库曼斯坦", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "特克斯和凯科斯群岛", - "Tuvalu": "图瓦卢", - "Two Factor Authentication": "雙因素認證", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "現在已啟用雙因素認證。使用您手機的驗證程序掃描以下二維碼。", - "Uganda": "乌干达", - "Ukraine": "乌克兰", "Unauthorized": "未授權", - "United Arab Emirates": "阿拉伯联合酋长国", - "United Kingdom": "联合王国", - "United States": "美国", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "美国离岛", - "Update": "更新", - "Update & Continue Editing": "更新并继续编辑", - "Update :resource": "更新 :resource", - "Update :resource: :title": "更新 :resource::title", - "Update attached :resource: :title": "更新附 :resource::title", - "Update Password": "更新密碼", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "更新您的賬戶資料和電子郵件地址。", - "Uruguay": "乌拉圭", - "Use a recovery code": "使用恢復代碼", - "Use an authentication code": "使用驗證碼", - "Uzbekistan": "乌兹别克斯坦", - "Value": "价值", - "Vanuatu": "瓦努阿图", - "VAT Number": "VAT Number", - "Venezuela": "委内瑞拉", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "驗證 E-mail", "Verify Your Email Address": "驗證 E-mail", - "Viet Nam": "Vietnam", - "View": "查看", - "Virgin Islands, British": "英属维尔京群岛", - "Virgin Islands, U.S.": "美属维尔京群岛", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "瓦利斯和富图纳群岛", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "我們無法找到這個電子郵件地址的註冊用戶。", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "確認完成後,接下來幾個小時內您不需再輸入密碼。", - "We're lost in space. The page you were trying to view does not exist.": "我们迷失在太空中 您尝试查看的页面不存在。", - "Welcome Back!": "欢迎回来!", - "Western Sahara": "西撒哈拉", - "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 應用程序中獲取此令牌。", - "Whoops": "哎呦", - "Whoops!": "哎呀!", - "Whoops! Something went wrong.": "哎呀!出了點問題", - "With Trashed": "与垃圾", - "Write": "写", - "Year To Date": "年至今", - "Yearly": "Yearly", - "Yemen": "也门", - "Yes": "是的", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "您已登錄!", - "You are receiving this email because we received a password reset request for your account.": "您收到此電子郵件是因為我們收到了您帳戶的密碼重設請求。", - "You have been invited to join the :team team!": "您已被邀請加入「:team」團隊!", - "You have enabled two factor authentication.": "你已經啟用了雙因素認證。", - "You have not enabled two factor authentication.": "你還沒有啟用雙因素認證。", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "如果不再需要,您可以刪除任何現有的 token。", - "You may not delete your personal team.": "您不能刪除您的個人團隊。", - "You may not leave a team that you created.": "你不能離開你創建的團隊。", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "您的電子郵件尚未驗證通過。", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "赞比亚", - "Zimbabwe": "津巴布韦", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "您的電子郵件尚未驗證通過。" } diff --git a/locales/zh_TW/packages/cashier.json b/locales/zh_TW/packages/cashier.json new file mode 100644 index 00000000000..10217113db5 --- /dev/null +++ b/locales/zh_TW/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "版權所有。", + "Card": "卡片", + "Confirm Payment": "確認支付", + "Confirm your :amount payment": "確認你的 :amount 支付信息", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "需要額外的確認以處理您的付款。請通過在下面填寫您的付款詳細信息來確認您的付款。", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "需要額外的確認以處理您的付款。 請點擊下面的按鈕進入付款頁面。", + "Full name": "全稱", + "Go back": "返回", + "Jane Doe": "Jane Doe", + "Pay :amount": "支付 :amount", + "Payment Cancelled": "支付已經取消", + "Payment Confirmation": "支付信息確認", + "Payment Successful": "支付成功", + "Please provide your name.": "請提供你的名字。", + "The payment was successful.": "賬單支付成功。", + "This payment was already successfully confirmed.": "付款已經成功確認。", + "This payment was cancelled.": "支付已經取消。" +} diff --git a/locales/zh_TW/packages/fortify.json b/locales/zh_TW/packages/fortify.json new file mode 100644 index 00000000000..dec2df47a22 --- /dev/null +++ b/locales/zh_TW/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 and 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 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 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.": ":attribute 至少為 :length 個字符", + "The provided password does not match your current password.": "當前密碼不正確", + "The provided password was incorrect.": "密碼錯誤", + "The provided two factor authentication code was invalid.": "雙因素認證代碼錯誤" +} diff --git a/locales/zh_TW/packages/jetstream.json b/locales/zh_TW/packages/jetstream.json new file mode 100644 index 00000000000..81fcfeefbb0 --- /dev/null +++ b/locales/zh_TW/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "A new verification link has been sent to the email address you provided during registration.": "一個新的驗證鏈接已經發送至您在註冊時提供的電子郵件地址。", + "Accept Invitation": "接受邀請", + "Add": "添加", + "Add a new team member to your team, allowing them to collaborate with you.": "添加一個新的團隊成員到你的團隊,讓他們與你合作。", + "Add additional security to your account using two factor authentication.": "使用雙因素認證為您的賬戶添加額外的安全性。", + "Add Team Member": "添加團隊成員", + "Added.": "已添加。", + "Administrator": "管理員", + "Administrator users can perform any action.": "管理員用戶可以執行任何操作。", + "All of the people that are part of this team.": "所有的人都是這個團隊的一部分。", + "Already registered?": "已註冊?", + "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 Token 允許第三方服務代表您與我們的應用程序進行認證。", + "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 delete this API token?": "你確定要刪除這個 API token 嗎?", + "Are you sure you would like to leave this team?": "你確定要離開這個團隊嗎?", + "Are you sure you would like to remove this person from the team?": "你確定要把這個人從團隊中刪除嗎?", + "Browser Sessions": "瀏覽器會話", + "Cancel": "取消", + "Close": "關閉", + "Code": "驗證碼", + "Confirm": "確認", + "Confirm Password": "確認密碼", + "Create": "創建", + "Create a new team to collaborate with others on projects.": "創建一個新的團隊,與他人合作開展項目。", + "Create Account": "創建賬戶", + "Create API Token": "創建 API Token", + "Create New Team": "創建新的團隊", + "Create Team": "創建團隊", + "Created.": "已創建。", + "Current Password": "當前密碼", + "Dashboard": "控制面板", + "Delete": "刪除", + "Delete Account": "刪除賬戶", + "Delete API Token": "刪除 API Token", + "Delete Team": "刪除團隊", + "Disable": "禁用", + "Done.": "已完成。", + "Editor": "編輯者", + "Editor users have the ability to read, create, and update.": "編輯者可以閱讀、創建和更新。", + "Email": "Email", + "Email Password Reset Link": "電子郵件密碼重置鏈接", + "Enable": "啟用", + "Ensure your account is using a long, random password to stay secure.": "確保你的賬戶使用足夠長且隨機的密碼來保證安全。", + "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.": "忘記密碼?沒關係。輸入您的電子郵件地址,我們將通過電子郵件向您發送密碼重置鏈接,讓您重置一個新的密碼。", + "Great! You have accepted the invitation to join the :team team.": "太好了,您已接受了加入團隊「:team」的邀請。 ", + "I agree to the :terms_of_service and :privacy_policy": "我同意 :terms_of_service 和 :privacy_policy", + "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 you already have an account, you may accept this invitation by clicking the button below:": "如果您已经有一个账户,您可以通过点击下面的按钮接受这个邀请:", + "If you did not expect to receive an invitation to this team, you may discard this 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:": "如果您还没有账号,可以点击下面的按钮创建一个账号。创建账户后,您可以点击此邮件中的邀请接受按钮,接受团队邀请:", + "Last active": "上次活躍", + "Last used": "上次使用", + "Leave": "離開", + "Leave Team": "離開團隊", + "Log in": "登錄", + "Log Out": "註銷", + "Log Out Other Browser Sessions": "註銷其他瀏覽器會話", + "Manage Account": "管理賬戶", + "Manage and log out your active sessions on other browsers and devices.": "管理和註銷您在其他瀏覽器和設備上的活動會話。", + "Manage API Tokens": "管理 API Token", + "Manage Role": "管理角色", + "Manage Team": "管理團隊", + "Name": "姓名", + "New Password": "新的密碼", + "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 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.": "一旦您的賬戶被刪除,其所有資源和數據將被永久刪除。在刪除您的賬戶之前,請下載您希望保留的任何數據或信息。", + "Password": "密碼", + "Pending Team Invitations": "待處理的團隊邀請函", + "Permanently delete this team.": "永久刪除此團隊", + "Permanently delete your account.": "永久刪除您的賬戶", + "Permissions": "權限", + "Photo": "照片", + "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 copy your new API token. For your security, it won't be shown again.": "請複制你的新 API token。為了您的安全,它不會再被顯示出來。", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "請輸入您的密碼,以確認您要註銷您所有設備上的其他瀏覽器會話。", + "Please provide the email address of the person you would like to add to this team.": "請提供您想加入這個團隊的人的電子郵件地址。", + "Privacy Policy": "隱私政策", + "Profile": "資料", + "Profile Information": "賬戶資料", + "Recovery Code": "恢復代碼", + "Regenerate Recovery Codes": "重新生成恢復代碼", + "Register": "註冊", + "Remember me": "記住我", + "Remove": "移除", + "Remove Photo": "移除照片", + "Remove Team Member": "移除團隊成員", + "Resend Verification Email": "重新發送驗證郵件", + "Reset Password": "重設密碼", + "Role": "角色", + "Save": "保存", + "Saved.": "已保存。", + "Select A New Photo": "選擇新的照片", + "Show Recovery Codes": "顯示恢復代碼", + "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.": "將這些恢復碼存儲在一個安全的密碼管理器中。如果您的雙因素驗證設備丟失,它們可以用來恢復對您賬戶的訪問。", + "Switch Teams": "選擇團隊", + "Team Details": "團隊詳情", + "Team Invitation": "團隊邀請", + "Team Members": "團隊成員", + "Team Name": "團隊名稱", + "Team Owner": "團隊擁有者", + "Team Settings": "團隊設置", + "Terms of Service": "服務條款", + "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 a valid role.": ":attribute 不是正確的角色。", + "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 and 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 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 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.": ":attribute 至少為 :length 個字符", + "The provided password does not match your current password.": "當前密碼不正確", + "The provided password was incorrect.": "密碼錯誤", + "The provided two factor authentication code was invalid.": "雙因素認證代碼錯誤", + "The team's name and owner information.": "團隊名稱和擁有者信息。", + "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.": "這些人已被邀請加入您的團隊,並已收到一封邀請郵件。他們可以通過接受電子郵件邀請加入團隊。", + "This device": "當前設備", + "This is a secure area of the application. Please confirm your password before continuing.": "請在繼續之前確認您的密碼。", + "This password does not match our records.": "密碼不正確", + "This user already belongs to the team.": "此用戶已經在團隊中", + "This user has already been invited to the team.": "該用戶已經被邀請加入團隊。", + "Token Name": "Token 名稱", + "Two Factor Authentication": "雙因素認證", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "現在已啟用雙因素認證。使用您手機的驗證程序掃描以下二維碼。", + "Update Password": "更新密碼", + "Update your account's profile information and email address.": "更新您的賬戶資料和電子郵件地址。", + "Use a recovery code": "使用恢復代碼", + "Use an authentication code": "使用驗證碼", + "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.": "當啟用雙因素認證時,在認證過程中會提示您輸入一個安全的隨機令牌。您可以從手機的Google Authenticator 應用程序中獲取此令牌。", + "Whoops! Something went wrong.": "哎呀!出了點問題", + "You have been invited to join the :team team!": "您已被邀請加入「:team」團隊!", + "You have enabled two factor authentication.": "你已經啟用了雙因素認證。", + "You have not enabled two factor authentication.": "你還沒有啟用雙因素認證。", + "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.": "如果不再需要,您可以刪除任何現有的 token。", + "You may not delete your personal team.": "您不能刪除您的個人團隊。", + "You may not leave a team that you created.": "你不能離開你創建的團隊。" +} diff --git a/locales/zh_TW/packages/nova.json b/locales/zh_TW/packages/nova.json new file mode 100644 index 00000000000..a199ddb914b --- /dev/null +++ b/locales/zh_TW/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30天", + "60 Days": "60天", + "90 Days": "90天", + ":amount Total": ":amount 总计", + ":resource Details": ":resource 详情", + ":resource Details: :title": ":resource 详细信息::title", + "Action": "开始!", + "Action Happened At": "发生在", + "Action Initiated By": "发起者", + "Action Name": "姓名", + "Action Status": "状态", + "Action Target": "目标", + "Actions": "行动", + "Add row": "添加行", + "Afghanistan": "阿富汗", + "Aland Islands": "Åland群岛", + "Albania": "阿尔巴尼亚", + "Algeria": "阿尔及利亚", + "All resources loaded.": "加载的所有资源。", + "American Samoa": "美属萨摩亚", + "An error occured while uploading the file.": "上传文件时发生错误。", + "Andorra": "安道尔", + "Angola": "安哥拉", + "Anguilla": "安圭拉", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "自加载此页面以来,另一个用户已更新此资源。 请刷新页面,然后重试。", + "Antarctica": "南极洲", + "Antigua And Barbuda": "安提瓜和巴布达", + "April": "四月", + "Are you sure you want to delete the selected resources?": "您确定要删除所选资源吗?", + "Are you sure you want to delete this file?": "你确定要删除这个文件吗?", + "Are you sure you want to delete this resource?": "您确定要删除此资源吗?", + "Are you sure you want to detach the selected resources?": "您确定要分离所选资源吗?", + "Are you sure you want to detach this resource?": "您确定要分离此资源吗?", + "Are you sure you want to force delete the selected resources?": "您确定要强制删除所选资源吗?", + "Are you sure you want to force delete this resource?": "您确定要强制删除此资源吗?", + "Are you sure you want to restore the selected resources?": "您确定要恢复所选资源吗?", + "Are you sure you want to restore this resource?": "您确定要恢复此资源吗?", + "Are you sure you want to run this action?": "你确定要执行此操作吗?", + "Argentina": "阿根廷", + "Armenia": "亚美尼亚", + "Aruba": "阿鲁巴", + "Attach": "附加", + "Attach & Attach Another": "附加和附加另一个", + "Attach :resource": "附加 :resource", + "August": "八月", + "Australia": "澳大利亚", + "Austria": "奥地利", + "Azerbaijan": "阿塞拜疆", + "Bahamas": "巴哈马", + "Bahrain": "巴林", + "Bangladesh": "孟加拉国", + "Barbados": "巴巴多斯", + "Belarus": "白俄罗斯", + "Belgium": "比利时", + "Belize": "伯利兹", + "Benin": "贝宁", + "Bermuda": "百慕大", + "Bhutan": "不丹", + "Bolivia": "玻利维亚", + "Bonaire, Sint Eustatius and Saba": "博内尔岛,圣尤斯特歇斯和萨巴多", + "Bosnia And Herzegovina": "波斯尼亚和黑塞哥维那", + "Botswana": "博茨瓦纳", + "Bouvet Island": "布维岛", + "Brazil": "巴西", + "British Indian Ocean Territory": "英属印度洋领地", + "Brunei Darussalam": "Brunei", + "Bulgaria": "保加利亚", + "Burkina Faso": "布基纳法索", + "Burundi": "布隆迪", + "Cambodia": "柬埔寨", + "Cameroon": "喀麦隆", + "Canada": "加拿大", + "Cancel": "取消", + "Cape Verde": "佛得角", + "Cayman Islands": "开曼群岛", + "Central African Republic": "中非共和国", + "Chad": "乍得", + "Changes": "更改", + "Chile": "智利", + "China": "中国", + "Choose": "选择", + "Choose :field": "选择 :field", + "Choose :resource": "选择 :resource", + "Choose an option": "选择一个选项", + "Choose date": "选择日期", + "Choose File": "选择文件", + "Choose Type": "选择类型", + "Christmas Island": "圣诞岛", + "Click to choose": "点击选择", + "Cocos (Keeling) Islands": "科科斯(基林)群岛", + "Colombia": "哥伦比亚", + "Comoros": "科摩罗", + "Confirm Password": "確認密碼", + "Congo": "刚果", + "Congo, Democratic Republic": "刚果民主共和国", + "Constant": "常数", + "Cook Islands": "库克群岛", + "Costa Rica": "哥斯达黎加", + "Cote D'Ivoire": "Côte d'Ivoire", + "could not be found.": "找不到。", + "Create": "創建", + "Create & Add Another": "创建并添加另一个", + "Create :resource": "创建 :resource", + "Croatia": "克罗地亚", + "Cuba": "古巴", + "Curaçao": "库拉索岛", + "Customize": "自定义", + "Cyprus": "塞浦路斯", + "Czech Republic": "捷克", + "Dashboard": "控制面板", + "December": "十二月", + "Decrease": "减少", + "Delete": "刪除", + "Delete File": "删除文件", + "Delete Resource": "删除资源", + "Delete Selected": "删除选定", + "Denmark": "丹麦", + "Detach": "分离", + "Detach Resource": "分离资源", + "Detach Selected": "分离选定", + "Details": "详情", + "Djibouti": "吉布提", + "Do you really want to leave? You have unsaved changes.": "你真的想离开吗? 您有未保存的更改。", + "Dominica": "星期日", + "Dominican Republic": "多米尼加共和国", + "Download": "下载", + "Ecuador": "厄瓜多尔", + "Edit": "编辑", + "Edit :resource": "编辑 :resource", + "Edit Attached": "编辑附", + "Egypt": "埃及", + "El Salvador": "萨尔瓦多", + "Email Address": "电子邮件地址", + "Equatorial Guinea": "赤道几内亚", + "Eritrea": "厄立特里亚", + "Estonia": "爱沙尼亚", + "Ethiopia": "埃塞俄比亚", + "Falkland Islands (Malvinas)": "福克兰群岛(马尔维纳斯群岛)", + "Faroe Islands": "法罗群岛", + "February": "二月", + "Fiji": "斐济", + "Finland": "芬兰", + "Force Delete": "强制删除", + "Force Delete Resource": "强制删除资源", + "Force Delete Selected": "强制删除所选内容", + "Forgot Your Password?": "忘記密碼?", + "Forgot your password?": "忘記密碼?", + "France": "法国", + "French Guiana": "法属圭亚那", + "French Polynesia": "法属波利尼西亚", + "French Southern Territories": "法国南部领土", + "Gabon": "加蓬", + "Gambia": "冈比亚", + "Georgia": "格鲁吉亚", + "Germany": "德国", + "Ghana": "加纳", + "Gibraltar": "直布罗陀", + "Go Home": "回首頁", + "Greece": "希腊", + "Greenland": "格陵兰岛", + "Grenada": "格林纳达", + "Guadeloupe": "瓜德罗普岛", + "Guam": "关岛", + "Guatemala": "危地马拉", + "Guernsey": "根西岛", + "Guinea": "几内亚", + "Guinea-Bissau": "几内亚比绍", + "Guyana": "Gu", + "Haiti": "海地", + "Heard Island & Mcdonald Islands": "赫德岛和麦当劳群岛", + "Hide Content": "隐藏内容", + "Hold Up!": "等等!", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "洪都拉斯", + "Hong Kong": "香港", + "Hungary": "匈牙利", + "Iceland": "冰岛", + "ID": "ID", + "If you did not request a password reset, no further action is required.": "如果您未申請重設密碼,請忽略此郵件。", + "Increase": "增加", + "India": "印度", + "Indonesia": "印度尼西亚", + "Iran, Islamic Republic Of": "伊朗", + "Iraq": "伊拉克", + "Ireland": "爱尔兰", + "Isle Of Man": "马恩岛", + "Israel": "以色列", + "Italy": "意大利", + "Jamaica": "牙买加", + "January": "一月", + "Japan": "日本", + "Jersey": "泽西岛", + "Jordan": "约旦", + "July": "七月", + "June": "六月", + "Kazakhstan": "哈萨克斯坦", + "Kenya": "肯尼亚", + "Key": "钥匙", + "Kiribati": "基里巴斯", + "Korea": "韩国", + "Korea, Democratic People's Republic of": "朝鲜", + "Kosovo": "科索沃", + "Kuwait": "科威特", + "Kyrgyzstan": "吉尔吉斯斯坦", + "Lao People's Democratic Republic": "老挝", + "Latvia": "拉脱维亚", + "Lebanon": "黎巴嫩", + "Lens": "镜头", + "Lesotho": "莱索托", + "Liberia": "利比里亚", + "Libyan Arab Jamahiriya": "利比亚", + "Liechtenstein": "列支敦士登", + "Lithuania": "立陶宛", + "Load :perPage More": "加载:perPage更多", + "Login": "登錄", + "Logout": "註銷", + "Luxembourg": "卢森堡", + "Macao": "澳门", + "Macedonia": "北马其顿", + "Madagascar": "马达加斯加", + "Malawi": "马拉维", + "Malaysia": "马来西亚", + "Maldives": "马尔代夫", + "Mali": "小", + "Malta": "马耳他", + "March": "三月", + "Marshall Islands": "马绍尔群岛", + "Martinique": "马提尼克岛", + "Mauritania": "毛里塔尼亚", + "Mauritius": "毛里求斯", + "May": "五月", + "Mayotte": "马约特", + "Mexico": "墨西哥", + "Micronesia, Federated States Of": "密克罗尼西亚", + "Moldova": "摩尔多瓦", + "Monaco": "摩纳哥", + "Mongolia": "蒙古", + "Montenegro": "黑山", + "Month To Date": "月至今", + "Montserrat": "蒙特塞拉特", + "Morocco": "摩洛哥", + "Mozambique": "莫桑比克", + "Myanmar": "缅甸", + "Namibia": "纳米比亚", + "Nauru": "瑙鲁", + "Nepal": "尼泊尔", + "Netherlands": "荷兰", + "New": "新", + "New :resource": "新:resource", + "New Caledonia": "新喀里多尼亚", + "New Zealand": "新西兰", + "Next": "下一个", + "Nicaragua": "尼加拉瓜", + "Niger": "尼日尔", + "Nigeria": "尼日利亚", + "Niue": "纽埃", + "No": "非也。", + "No :resource matched the given criteria.": "没有 :resource 符合给定的标准。", + "No additional information...": "没有其他信息。..", + "No Current Data": "没有当前数据", + "No Data": "没有数据", + "no file selected": "没有选择文件", + "No Increase": "不增加", + "No Prior Data": "没有先前的数据", + "No Results Found.": "没有找到结果。", + "Norfolk Island": "诺福克岛", + "Northern Mariana Islands": "北马里亚纳群岛", + "Norway": "挪威", + "Nova User": "Nova用户", + "November": "十一月", + "October": "十月", + "of": "於", + "Oman": "阿曼", + "Only Trashed": "只有垃圾", + "Original": "原创", + "Pakistan": "巴基斯坦", + "Palau": "帕劳", + "Palestinian Territory, Occupied": "巴勒斯坦领土", + "Panama": "巴拿马", + "Papua New Guinea": "巴布亚新几内亚", + "Paraguay": "巴拉圭", + "Password": "密碼", + "Per Page": "每页", + "Peru": "秘鲁", + "Philippines": "菲律宾", + "Pitcairn": "皮特凯恩群岛", + "Poland": "波兰", + "Portugal": "葡萄牙", + "Press \/ to search": "按 \/ 搜索", + "Preview": "预览", + "Previous": "上一页", + "Puerto Rico": "波多黎各", + "Qatar": "卡塔爾", + "Quarter To Date": "季度至今", + "Reload": "重装", + "Remember Me": "記住我", + "Reset Filters": "重置过滤器", + "Reset Password": "重設密碼", + "Reset Password Notification": "重設密碼通知", + "resource": "资源", + "Resources": "资源", + "resources": "资源", + "Restore": "恢复", + "Restore Resource": "恢复资源", + "Restore Selected": "恢复选定", + "Reunion": "会议", + "Romania": "罗马尼亚", + "Run Action": "运行操作", + "Russian Federation": "俄罗斯联邦", + "Rwanda": "卢旺达", + "Saint Barthelemy": "圣巴泰勒米", + "Saint Helena": "圣赫勒拿", + "Saint Kitts And Nevis": "圣基茨和尼维斯", + "Saint Lucia": "圣卢西亚", + "Saint Martin": "圣马丁", + "Saint Pierre And Miquelon": "圣皮埃尔和密克隆", + "Saint Vincent And Grenadines": "圣文森特和格林纳丁斯", + "Samoa": "萨摩亚", + "San Marino": "圣马力诺", + "Sao Tome And Principe": "圣多美和普林西比", + "Saudi Arabia": "沙特阿拉伯", + "Search": "搜索", + "Select Action": "选择操作", + "Select All": "全选", + "Select All Matching": "选择所有匹配", + "Send Password Reset Link": "發送重設密碼鏈接", + "Senegal": "塞内加尔", + "September": "九月", + "Serbia": "塞尔维亚", + "Seychelles": "塞舌尔", + "Show All Fields": "显示所有字段", + "Show Content": "显示内容", + "Sierra Leone": "塞拉利昂", + "Singapore": "新加坡", + "Sint Maarten (Dutch part)": "圣马丁岛", + "Slovakia": "斯洛伐克", + "Slovenia": "斯洛文尼亚", + "Solomon Islands": "所罗门群岛", + "Somalia": "索马里", + "Something went wrong.": "出了问题", + "Sorry! You are not authorized to perform this action.": "对不起! 您无权执行此操作。", + "Sorry, your session has expired.": "对不起,您的会话已过期。", + "South Africa": "南非", + "South Georgia And Sandwich Isl.": "南乔治亚岛和南桑威奇群岛", + "South Sudan": "南苏丹", + "Spain": "西班牙", + "Sri Lanka": "斯里兰卡", + "Start Polling": "开始轮询", + "Stop Polling": "停止轮询", + "Sudan": "苏丹", + "Suriname": "苏里南", + "Svalbard And Jan Mayen": "斯瓦尔巴和扬*马延", + "Swaziland": "Eswatini", + "Sweden": "瑞典", + "Switzerland": "瑞士", + "Syrian Arab Republic": "叙利亚", + "Taiwan": "台湾", + "Tajikistan": "塔吉克斯坦", + "Tanzania": "坦桑尼亚", + "Thailand": "泰国", + "The :resource was created!": ":resource 创建了!", + "The :resource was deleted!": ":resource 被删除了!", + "The :resource was restored!": ":resource 恢复了!", + "The :resource was updated!": ":resource 更新了!", + "The action ran successfully!": "行动成功了!", + "The file was deleted!": "文件被删除了!", + "The government won't let us show you what's behind these doors": "政府不会让我们向你展示这些门后面的东西", + "The HasOne relationship has already been filled.": "HasOne 的关系已经被填补了。", + "The resource was updated!": "资源已更新!", + "There are no available options for this resource.": "此资源没有可用的选项。", + "There was a problem executing the action.": "执行操作时出现问题。", + "There was a problem submitting the form.": "提交表单时出现问题。", + "This file field is read-only.": "此文件字段是只读的。", + "This image": "此图像", + "This resource no longer exists": "此资源不再存在", + "Timor-Leste": "东帝汶", + "Today": "今天", + "Togo": "多哥", + "Tokelau": "托克劳", + "Tonga": "来吧", + "total": "总计", + "Trashed": "垃圾", + "Trinidad And Tobago": "特立尼达和多巴哥", + "Tunisia": "突尼斯", + "Turkey": "土耳其", + "Turkmenistan": "土库曼斯坦", + "Turks And Caicos Islands": "特克斯和凯科斯群岛", + "Tuvalu": "图瓦卢", + "Uganda": "乌干达", + "Ukraine": "乌克兰", + "United Arab Emirates": "阿拉伯联合酋长国", + "United Kingdom": "联合王国", + "United States": "美国", + "United States Outlying Islands": "美国离岛", + "Update": "更新", + "Update & Continue Editing": "更新并继续编辑", + "Update :resource": "更新 :resource", + "Update :resource: :title": "更新 :resource::title", + "Update attached :resource: :title": "更新附 :resource: :title", + "Uruguay": "乌拉圭", + "Uzbekistan": "乌兹别克斯坦", + "Value": "价值", + "Vanuatu": "瓦努阿图", + "Venezuela": "委内瑞拉", + "Viet Nam": "Vietnam", + "View": "查看", + "Virgin Islands, British": "英属维尔京群岛", + "Virgin Islands, U.S.": "美属维尔京群岛", + "Wallis And Futuna": "瓦利斯和富图纳群岛", + "We're lost in space. The page you were trying to view does not exist.": "我们迷失在太空中 您尝试查看的页面不存在。", + "Welcome Back!": "欢迎回来!", + "Western Sahara": "西撒哈拉", + "Whoops": "哎呦", + "Whoops!": "哎呀!", + "With Trashed": "与垃圾", + "Write": "写", + "Year To Date": "年至今", + "Yemen": "也门", + "Yes": "是的", + "You are receiving this email because we received a password reset request for your account.": "您收到此電子郵件是因為我們收到了您帳戶的密碼重設請求。", + "Zambia": "赞比亚", + "Zimbabwe": "津巴布韦" +} diff --git a/locales/zh_TW/packages/spark-paddle.json b/locales/zh_TW/packages/spark-paddle.json new file mode 100644 index 00000000000..9ac3b4dd2da --- /dev/null +++ b/locales/zh_TW/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "服務條款", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "哎呀!出了點問題", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/locales/zh_TW/packages/spark-stripe.json b/locales/zh_TW/packages/spark-stripe.json new file mode 100644 index 00000000000..bcfc96dcece --- /dev/null +++ b/locales/zh_TW/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "阿富汗", + "Albania": "阿尔巴尼亚", + "Algeria": "阿尔及利亚", + "American Samoa": "美属萨摩亚", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "安道尔", + "Angola": "安哥拉", + "Anguilla": "安圭拉", + "Antarctica": "南极洲", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "阿根廷", + "Armenia": "亚美尼亚", + "Aruba": "阿鲁巴", + "Australia": "澳大利亚", + "Austria": "奥地利", + "Azerbaijan": "阿塞拜疆", + "Bahamas": "巴哈马", + "Bahrain": "巴林", + "Bangladesh": "孟加拉国", + "Barbados": "巴巴多斯", + "Belarus": "白俄罗斯", + "Belgium": "比利时", + "Belize": "伯利兹", + "Benin": "贝宁", + "Bermuda": "百慕大", + "Bhutan": "不丹", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "博茨瓦纳", + "Bouvet Island": "布维岛", + "Brazil": "巴西", + "British Indian Ocean Territory": "英属印度洋领地", + "Brunei Darussalam": "Brunei", + "Bulgaria": "保加利亚", + "Burkina Faso": "布基纳法索", + "Burundi": "布隆迪", + "Cambodia": "柬埔寨", + "Cameroon": "喀麦隆", + "Canada": "加拿大", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "佛得角", + "Card": "卡片", + "Cayman Islands": "开曼群岛", + "Central African Republic": "中非共和国", + "Chad": "乍得", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "智利", + "China": "中国", + "Christmas Island": "圣诞岛", + "City": "City", + "Cocos (Keeling) Islands": "科科斯(基林)群岛", + "Colombia": "哥伦比亚", + "Comoros": "科摩罗", + "Confirm Payment": "確認支付", + "Confirm your :amount payment": "確認你的 :amount 支付信息", + "Congo": "刚果", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "库克群岛", + "Costa Rica": "哥斯达黎加", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "克罗地亚", + "Cuba": "古巴", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "塞浦路斯", + "Czech Republic": "捷克", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "丹麦", + "Djibouti": "吉布提", + "Dominica": "星期日", + "Dominican Republic": "多米尼加共和国", + "Download Receipt": "Download Receipt", + "Ecuador": "厄瓜多尔", + "Egypt": "埃及", + "El Salvador": "萨尔瓦多", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "赤道几内亚", + "Eritrea": "厄立特里亚", + "Estonia": "爱沙尼亚", + "Ethiopia": "埃塞俄比亚", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "需要額外的確認以處理您的付款。 請點擊下面的按鈕進入付款頁面。", + "Falkland Islands (Malvinas)": "福克兰群岛(马尔维纳斯群岛)", + "Faroe Islands": "法罗群岛", + "Fiji": "斐济", + "Finland": "芬兰", + "France": "法国", + "French Guiana": "法属圭亚那", + "French Polynesia": "法属波利尼西亚", + "French Southern Territories": "法国南部领土", + "Gabon": "加蓬", + "Gambia": "冈比亚", + "Georgia": "格鲁吉亚", + "Germany": "德国", + "Ghana": "加纳", + "Gibraltar": "直布罗陀", + "Greece": "希腊", + "Greenland": "格陵兰岛", + "Grenada": "格林纳达", + "Guadeloupe": "瓜德罗普岛", + "Guam": "关岛", + "Guatemala": "危地马拉", + "Guernsey": "根西岛", + "Guinea": "几内亚", + "Guinea-Bissau": "几内亚比绍", + "Guyana": "Gu", + "Haiti": "海地", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Vatican City", + "Honduras": "洪都拉斯", + "Hong Kong": "香港", + "Hungary": "匈牙利", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "冰岛", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "印度", + "Indonesia": "印度尼西亚", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "伊拉克", + "Ireland": "爱尔兰", + "Isle of Man": "Isle of Man", + "Israel": "以色列", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "意大利", + "Jamaica": "牙买加", + "Japan": "日本", + "Jersey": "泽西岛", + "Jordan": "约旦", + "Kazakhstan": "哈萨克斯坦", + "Kenya": "肯尼亚", + "Kiribati": "基里巴斯", + "Korea, Democratic People's Republic of": "朝鲜", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "科威特", + "Kyrgyzstan": "吉尔吉斯斯坦", + "Lao People's Democratic Republic": "老挝", + "Latvia": "拉脱维亚", + "Lebanon": "黎巴嫩", + "Lesotho": "莱索托", + "Liberia": "利比里亚", + "Libyan Arab Jamahiriya": "利比亚", + "Liechtenstein": "列支敦士登", + "Lithuania": "立陶宛", + "Luxembourg": "卢森堡", + "Macao": "澳门", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "马达加斯加", + "Malawi": "马拉维", + "Malaysia": "马来西亚", + "Maldives": "马尔代夫", + "Mali": "小", + "Malta": "马耳他", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "马绍尔群岛", + "Martinique": "马提尼克岛", + "Mauritania": "毛里塔尼亚", + "Mauritius": "毛里求斯", + "Mayotte": "马约特", + "Mexico": "墨西哥", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "摩纳哥", + "Mongolia": "蒙古", + "Montenegro": "黑山", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "蒙特塞拉特", + "Morocco": "摩洛哥", + "Mozambique": "莫桑比克", + "Myanmar": "缅甸", + "Namibia": "纳米比亚", + "Nauru": "瑙鲁", + "Nepal": "尼泊尔", + "Netherlands": "荷兰", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "新喀里多尼亚", + "New Zealand": "新西兰", + "Nicaragua": "尼加拉瓜", + "Niger": "尼日尔", + "Nigeria": "尼日利亚", + "Niue": "纽埃", + "Norfolk Island": "诺福克岛", + "Northern Mariana Islands": "北马里亚纳群岛", + "Norway": "挪威", + "Oman": "阿曼", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "巴基斯坦", + "Palau": "帕劳", + "Palestinian Territory, Occupied": "巴勒斯坦领土", + "Panama": "巴拿马", + "Papua New Guinea": "巴布亚新几内亚", + "Paraguay": "巴拉圭", + "Payment Information": "Payment Information", + "Peru": "秘鲁", + "Philippines": "菲律宾", + "Pitcairn": "皮特凯恩群岛", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "波兰", + "Portugal": "葡萄牙", + "Puerto Rico": "波多黎各", + "Qatar": "卡塔爾", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "罗马尼亚", + "Russian Federation": "俄罗斯联邦", + "Rwanda": "卢旺达", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "圣赫勒拿", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "圣卢西亚", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "萨摩亚", + "San Marino": "圣马力诺", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "沙特阿拉伯", + "Save": "保存", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "塞内加尔", + "Serbia": "塞尔维亚", + "Seychelles": "塞舌尔", + "Sierra Leone": "塞拉利昂", + "Signed in as": "Signed in as", + "Singapore": "新加坡", + "Slovakia": "斯洛伐克", + "Slovenia": "斯洛文尼亚", + "Solomon Islands": "所罗门群岛", + "Somalia": "索马里", + "South Africa": "南非", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "西班牙", + "Sri Lanka": "斯里兰卡", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "苏丹", + "Suriname": "苏里南", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Eswatini", + "Sweden": "瑞典", + "Switzerland": "瑞士", + "Syrian Arab Republic": "叙利亚", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "塔吉克斯坦", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "服務條款", + "Thailand": "泰国", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "东帝汶", + "Togo": "多哥", + "Tokelau": "托克劳", + "Tonga": "来吧", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "突尼斯", + "Turkey": "土耳其", + "Turkmenistan": "土库曼斯坦", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "图瓦卢", + "Uganda": "乌干达", + "Ukraine": "乌克兰", + "United Arab Emirates": "阿拉伯联合酋长国", + "United Kingdom": "联合王国", + "United States": "美国", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "更新", + "Update Payment Information": "Update Payment Information", + "Uruguay": "乌拉圭", + "Uzbekistan": "乌兹别克斯坦", + "Vanuatu": "瓦努阿图", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Vietnam", + "Virgin Islands, British": "英属维尔京群岛", + "Virgin Islands, U.S.": "美属维尔京群岛", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "西撒哈拉", + "Whoops! Something went wrong.": "哎呀!出了點問題", + "Yearly": "Yearly", + "Yemen": "也门", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "赞比亚", + "Zimbabwe": "津巴布韦", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +} diff --git a/locales/zh_TW/zh_TW.json b/locales/zh_TW/zh_TW.json index 4b1258c1021..7daee345510 100644 --- a/locales/zh_TW/zh_TW.json +++ b/locales/zh_TW/zh_TW.json @@ -1,710 +1,48 @@ { - "30 Days": "30天", - "60 Days": "60天", - "90 Days": "90天", - ":amount Total": ":amount 总计", - ":days day trial": ":days day trial", - ":resource Details": ":resource 详情", - ":resource Details: :title": ":resource 详细信息::title", "A fresh verification link has been sent to your email address.": "新的驗證鏈接已發送到您的 E-mail。", - "A new verification link has been sent to the email address you provided during registration.": "一個新的驗證鏈接已經發送至您在註冊時提供的電子郵件地址。", - "Accept Invitation": "接受邀請", - "Action": "开始!", - "Action Happened At": "发生在", - "Action Initiated By": "发起者", - "Action Name": "姓名", - "Action Status": "状态", - "Action Target": "目标", - "Actions": "行动", - "Add": "添加", - "Add a new team member to your team, allowing them to collaborate with you.": "添加一個新的團隊成員到你的團隊,讓他們與你合作。", - "Add additional security to your account using two factor authentication.": "使用雙因素認證為您的賬戶添加額外的安全性。", - "Add row": "添加行", - "Add Team Member": "添加團隊成員", - "Add VAT Number": "Add VAT Number", - "Added.": "已添加。", - "Address": "Address", - "Address Line 2": "Address Line 2", - "Administrator": "管理員", - "Administrator users can perform any action.": "管理員用戶可以執行任何操作。", - "Afghanistan": "阿富汗", - "Aland Islands": "Åland群岛", - "Albania": "阿尔巴尼亚", - "Algeria": "阿尔及利亚", - "All of the people that are part of this team.": "所有的人都是這個團隊的一部分。", - "All resources loaded.": "加载的所有资源。", - "All rights reserved.": "版權所有。", - "Already registered?": "已註冊?", - "American Samoa": "美属萨摩亚", - "An error occured while uploading the file.": "上传文件时发生错误。", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "安道尔", - "Angola": "安哥拉", - "Anguilla": "安圭拉", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "自加载此页面以来,另一个用户已更新此资源。 请刷新页面,然后重试。", - "Antarctica": "南极洲", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "安提瓜和巴布达", - "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 Token 允許第三方服務代表您與我們的應用程序進行認證。", - "April": "四月", - "Are you sure you want to delete the selected resources?": "您确定要删除所选资源吗?", - "Are you sure you want to delete this file?": "你确定要删除这个文件吗?", - "Are you sure you want to delete this resource?": "您确定要删除此资源吗?", - "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 detach the selected resources?": "您确定要分离所选资源吗?", - "Are you sure you want to detach this resource?": "您确定要分离此资源吗?", - "Are you sure you want to force delete the selected resources?": "您确定要强制删除所选资源吗?", - "Are you sure you want to force delete this resource?": "您确定要强制删除此资源吗?", - "Are you sure you want to restore the selected resources?": "您确定要恢复所选资源吗?", - "Are you sure you want to restore this resource?": "您确定要恢复此资源吗?", - "Are you sure you want to run this action?": "你确定要执行此操作吗?", - "Are you sure you would like to delete this API token?": "你確定要刪除這個 API token 嗎?", - "Are you sure you would like to leave this team?": "你確定要離開這個團隊嗎?", - "Are you sure you would like to remove this person from the team?": "你確定要把這個人從團隊中刪除嗎?", - "Argentina": "阿根廷", - "Armenia": "亚美尼亚", - "Aruba": "阿鲁巴", - "Attach": "附加", - "Attach & Attach Another": "附加和附加另一个", - "Attach :resource": "附加 :resource", - "August": "八月", - "Australia": "澳大利亚", - "Austria": "奥地利", - "Azerbaijan": "阿塞拜疆", - "Bahamas": "巴哈马", - "Bahrain": "巴林", - "Bangladesh": "孟加拉国", - "Barbados": "巴巴多斯", "Before proceeding, please check your email for a verification link.": "在繼續之前請先驗證您的 E-mail。", - "Belarus": "白俄罗斯", - "Belgium": "比利时", - "Belize": "伯利兹", - "Benin": "贝宁", - "Bermuda": "百慕大", - "Bhutan": "不丹", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "玻利维亚", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "博内尔岛,圣尤斯特歇斯和萨巴多", - "Bosnia And Herzegovina": "波斯尼亚和黑塞哥维那", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "博茨瓦纳", - "Bouvet Island": "布维岛", - "Brazil": "巴西", - "British Indian Ocean Territory": "英属印度洋领地", - "Browser Sessions": "瀏覽器會話", - "Brunei Darussalam": "Brunei", - "Bulgaria": "保加利亚", - "Burkina Faso": "布基纳法索", - "Burundi": "布隆迪", - "Cambodia": "柬埔寨", - "Cameroon": "喀麦隆", - "Canada": "加拿大", - "Cancel": "取消", - "Cancel Subscription": "Cancel Subscription", - "Cape Verde": "佛得角", - "Card": "卡片", - "Cayman Islands": "开曼群岛", - "Central African Republic": "中非共和国", - "Chad": "乍得", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "更改", - "Chile": "智利", - "China": "中国", - "Choose": "选择", - "Choose :field": "选择 :field", - "Choose :resource": "选择 :resource", - "Choose an option": "选择一个选项", - "Choose date": "选择日期", - "Choose File": "选择文件", - "Choose Type": "选择类型", - "Christmas Island": "圣诞岛", - "City": "City", "click here to request another": "點擊重新發送 E-mail", - "Click to choose": "点击选择", - "Close": "關閉", - "Cocos (Keeling) Islands": "科科斯(基林)群岛", - "Code": "驗證碼", - "Colombia": "哥伦比亚", - "Comoros": "科摩罗", - "Confirm": "確認", - "Confirm Password": "確認密碼", - "Confirm Payment": "確認支付", - "Confirm your :amount payment": "確認你的 :amount 支付信息", - "Congo": "刚果", - "Congo, Democratic Republic": "刚果民主共和国", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "常数", - "Cook Islands": "库克群岛", - "Costa Rica": "哥斯达黎加", - "Cote D'Ivoire": "Côte d'Ivoire", - "could not be found.": "找不到。", - "Country": "Country", - "Coupon": "Coupon", - "Create": "創建", - "Create & Add Another": "创建并添加另一个", - "Create :resource": "创建 :resource", - "Create a new team to collaborate with others on projects.": "創建一個新的團隊,與他人合作開展項目。", - "Create Account": "創建賬戶", - "Create API Token": "創建 API Token", - "Create New Team": "創建新的團隊", - "Create Team": "創建團隊", - "Created.": "已創建。", - "Croatia": "克罗地亚", - "Cuba": "古巴", - "Curaçao": "库拉索岛", - "Current Password": "當前密碼", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "自定义", - "Cyprus": "塞浦路斯", - "Czech Republic": "捷克", - "Côte d'Ivoire": "Côte d'Ivoire", - "Dashboard": "控制面板", - "December": "十二月", - "Decrease": "减少", - "Delete": "刪除", - "Delete Account": "刪除賬戶", - "Delete API Token": "刪除 API Token", - "Delete File": "删除文件", - "Delete Resource": "删除资源", - "Delete Selected": "删除选定", - "Delete Team": "刪除團隊", - "Denmark": "丹麦", - "Detach": "分离", - "Detach Resource": "分离资源", - "Detach Selected": "分离选定", - "Details": "详情", - "Disable": "禁用", - "Djibouti": "吉布提", - "Do you really want to leave? You have unsaved changes.": "你真的想离开吗? 您有未保存的更改。", - "Dominica": "星期日", - "Dominican Republic": "多米尼加共和国", - "Done.": "已完成。", - "Download": "下载", - "Download Receipt": "Download Receipt", "E-Mail Address": "E-mail", - "Ecuador": "厄瓜多尔", - "Edit": "编辑", - "Edit :resource": "编辑 :resource", - "Edit Attached": "编辑附", - "Editor": "編輯者", - "Editor users have the ability to read, create, and update.": "編輯者可以閱讀、創建和更新。", - "Egypt": "埃及", - "El Salvador": "萨尔瓦多", - "Email": "Email", - "Email Address": "电子邮件地址", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "電子郵件密碼重置鏈接", - "Enable": "啟用", - "Ensure your account is using a long, random password to stay secure.": "確保你的賬戶使用足夠長且隨機的密碼來保證安全。", - "Equatorial Guinea": "赤道几内亚", - "Eritrea": "厄立特里亚", - "Estonia": "爱沙尼亚", - "Ethiopia": "埃塞俄比亚", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "需要額外的確認以處理您的付款。請通過在下面填寫您的付款詳細信息來確認您的付款。", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "需要額外的確認以處理您的付款。 請點擊下面的按鈕進入付款頁面。", - "Falkland Islands (Malvinas)": "福克兰群岛(马尔维纳斯群岛)", - "Faroe Islands": "法罗群岛", - "February": "二月", - "Fiji": "斐济", - "Finland": "芬兰", - "For your security, please confirm your password to continue.": "為了您的安全,請確認您的密碼以繼續。", "Forbidden": "訪問被拒絕", - "Force Delete": "强制删除", - "Force Delete Resource": "强制删除资源", - "Force Delete Selected": "强制删除所选内容", - "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.": "忘記密碼?沒關係。輸入您的電子郵件地址,我們將通過電子郵件向您發送密碼重置鏈接,讓您重置一個新的密碼。", - "France": "法国", - "French Guiana": "法属圭亚那", - "French Polynesia": "法属波利尼西亚", - "French Southern Territories": "法国南部领土", - "Full name": "全稱", - "Gabon": "加蓬", - "Gambia": "冈比亚", - "Georgia": "格鲁吉亚", - "Germany": "德国", - "Ghana": "加纳", - "Gibraltar": "直布罗陀", - "Go back": "返回", - "Go Home": "回首頁", "Go to page :page": "前往第 :page 頁", - "Great! You have accepted the invitation to join the :team team.": "太好了,您已接受了加入團隊「:team」的邀請。 ", - "Greece": "希腊", - "Greenland": "格陵兰岛", - "Grenada": "格林纳达", - "Guadeloupe": "瓜德罗普岛", - "Guam": "关岛", - "Guatemala": "危地马拉", - "Guernsey": "根西岛", - "Guinea": "几内亚", - "Guinea-Bissau": "几内亚比绍", - "Guyana": "Gu", - "Haiti": "海地", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "赫德岛和麦当劳群岛", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "您好!", - "Hide Content": "隐藏内容", - "Hold Up!": "等等!", - "Holy See (Vatican City State)": "Vatican City", - "Honduras": "洪都拉斯", - "Hong Kong": "香港", - "Hungary": "匈牙利", - "I agree to the :terms_of_service and :privacy_policy": "我同意 :terms_of_service 和 :privacy_policy", - "Iceland": "冰岛", - "ID": "ID", - "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 logout 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 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 receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "如果您點擊「:actionText」按鈕時出現問題,請複制下方鏈接到瀏覽器中訪問:", - "Increase": "增加", - "India": "印度", - "Indonesia": "印度尼西亚", "Invalid signature.": "簽名無效", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "伊朗", - "Iraq": "伊拉克", - "Ireland": "爱尔兰", - "Isle of Man": "Isle of Man", - "Isle Of Man": "马恩岛", - "Israel": "以色列", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "意大利", - "Jamaica": "牙买加", - "January": "一月", - "Japan": "日本", - "Jersey": "泽西岛", - "Jordan": "约旦", - "July": "七月", - "June": "六月", - "Kazakhstan": "哈萨克斯坦", - "Kenya": "肯尼亚", - "Key": "钥匙", - "Kiribati": "基里巴斯", - "Korea": "韩国", - "Korea, Democratic People's Republic of": "朝鲜", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "科索沃", - "Kuwait": "科威特", - "Kyrgyzstan": "吉尔吉斯斯坦", - "Lao People's Democratic Republic": "老挝", - "Last active": "上次活躍", - "Last used": "上次使用", - "Latvia": "拉脱维亚", - "Leave": "離開", - "Leave Team": "離開團隊", - "Lebanon": "黎巴嫩", - "Lens": "镜头", - "Lesotho": "莱索托", - "Liberia": "利比里亚", - "Libyan Arab Jamahiriya": "利比亚", - "Liechtenstein": "列支敦士登", - "Lithuania": "立陶宛", - "Load :perPage More": "加载:perPage更多", - "Log in": "登錄", "Log out": "註銷", - "Log Out": "註銷", - "Log Out Other Browser Sessions": "註銷其他瀏覽器會話", - "Login": "登錄", - "Logout": "註銷", "Logout Other Browser Sessions": "註銷其他瀏覽器會話", - "Luxembourg": "卢森堡", - "Macao": "澳门", - "Macedonia": "北马其顿", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "马达加斯加", - "Malawi": "马拉维", - "Malaysia": "马来西亚", - "Maldives": "马尔代夫", - "Mali": "小", - "Malta": "马耳他", - "Manage Account": "管理賬戶", - "Manage and log out your active sessions on other browsers and devices.": "管理和註銷您在其他瀏覽器和設備上的活動會話。", "Manage and logout your active sessions on other browsers and devices.": "管理和註銷您在其他瀏覽器和設備上的活動會話。", - "Manage API Tokens": "管理 API Token", - "Manage Role": "管理角色", - "Manage Team": "管理團隊", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "三月", - "Marshall Islands": "马绍尔群岛", - "Martinique": "马提尼克岛", - "Mauritania": "毛里塔尼亚", - "Mauritius": "毛里求斯", - "May": "五月", - "Mayotte": "马约特", - "Mexico": "墨西哥", - "Micronesia, Federated States Of": "密克罗尼西亚", - "Moldova": "摩尔多瓦", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "摩纳哥", - "Mongolia": "蒙古", - "Montenegro": "黑山", - "Month To Date": "月至今", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "蒙特塞拉特", - "Morocco": "摩洛哥", - "Mozambique": "莫桑比克", - "Myanmar": "缅甸", - "Name": "姓名", - "Namibia": "纳米比亚", - "Nauru": "瑙鲁", - "Nepal": "尼泊尔", - "Netherlands": "荷兰", - "Netherlands Antilles": "Netherlands Antilles", "Nevermind": "沒關係", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New": "新", - "New :resource": "新:resource", - "New Caledonia": "新喀里多尼亚", - "New Password": "新的密碼", - "New Zealand": "新西兰", - "Next": "下一个", - "Nicaragua": "尼加拉瓜", - "Niger": "尼日尔", - "Nigeria": "尼日利亚", - "Niue": "纽埃", - "No": "非也。", - "No :resource matched the given criteria.": "没有 :resource 符合给定的标准。", - "No additional information...": "没有其他信息。..", - "No Current Data": "没有当前数据", - "No Data": "没有数据", - "no file selected": "没有选择文件", - "No Increase": "不增加", - "No Prior Data": "没有先前的数据", - "No Results Found.": "没有找到结果。", - "Norfolk Island": "诺福克岛", - "Northern Mariana Islands": "北马里亚纳群岛", - "Norway": "挪威", "Not Found": "頁面不存在", - "Nova User": "Nova用户", - "November": "十一月", - "October": "十月", - "of": "於", "Oh no": "不好了", - "Oman": "阿曼", - "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 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 Trashed": "只有垃圾", - "Original": "原创", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "頁面會話已超時", "Pagination Navigation": "分頁導航", - "Pakistan": "巴基斯坦", - "Palau": "帕劳", - "Palestinian Territory, Occupied": "巴勒斯坦领土", - "Panama": "巴拿马", - "Papua New Guinea": "巴布亚新几内亚", - "Paraguay": "巴拉圭", - "Password": "密碼", - "Pay :amount": "支付 :amount", - "Payment Cancelled": "支付已經取消", - "Payment Confirmation": "支付信息確認", - "Payment Information": "Payment Information", - "Payment Successful": "支付成功", - "Pending Team Invitations": "待處理的團隊邀請函", - "Per Page": "每页", - "Permanently delete this team.": "永久刪除此團隊", - "Permanently delete your account.": "永久刪除您的賬戶", - "Permissions": "權限", - "Peru": "秘鲁", - "Philippines": "菲律宾", - "Photo": "照片", - "Pitcairn": "皮特凯恩群岛", "Please click the button below to verify your email address.": "請點擊下面按鈕驗證您的 E-mail:", - "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 your password before continuing.": "如要繼續操作,請先確認密碼。", - "Please copy your new API token. For your security, it won't be shown again.": "請複制你的新 API token。為了您的安全,它不會再被顯示出來。", - "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 logout of your other browser sessions across all of your devices.": "請輸入您的密碼,以確認您要註銷您所有設備上的其他瀏覽器會話。", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", - "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. The email address must be associated with an existing account.": "請提供您想加入這個團隊的人的電子郵件地址。該電子郵件地址必須是已註冊用戶。", - "Please provide your name.": "請提供你的名字。", - "Poland": "波兰", - "Portugal": "葡萄牙", - "Press \/ to search": "按 \/ 搜索", - "Preview": "预览", - "Previous": "上一页", - "Privacy Policy": "隱私政策", - "Profile": "資料", - "Profile Information": "賬戶資料", - "Puerto Rico": "波多黎各", - "Qatar": "卡塔爾", - "Quarter To Date": "季度至今", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "恢復代碼", "Regards": "致敬", - "Regenerate Recovery Codes": "重新生成恢復代碼", - "Register": "註冊", - "Reload": "重装", - "Remember me": "記住我", - "Remember Me": "記住我", - "Remove": "移除", - "Remove Photo": "移除照片", - "Remove Team Member": "移除團隊成員", - "Resend Verification Email": "重新發送驗證郵件", - "Reset Filters": "重置过滤器", - "Reset Password": "重設密碼", - "Reset Password Notification": "重設密碼通知", - "resource": "资源", - "Resources": "资源", - "resources": "资源", - "Restore": "恢复", - "Restore Resource": "恢复资源", - "Restore Selected": "恢复选定", "results": "結果", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "会议", - "Role": "角色", - "Romania": "罗马尼亚", - "Run Action": "运行操作", - "Russian Federation": "俄罗斯联邦", - "Rwanda": "卢旺达", - "Réunion": "Réunion", - "Saint Barthelemy": "圣巴泰勒米", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "圣赫勒拿", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "圣基茨和尼维斯", - "Saint Lucia": "圣卢西亚", - "Saint Martin": "圣马丁", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "圣皮埃尔和密克隆", - "Saint Vincent And Grenadines": "圣文森特和格林纳丁斯", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "萨摩亚", - "San Marino": "圣马力诺", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "圣多美和普林西比", - "Saudi Arabia": "沙特阿拉伯", - "Save": "保存", - "Saved.": "已保存。", - "Search": "搜索", - "Select": "Select", - "Select a different plan": "Select a different plan", - "Select A New Photo": "選擇新的照片", - "Select Action": "选择操作", - "Select All": "全选", - "Select All Matching": "选择所有匹配", - "Send Password Reset Link": "發送重設密碼鏈接", - "Senegal": "塞内加尔", - "September": "九月", - "Serbia": "塞尔维亚", "Server Error": "服務器錯誤", "Service Unavailable": "暫時不提供服務", - "Seychelles": "塞舌尔", - "Show All Fields": "显示所有字段", - "Show Content": "显示内容", - "Show Recovery Codes": "顯示恢復代碼", "Showing": "顯示中", - "Sierra Leone": "塞拉利昂", - "Signed in as": "Signed in as", - "Singapore": "新加坡", - "Sint Maarten (Dutch part)": "圣马丁岛", - "Slovakia": "斯洛伐克", - "Slovenia": "斯洛文尼亚", - "Solomon Islands": "所罗门群岛", - "Somalia": "索马里", - "Something went wrong.": "出了问题", - "Sorry! You are not authorized to perform this action.": "对不起! 您无权执行此操作。", - "Sorry, your session has expired.": "对不起,您的会话已过期。", - "South Africa": "南非", - "South Georgia And Sandwich Isl.": "南乔治亚岛和南桑威奇群岛", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "南苏丹", - "Spain": "西班牙", - "Sri Lanka": "斯里兰卡", - "Start Polling": "开始轮询", - "State \/ County": "State \/ County", - "Stop Polling": "停止轮询", - "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.": "將這些恢復碼存儲在一個安全的密碼管理器中。如果您的雙因素驗證設備丟失,它們可以用來恢復對您賬戶的訪問。", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "苏丹", - "Suriname": "苏里南", - "Svalbard And Jan Mayen": "斯瓦尔巴和扬*马延", - "Swaziland": "Eswatini", - "Sweden": "瑞典", - "Switch Teams": "選擇團隊", - "Switzerland": "瑞士", - "Syrian Arab Republic": "叙利亚", - "Taiwan": "台湾", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "塔吉克斯坦", - "Tanzania": "坦桑尼亚", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "團隊詳情", - "Team Invitation": "團隊邀請", - "Team Members": "團隊成員", - "Team Name": "團隊名稱", - "Team Owner": "團隊擁有者", - "Team Settings": "團隊設置", - "Terms of Service": "服務條款", - "Thailand": "泰国", - "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 your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": ":attribute 不是正確的角色。", - "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 and 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 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 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.": ":attribute 至少為 :length 個字符", "The :attribute must contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": ":resource 创建了!", - "The :resource was deleted!": ":resource 被删除了!", - "The :resource was restored!": ":resource 恢复了!", - "The :resource was updated!": ":resource 更新了!", - "The action ran successfully!": "行动成功了!", - "The file was deleted!": "文件被删除了!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "政府不会让我们向你展示这些门后面的东西", - "The HasOne relationship has already been filled.": "HasOne 的关系已经被填补了。", - "The payment was successful.": "賬單支付成功。", - "The provided coupon code is invalid.": "The provided coupon code is 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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "资源已更新!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "團隊名稱和擁有者信息。", - "There are no available options for this resource.": "此资源没有可用的选项。", - "There was a problem executing the action.": "执行操作时出现问题。", - "There was a problem submitting the form.": "提交表单时出现问题。", - "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.": "這些人已被邀請加入您的團隊,並已收到一封邀請郵件。他們可以通過接受電子郵件邀請加入團隊。", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "權限不足。", - "This device": "當前設備", - "This file field is read-only.": "此文件字段是只读的。", - "This image": "此图像", - "This is a secure area of the application. Please confirm your password before continuing.": "請在繼續之前確認您的密碼。", - "This password does not match our records.": "密碼不正確", "This password reset link will expire in :count minutes.": "這個重設密碼鏈接將會在 :count 分鐘後失效。", - "This payment was already successfully confirmed.": "付款已經成功確認。", - "This payment was cancelled.": "支付已經取消。", - "This resource no longer exists": "此资源不再存在", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "This user already belongs to the team.": "此用戶已經在團隊中", - "This user has already been invited to the team.": "該用戶已經被邀請加入團隊。", - "Timor-Leste": "东帝汶", "to": "至", - "Today": "今天", "Toggle navigation": "切換導航", - "Togo": "多哥", - "Tokelau": "托克劳", - "Token Name": "Token 名稱", - "Tonga": "来吧", "Too Many Attempts.": "嘗試次數過多。", "Too Many Requests": "請求次數過多。", - "total": "总计", - "Total:": "Total:", - "Trashed": "垃圾", - "Trinidad And Tobago": "特立尼达和多巴哥", - "Tunisia": "突尼斯", - "Turkey": "土耳其", - "Turkmenistan": "土库曼斯坦", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "特克斯和凯科斯群岛", - "Tuvalu": "图瓦卢", - "Two Factor Authentication": "雙因素認證", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "現在已啟用雙因素認證。使用您手機的驗證程序掃描以下二維碼。", - "Uganda": "乌干达", - "Ukraine": "乌克兰", "Unauthorized": "未授權", - "United Arab Emirates": "阿拉伯联合酋长国", - "United Kingdom": "联合王国", - "United States": "美国", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "美国离岛", - "Update": "更新", - "Update & Continue Editing": "更新并继续编辑", - "Update :resource": "更新 :resource", - "Update :resource: :title": "更新 :resource::title", - "Update attached :resource: :title": "更新附 :resource: :title", - "Update Password": "更新密碼", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "更新您的賬戶資料和電子郵件地址。", - "Uruguay": "乌拉圭", - "Use a recovery code": "使用恢復代碼", - "Use an authentication code": "使用驗證碼", - "Uzbekistan": "乌兹别克斯坦", - "Value": "价值", - "Vanuatu": "瓦努阿图", - "VAT Number": "VAT Number", - "Venezuela": "委内瑞拉", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "驗證 E-mail", "Verify Your Email Address": "驗證 E-mail", - "Viet Nam": "Vietnam", - "View": "查看", - "Virgin Islands, British": "英属维尔京群岛", - "Virgin Islands, U.S.": "美属维尔京群岛", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "瓦利斯和富图纳群岛", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "We were unable to find a registered user with this email address.": "我們無法找到這個電子郵件地址的註冊用戶。", - "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "確認完成後,接下來幾個小時內您不需再輸入密碼。", - "We're lost in space. The page you were trying to view does not exist.": "我们迷失在太空中 您尝试查看的页面不存在。", - "Welcome Back!": "欢迎回来!", - "Western Sahara": "西撒哈拉", - "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 應用程序中獲取此令牌。", - "Whoops": "哎呦", - "Whoops!": "哎呀!", - "Whoops! Something went wrong.": "哎呀!出了點問題", - "With Trashed": "与垃圾", - "Write": "写", - "Year To Date": "年至今", - "Yearly": "Yearly", - "Yemen": "也门", - "Yes": "是的", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "您已登錄!", - "You are receiving this email because we received a password reset request for your account.": "您收到此電子郵件是因為我們收到了您帳戶的密碼重設請求。", - "You have been invited to join the :team team!": "您已被邀請加入「:team」團隊!", - "You have enabled two factor authentication.": "你已經啟用了雙因素認證。", - "You have not enabled two factor authentication.": "你還沒有啟用雙因素認證。", - "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "You may delete any of your existing tokens if they are no longer needed.": "如果不再需要,您可以刪除任何現有的 token。", - "You may not delete your personal team.": "您不能刪除您的個人團隊。", - "You may not leave a team that you created.": "你不能離開你創建的團隊。", - "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "您的電子郵件尚未驗證通過。", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "赞比亚", - "Zimbabwe": "津巴布韦", - "Zip \/ Postal Code": "Zip \/ Postal Code" + "Your email address is not verified.": "您的電子郵件尚未驗證通過。" } diff --git a/source/en.json b/source/en.json index 70b6421f3a8..62151bbcded 100644 --- a/source/en.json +++ b/source/en.json @@ -1,710 +1,48 @@ { - ":days day trial": ":days day trial", - "30 Days": "30 Days", - "60 Days": "60 Days", - "90 Days": "90 Days", - ":amount Total": ":amount Total", - ":resource Details": ":resource Details", - ":resource Details: :title": ":resource Details: :title", "A fresh verification link has been sent to your email address.": "A fresh verification link has been sent to your email address.", - "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.", - "Accept Invitation": "Accept Invitation", - "Action Happened At": "Happened At", - "Action Initiated By": "Initiated By", - "Action Name": "Name", - "Action Status": "Status", - "Action Target": "Target", - "Action": "Action", - "Actions": "Actions", - "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 additional security to your account using two factor authentication.": "Add additional security to your account using two factor authentication.", - "Add row": "Add row", - "Add Team Member": "Add Team Member", - "Add VAT Number": "Add VAT Number", - "Add": "Add", - "Added.": "Added.", - "Address Line 2": "Address Line 2", - "Address": "Address", - "Administrator users can perform any action.": "Administrator users can perform any action.", - "Administrator": "Administrator", - "Afghanistan": "Afghanistan", - "Aland Islands": "Åland Islands", - "Albania": "Albania", - "Algeria": "Algeria", - "All of the people that are part of this team.": "All of the people that are part of this team.", - "All resources loaded.": "All resources loaded.", - "All rights reserved.": "All rights reserved.", - "Already registered?": "Already registered?", - "American Samoa": "American Samoa", - "An error occured while uploading the file.": "An error occured while uploading the file.", - "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", - "Andorra": "Andorra", - "Angola": "Angola", - "Anguilla": "Anguilla", - "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Another user has updated this resource since this page was loaded. Please refresh the page and try again.", - "Antarctica": "Antarctica", - "Antigua and Barbuda": "Antigua and Barbuda", - "Antigua And Barbuda": "Antigua and Barbuda", - "API Token Permissions": "API Token Permissions", - "API Token": "API Token", - "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.", - "API Tokens": "API Tokens", - "April": "April", - "Are you sure you want to delete the selected resources?": "Are you sure you want to delete the selected resources?", - "Are you sure you want to delete this file?": "Are you sure you want to delete this file?", - "Are you sure you want to delete this resource?": "Are you sure you want to delete this resource?", - "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 want to detach the selected resources?": "Are you sure you want to detach the selected resources?", - "Are you sure you want to detach this resource?": "Are you sure you want to detach this resource?", - "Are you sure you want to force delete the selected resources?": "Are you sure you want to force delete the selected resources?", - "Are you sure you want to force delete this resource?": "Are you sure you want to force delete this resource?", - "Are you sure you want to restore the selected resources?": "Are you sure you want to restore the selected resources?", - "Are you sure you want to restore this resource?": "Are you sure you want to restore this resource?", - "Are you sure you want to run this action?": "Are you sure you want to run this action?", - "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 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?", - "Argentina": "Argentina", - "Armenia": "Armenia", - "Aruba": "Aruba", - "Attach & Attach Another": "Attach & Attach Another", - "Attach :resource": "Attach :resource", - "Attach": "Attach", - "August": "August", - "Australia": "Australia", - "Austria": "Austria", - "Azerbaijan": "Azerbaijan", - "Bahamas": "Bahamas", - "Bahrain": "Bahrain", - "Bangladesh": "Bangladesh", - "Barbados": "Barbados", "Before proceeding, please check your email for a verification link.": "Before proceeding, please check your email for a verification link.", - "Belarus": "Belarus", - "Belgium": "Belgium", - "Belize": "Belize", - "Benin": "Benin", - "Bermuda": "Bermuda", - "Bhutan": "Bhutan", - "Billing Information": "Billing Information", - "Billing Management": "Billing Management", - "Bolivia": "Bolivia", - "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", - "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Saba", - "Bosnia And Herzegovina": "Bosnia and Herzegovina", - "Bosnia and Herzegovina": "Bosnia and Herzegovina", - "Botswana": "Botswana", - "Bouvet Island": "Bouvet Island", - "Brazil": "Brazil", - "British Indian Ocean Territory": "British Indian Ocean Territory", - "Browser Sessions": "Browser Sessions", - "Brunei Darussalam": "Brunei Darussalam", - "Bulgaria": "Bulgaria", - "Burkina Faso": "Burkina Faso", - "Burundi": "Burundi", - "Cambodia": "Cambodia", - "Cameroon": "Cameroon", - "Canada": "Canada", - "Cancel Subscription": "Cancel Subscription", - "Cancel": "Cancel", - "Cape Verde": "Cape Verde", - "Card": "Card", - "Cayman Islands": "Cayman Islands", - "Central African Republic": "Central African Republic", - "Chad": "Chad", - "Change Subscription Plan": "Change Subscription Plan", - "Changes": "Changes", - "Chile": "Chile", - "China": "China", - "Choose :field": "Choose :field", - "Choose :resource": "Choose :resource", - "Choose an option": "Choose an option", - "Choose date": "Choose date", - "Choose File": "Choose File", - "Choose Type": "Choose Type", - "Choose": "Choose", - "Christmas Island": "Christmas Island", - "City": "City", "click here to request another": "click here to request another", - "Click to choose": "Click to choose", - "Close": "Close", - "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", - "Code": "Code", - "Colombia": "Colombia", - "Comoros": "Comoros", - "Confirm Password": "Confirm Password", - "Confirm Payment": "Confirm Payment", - "Confirm your :amount payment": "Confirm your :amount payment", - "Confirm": "Confirm", - "Congo": "Congo", - "Congo, Democratic Republic": "Congo, Democratic Republic", - "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", - "Constant": "Constant", - "Cook Islands": "Cook Islands", - "Costa Rica": "Costa Rica", - "Cote D'Ivoire": "Cote D'Ivoire", - "Côte d'Ivoire": "Côte d'Ivoire", - "could not be found.": "could not be found.", - "Country": "Country", - "Coupon": "Coupon", - "Create & Add Another": "Create & Add Another", - "Create :resource": "Create :resource", - "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 API Token": "Create API Token", - "Create New Team": "Create New Team", - "Create Team": "Create Team", - "Create": "Create", - "Created.": "Created.", - "Croatia": "Croatia", - "Cuba": "Cuba", - "Curaçao": "Curaçao", - "Current Password": "Current Password", - "Current Subscription Plan": "Current Subscription Plan", - "Currently Subscribed": "Currently Subscribed", - "Customize": "Customize", - "Cyprus": "Cyprus", - "Czech Republic": "Czech Republic", - "Dashboard": "Dashboard", - "December": "December", - "Decrease": "Decrease", - "Delete Account": "Delete Account", - "Delete API Token": "Delete API Token", - "Delete File": "Delete File", - "Delete Resource": "Delete Resource", - "Delete Selected": "Delete Selected", - "Delete Team": "Delete Team", - "Delete": "Delete", - "Denmark": "Denmark", - "Detach Resource": "Detach Resource", - "Detach Selected": "Detach Selected", - "Detach": "Detach", - "Details": "Details", - "Disable": "Disable", - "Djibouti": "Djibouti", - "Do you really want to leave? You have unsaved changes.": "Do you really want to leave? You have unsaved changes.", - "Dominica": "Dominica", - "Dominican Republic": "Dominican Republic", - "Done.": "Done.", - "Download Receipt": "Download Receipt", - "Download": "Download", "E-Mail Address": "E-Mail Address", - "Ecuador": "Ecuador", - "Edit :resource": "Edit :resource", - "Edit Attached": "Edit Attached", - "Edit": "Edit", - "Editor users have the ability to read, create, and update.": "Editor users have the ability to read, create, and update.", - "Editor": "Editor", - "Egypt": "Egypt", - "El Salvador": "El Salvador", - "Email Address": "Email Address", - "Email Addresses": "Email Addresses", - "Email Password Reset Link": "Email Password Reset Link", - "Email": "Email", - "Enable": "Enable", - "Ensure your account is using a long, random password to stay secure.": "Ensure your account is using a long, random password to stay secure.", - "Equatorial Guinea": "Equatorial Guinea", - "Eritrea": "Eritrea", - "Estonia": "Estonia", - "Ethiopia": "Ethiopia", - "ex VAT": "ex VAT", - "Extra Billing Information": "Extra Billing Information", - "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.", - "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", - "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", - "Faroe Islands": "Faroe Islands", - "February": "February", - "Fiji": "Fiji", - "Finland": "Finland", - "For your security, please confirm your password to continue.": "For your security, please confirm your password to continue.", "Forbidden": "Forbidden", - "Force Delete Resource": "Force Delete Resource", - "Force Delete Selected": "Force Delete Selected", - "Force Delete": "Force Delete", - "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.", - "Forgot Your Password?": "Forgot Your Password?", - "Forgot your password?": "Forgot your password?", - "France": "France", - "French Guiana": "French Guiana", - "French Polynesia": "French Polynesia", - "French Southern Territories": "French Southern Territories", - "Full name": "Full name", - "Gabon": "Gabon", - "Gambia": "Gambia", - "Georgia": "Georgia", - "Germany": "Germany", - "Ghana": "Ghana", - "Gibraltar": "Gibraltar", - "Go back": "Go back", - "Go Home": "Go Home", "Go to page :page": "Go to page :page", - "Great! You have accepted the invitation to join the :team team.": "Great! You have accepted the invitation to join the :team team.", - "Greece": "Greece", - "Greenland": "Greenland", - "Grenada": "Grenada", - "Guadeloupe": "Guadeloupe", - "Guam": "Guam", - "Guatemala": "Guatemala", - "Guernsey": "Guernsey", - "Guinea": "Guinea", - "Guinea-Bissau": "Guinea-Bissau", - "Guyana": "Guyana", - "Haiti": "Haiti", - "Have a coupon code?": "Have a coupon code?", - "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", - "Heard Island & Mcdonald Islands": "Heard Island and McDonald Islands", - "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", "Hello!": "Hello!", - "Hide Content": "Hide Content", - "Hold Up!": "Hold Up!", - "Holy See (Vatican City State)": "Holy See (Vatican City State)", - "Honduras": "Honduras", - "Hong Kong": "Hong Kong", - "Hungary": "Hungary", - "I agree to the :terms_of_service and :privacy_policy": "I agree to the :terms_of_service and :privacy_policy", - "Iceland": "Iceland", - "ID": "ID", - "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 necessary, you may logout 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 logout 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 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 receive the email": "If you did not receive the 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 need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", "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:", - "Increase": "Increase", - "India": "India", - "Indonesia": "Indonesia", "Invalid signature.": "Invalid signature.", - "Iran, Islamic Republic of": "Iran, Islamic Republic of", - "Iran, Islamic Republic Of": "Iran", - "Iraq": "Iraq", - "Ireland": "Ireland", - "Isle of Man": "Isle of Man", - "Isle Of Man": "Isle of Man", - "Israel": "Israel", - "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", - "Italy": "Italy", - "Jamaica": "Jamaica", - "January": "January", - "Japan": "Japan", - "Jersey": "Jersey", - "Jordan": "Jordan", - "July": "July", - "June": "June", - "Kazakhstan": "Kazakhstan", - "Kenya": "Kenya", - "Key": "Key", - "Kiribati": "Kiribati", - "Korea": "South Korea", - "Korea, Democratic People's Republic of": "North Korea", - "Korea, Republic of": "Korea, Republic of", - "Kosovo": "Kosovo", - "Kuwait": "Kuwait", - "Kyrgyzstan": "Kyrgyzstan", - "Lao People's Democratic Republic": "Lao People's Democratic Republic", - "Last active": "Last active", - "Last used": "Last used", - "Latvia": "Latvia", - "Leave Team": "Leave Team", - "Leave": "Leave", - "Lebanon": "Lebanon", - "Lens": "Lens", - "Lesotho": "Lesotho", - "Liberia": "Liberia", - "Libyan Arab Jamahiriya": "Libya", - "Liechtenstein": "Liechtenstein", - "Lithuania": "Lithuania", - "Load :perPage More": "Load :perPage More", - "Log in": "Log in", - "Log Out Other Browser Sessions": "Log Out Other Browser Sessions", "Log out": "Log out", - "Log Out": "Log Out", - "Login": "Login", "Logout Other Browser Sessions": "Logout Other Browser Sessions", - "Logout": "Logout", - "Luxembourg": "Luxembourg", - "Macao": "Macao", - "Macedonia": "North Macedonia", - "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", - "Madagascar": "Madagascar", - "Malawi": "Malawi", - "Malaysia": "Malaysia", - "Maldives": "Maldives", - "Mali": "Mali", - "Malta": "Malta", - "Manage Account": "Manage Account", - "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 and logout your active sessions on other browsers and devices.": "Manage and logout your active sessions on other browsers and devices.", - "Manage API Tokens": "Manage API Tokens", - "Manage Role": "Manage Role", - "Manage Team": "Manage Team", - "Managing billing for :billableName": "Managing billing for :billableName", - "March": "March", - "Marshall Islands": "Marshall Islands", - "Martinique": "Martinique", - "Mauritania": "Mauritania", - "Mauritius": "Mauritius", - "May": "May", - "Mayotte": "Mayotte", - "Mexico": "Mexico", - "Micronesia, Federated States Of": "Micronesia", - "Moldova": "Moldova", - "Moldova, Republic of": "Moldova, Republic of", - "Monaco": "Monaco", - "Mongolia": "Mongolia", - "Montenegro": "Montenegro", - "Month To Date": "Month To Date", - "Monthly": "Monthly", - "monthly": "monthly", - "Montserrat": "Montserrat", - "Morocco": "Morocco", - "Mozambique": "Mozambique", - "Myanmar": "Myanmar", - "Name": "Name", - "Namibia": "Namibia", - "Nauru": "Nauru", - "Nepal": "Nepal", - "Netherlands Antilles": "Netherlands Antilles", - "Netherlands": "Netherlands", "Nevermind": "Nevermind", - "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", - "New :resource": "New :resource", - "New Caledonia": "New Caledonia", - "New Password": "New Password", - "New Zealand": "New Zealand", - "New": "New", - "Next": "Next", - "Nicaragua": "Nicaragua", - "Niger": "Niger", - "Nigeria": "Nigeria", - "Niue": "Niue", - "No :resource matched the given criteria.": "No :resource matched the given criteria.", - "No additional information...": "No additional information...", - "No Current Data": "No Current Data", - "No Data": "No Data", - "no file selected": "no file selected", - "No Increase": "No Increase", - "No Prior Data": "No Prior Data", - "No Results Found.": "No Results Found.", - "No": "No", - "Norfolk Island": "Norfolk Island", - "Northern Mariana Islands": "Northern Mariana Islands", - "Norway": "Norway", "Not Found": "Not Found", - "Nova User": "Nova User", - "November": "November", - "October": "October", - "of": "of", "Oh no": "Oh no", - "Oman": "Oman", - "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 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 Trashed": "Only Trashed", - "Original": "Original", - "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", "Page Expired": "Page Expired", "Pagination Navigation": "Pagination Navigation", - "Pakistan": "Pakistan", - "Palau": "Palau", - "Palestinian Territory, Occupied": "Palestinian Territories", - "Panama": "Panama", - "Papua New Guinea": "Papua New Guinea", - "Paraguay": "Paraguay", - "Password": "Password", - "Pay :amount": "Pay :amount", - "Payment Cancelled": "Payment Cancelled", - "Payment Confirmation": "Payment Confirmation", - "Payment Information": "Payment Information", - "Payment Successful": "Payment Successful", - "Pending Team Invitations": "Pending Team Invitations", - "Per Page": "Per Page", - "Permanently delete this team.": "Permanently delete this team.", - "Permanently delete your account.": "Permanently delete your account.", - "Permissions": "Permissions", - "Peru": "Peru", - "Philippines": "Philippines", - "Photo": "Photo", - "Pitcairn": "Pitcairn Islands", "Please click the button below to verify your email address.": "Please click the button below to verify your email address.", - "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 confirm your password before continuing.": "Please confirm your password before continuing.", - "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 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 enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.", - "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.", - "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 provide your name.": "Please provide your name.", - "Poland": "Poland", - "Portugal": "Portugal", - "Press / to search": "Press / to search", - "Preview": "Preview", - "Previous": "Previous", - "Privacy Policy": "Privacy Policy", - "Profile Information": "Profile Information", - "Profile": "Profile", - "Puerto Rico": "Puerto Rico", - "Qatar": "Qatar", - "Quarter To Date": "Quarter To Date", - "Receipt Email Addresses": "Receipt Email Addresses", - "Receipts": "Receipts", - "Recovery Code": "Recovery Code", "Regards": "Regards", - "Regenerate Recovery Codes": "Regenerate Recovery Codes", - "Register": "Register", - "Reload": "Reload", - "Remember me": "Remember me", - "Remember Me": "Remember Me", - "Remove Photo": "Remove Photo", - "Remove Team Member": "Remove Team Member", - "Remove": "Remove", - "Resend Verification Email": "Resend Verification Email", - "Reset Filters": "Reset Filters", - "Reset Password Notification": "Reset Password Notification", - "Reset Password": "Reset Password", - "resource": "resource", - "Resources": "Resources", - "resources": "resources", - "Restore Resource": "Restore Resource", - "Restore Selected": "Restore Selected", - "Restore": "Restore", "results": "results", - "Resume Subscription": "Resume Subscription", - "Return to :appName": "Return to :appName", - "Reunion": "Réunion", - "Role": "Role", - "Romania": "Romania", - "Run Action": "Run Action", - "Russian Federation": "Russian Federation", - "Rwanda": "Rwanda", - "Réunion": "Réunion", - "Saint Barthelemy": "St. Barthélemy", - "Saint Barthélemy": "Saint Barthélemy", - "Saint Helena": "St. Helena", - "Saint Kitts and Nevis": "Saint Kitts and Nevis", - "Saint Kitts And Nevis": "St. Kitts and Nevis", - "Saint Lucia": "St. Lucia", - "Saint Martin (French part)": "Saint Martin (French part)", - "Saint Martin": "St. Martin", - "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", - "Saint Pierre And Miquelon": "St. Pierre and Miquelon", - "Saint Vincent And Grenadines": "St. Vincent and Grenadines", - "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", - "Samoa": "Samoa", - "San Marino": "San Marino", - "Sao Tome and Principe": "Sao Tome and Principe", - "Sao Tome And Principe": "São Tomé and Príncipe", - "Saudi Arabia": "Saudi Arabia", - "Save": "Save", - "Saved.": "Saved.", - "Search": "Search", - "Select a different plan": "Select a different plan", - "Select A New Photo": "Select A New Photo", - "Select Action": "Select Action", - "Select All Matching": "Select All Matching", - "Select All": "Select All", - "Select": "Select", - "Send Password Reset Link": "Send Password Reset Link", - "Senegal": "Senegal", - "September": "September", - "Serbia": "Serbia", "Server Error": "Server Error", "Service Unavailable": "Service Unavailable", - "Seychelles": "Seychelles", - "Show All Fields": "Show All Fields", - "Show Content": "Show Content", - "Show Recovery Codes": "Show Recovery Codes", "Showing": "Showing", - "Sierra Leone": "Sierra Leone", - "Signed in as": "Signed in as", - "Singapore": "Singapore", - "Sint Maarten (Dutch part)": "Sint Maarten", - "Slovakia": "Slovakia", - "Slovenia": "Slovenia", - "Solomon Islands": "Solomon Islands", - "Somalia": "Somalia", - "Something went wrong.": "Something went wrong.", - "Sorry! You are not authorized to perform this action.": "Sorry! You are not authorized to perform this action.", - "Sorry, your session has expired.": "Sorry, your session has expired.", - "South Africa": "South Africa", - "South Georgia And Sandwich Isl.": "South Georgia and South Sandwich Islands", - "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", - "South Sudan": "South Sudan", - "Spain": "Spain", - "Sri Lanka": "Sri Lanka", - "Start Polling": "Start Polling", - "State / County": "State / County", - "Stop Polling": "Stop Polling", - "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.", - "Subscribe": "Subscribe", - "Subscription Information": "Subscription Information", - "Sudan": "Sudan", - "Suriname": "Suriname", - "Svalbard And Jan Mayen": "Svalbard and Jan Mayen", - "Swaziland": "Swaziland", - "Sweden": "Sweden", - "Switch Teams": "Switch Teams", - "Switzerland": "Switzerland", - "Syrian Arab Republic": "Syria", - "Taiwan": "Taiwan", - "Taiwan, Province of China": "Taiwan, Province of China", - "Tajikistan": "Tajikistan", - "Tanzania": "Tanzania", - "Tanzania, United Republic of": "Tanzania, United Republic of", - "Team Details": "Team Details", - "Team Invitation": "Team Invitation", - "Team Members": "Team Members", - "Team Name": "Team Name", - "Team Owner": "Team Owner", - "Team Settings": "Team Settings", - "Terms of Service": "Terms of Service", - "Thailand": "Thailand", - "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.", - "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", - "Thanks,": "Thanks,", - "The :attribute must be a valid role.": "The :attribute must be a valid role.", - "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 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 contain at least one letter.": "The :attribute must contain at least one letter.", "The :attribute must contain at least one number.": "The :attribute must contain at least one number.", "The :attribute must contain at least one symbol.": "The :attribute must contain at least one symbol.", "The :attribute must contain at least one uppercase and one lowercase letter.": "The :attribute must contain at least one uppercase and one lowercase letter.", - "The :resource was created!": "The :resource was created!", - "The :resource was deleted!": "The :resource was deleted!", - "The :resource was restored!": "The :resource was restored!", - "The :resource was updated!": "The :resource was updated!", - "The action ran successfully!": "The action ran successfully!", - "The file was deleted!": "The file was deleted!", "The given :attribute has appeared in a data leak. Please choose a different :attribute.": "The given :attribute has appeared in a data leak. Please choose a different :attribute.", - "The government won't let us show you what's behind these doors": "The government won't let us show you what's behind these doors", - "The HasOne relationship has already been filled.": "The HasOne relationship has already been filled.", - "The payment was successful.": "The payment was successful.", - "The provided coupon code is invalid.": "The provided coupon code is invalid.", - "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 VAT number is invalid.": "The provided VAT number is invalid.", - "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", - "The resource was updated!": "The resource was updated!", - "The selected country is invalid.": "The selected country is invalid.", - "The selected plan is invalid.": "The selected plan is invalid.", - "The team's name and owner information.": "The team's name and owner information.", - "There are no available options for this resource.": "There are no available options for this resource.", - "There was a problem executing the action.": "There was a problem executing the action.", - "There was a problem submitting the form.": "There was a problem submitting the form.", - "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.", - "This account does not have an active subscription.": "This account does not have an active subscription.", "This action is unauthorized.": "This action is unauthorized.", - "This device": "This device", - "This file field is read-only.": "This file field is read-only.", - "This image": "This image", - "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 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 payment was already successfully confirmed.": "This payment was already successfully confirmed.", - "This payment was cancelled.": "This payment was cancelled.", - "This resource no longer exists": "This resource no longer exists", - "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", - "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.", - "Timor-Leste": "Timor-Leste", "to": "to", - "Today": "Today", "Toggle navigation": "Toggle navigation", - "Togo": "Togo", - "Tokelau": "Tokelau", - "Token Name": "Token Name", - "Tonga": "Tonga", "Too Many Attempts.": "Too Many Attempts.", "Too Many Requests": "Too Many Requests", - "total": "total", - "Total:": "Total:", - "Trashed": "Trashed", - "Trinidad And Tobago": "Trinidad and Tobago", - "Tunisia": "Tunisia", - "Turkey": "Turkey", - "Turkmenistan": "Turkmenistan", - "Turks and Caicos Islands": "Turks and Caicos Islands", - "Turks And Caicos Islands": "Turks and Caicos Islands", - "Tuvalu": "Tuvalu", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.", - "Two Factor Authentication": "Two Factor Authentication", - "Uganda": "Uganda", - "Ukraine": "Ukraine", "Unauthorized": "Unauthorized", - "United Arab Emirates": "United Arab Emirates", - "United Kingdom": "United Kingdom", - "United States Minor Outlying Islands": "United States Minor Outlying Islands", - "United States Outlying Islands": "U.S. Outlying Islands", - "United States": "United States", - "Update & Continue Editing": "Update & Continue Editing", - "Update :resource": "Update :resource", - "Update :resource: :title": "Update :resource: :title", - "Update attached :resource: :title": "Update attached :resource: :title", - "Update Password": "Update Password", - "Update Payment Information": "Update Payment Information", - "Update your account's profile information and email address.": "Update your account's profile information and email address.", - "Update": "Update", - "Uruguay": "Uruguay", - "Use a recovery code": "Use a recovery code", - "Use an authentication code": "Use an authentication code", - "Uzbekistan": "Uzbekistan", - "Value": "Value", - "Vanuatu": "Vanuatu", - "VAT Number": "VAT Number", - "Venezuela": "Venezuela", - "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", "Verify Email Address": "Verify Email Address", "Verify Your Email Address": "Verify Your Email Address", - "Viet Nam": "Viet Nam", - "View": "View", - "Virgin Islands, British": "British Virgin Islands", - "Virgin Islands, U.S.": "U.S. Virgin Islands", - "Wallis and Futuna": "Wallis and Futuna", - "Wallis And Futuna": "Wallis and Futuna", - "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", - "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 will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", "We won't ask for your password again for a few hours.": "We won't ask for your password again for a few hours.", - "We're lost in space. The page you were trying to view does not exist.": "We're lost in space. The page you were trying to view does not exist.", - "Welcome Back!": "Welcome Back!", - "Western Sahara": "Western Sahara", - "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.", - "Whoops! Something went wrong.": "Whoops! Something went wrong.", - "Whoops!": "Whoops!", - "Whoops": "Whoops", - "With Trashed": "With Trashed", - "Write": "Write", - "Year To Date": "Year To Date", - "Yearly": "Yearly", - "Yemen": "Yemen", - "Yes": "Yes", - "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", "You are logged in!": "You are logged in!", - "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 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 may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", - "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 :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", - "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", - "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", - "Your email address is not verified.": "Your email address is not verified.", - "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", - "Zambia": "Zambia", - "Zimbabwe": "Zimbabwe", - "Zip / Postal Code": "Zip / Postal Code" + "Your email address is not verified.": "Your email address is not verified." } diff --git a/source/packages/cashier.json b/source/packages/cashier.json new file mode 100644 index 00000000000..d815141a0b5 --- /dev/null +++ b/source/packages/cashier.json @@ -0,0 +1,19 @@ +{ + "All rights reserved.": "All rights reserved.", + "Card": "Card", + "Confirm Payment": "Confirm Payment", + "Confirm your :amount payment": "Confirm your :amount payment", + "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", + "Full name": "Full name", + "Go back": "Go back", + "Jane Doe": "Jane Doe", + "Pay :amount": "Pay :amount", + "Payment Cancelled": "Payment Cancelled", + "Payment Confirmation": "Payment Confirmation", + "Payment Successful": "Payment Successful", + "Please provide your name.": "Please provide your name.", + "The payment was successful.": "The payment was successful.", + "This payment was already successfully confirmed.": "This payment was already successfully confirmed.", + "This payment was cancelled.": "This payment was cancelled." +} diff --git a/source/packages/fortify.json b/source/packages/fortify.json new file mode 100644 index 00000000000..fa4b05c7684 --- /dev/null +++ b/source/packages/fortify.json @@ -0,0 +1,13 @@ +{ + "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 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 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." +} diff --git a/source/packages/jetstream.json b/source/packages/jetstream.json new file mode 100644 index 00000000000..2c7bf3b521e --- /dev/null +++ b/source/packages/jetstream.json @@ -0,0 +1,148 @@ +{ + "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.", + "Accept Invitation": "Accept Invitation", + "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 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", + "Added.": "Added.", + "Administrator": "Administrator", + "Administrator users can perform any action.": "Administrator users can perform any action.", + "All of the people that are part of this team.": "All of the people that are part of this team.", + "Already registered?": "Already registered?", + "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.", + "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 delete this API token?": "Are you sure you would like to delete this API token?", + "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?", + "Browser Sessions": "Browser Sessions", + "Cancel": "Cancel", + "Close": "Close", + "Code": "Code", + "Confirm": "Confirm", + "Confirm Password": "Confirm Password", + "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 API Token": "Create API Token", + "Create New Team": "Create New Team", + "Create Team": "Create Team", + "Created.": "Created.", + "Current Password": "Current Password", + "Dashboard": "Dashboard", + "Delete": "Delete", + "Delete Account": "Delete Account", + "Delete API Token": "Delete API Token", + "Delete Team": "Delete Team", + "Disable": "Disable", + "Done.": "Done.", + "Editor": "Editor", + "Editor users have the ability to read, create, and update.": "Editor users have the ability to read, create, and update.", + "Email": "Email", + "Email Password Reset Link": "Email Password Reset Link", + "Enable": "Enable", + "Ensure your account is using a long, random password to stay secure.": "Ensure your account is using a long, random password to stay secure.", + "For your security, please confirm your password to continue.": "For your security, please confirm your password to continue.", + "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.", + "Great! You have accepted the invitation to join the :team team.": "Great! You have accepted the invitation to join the :team team.", + "I agree to the :terms_of_service and :privacy_policy": "I agree to the :terms_of_service and :privacy_policy", + "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 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 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 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:", + "Last active": "Last active", + "Last used": "Last used", + "Leave": "Leave", + "Leave Team": "Leave Team", + "Log in": "Log in", + "Log Out": "Log Out", + "Log Out Other Browser Sessions": "Log Out Other Browser Sessions", + "Manage Account": "Manage Account", + "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 Role": "Manage Role", + "Manage Team": "Manage Team", + "Name": "Name", + "New Password": "New Password", + "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 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.", + "Password": "Password", + "Pending Team Invitations": "Pending Team Invitations", + "Permanently delete this team.": "Permanently delete this team.", + "Permanently delete your account.": "Permanently delete your account.", + "Permissions": "Permissions", + "Photo": "Photo", + "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 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 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.", + "Privacy Policy": "Privacy Policy", + "Profile": "Profile", + "Profile Information": "Profile Information", + "Recovery Code": "Recovery Code", + "Regenerate Recovery Codes": "Regenerate Recovery Codes", + "Register": "Register", + "Remember me": "Remember me", + "Remove": "Remove", + "Remove Photo": "Remove Photo", + "Remove Team Member": "Remove Team Member", + "Resend Verification Email": "Resend Verification Email", + "Reset Password": "Reset Password", + "Role": "Role", + "Save": "Save", + "Saved.": "Saved.", + "Select A New Photo": "Select A New Photo", + "Show Recovery Codes": "Show Recovery Codes", + "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.", + "Switch Teams": "Switch Teams", + "Team Details": "Team Details", + "Team Invitation": "Team Invitation", + "Team Members": "Team Members", + "Team Name": "Team Name", + "Team Owner": "Team Owner", + "Team Settings": "Team Settings", + "Terms of Service": "Terms of Service", + "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 a valid role.": "The :attribute must be a valid role.", + "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 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 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 team\\'s name and owner information.": "The team\\'s name and owner information.", + "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.", + "This device": "This device", + "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 password does not match our records.": "This password does not match our records.", + "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.", + "Token Name": "Token Name", + "Two Factor Authentication": "Two Factor Authentication", + "Two factor authentication is now enabled. Scan the following QR code using your phone\\'s authenticator application.": "Two factor authentication is now enabled. Scan the following QR code using your phone\\'s authenticator application.", + "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", + "Use an authentication code": "Use an authentication code", + "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.", + "Whoops! Something went wrong.": "Whoops! Something went wrong.", + "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 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." +} diff --git a/source/packages/nova.json b/source/packages/nova.json new file mode 100644 index 00000000000..ea09918157c --- /dev/null +++ b/source/packages/nova.json @@ -0,0 +1,424 @@ +{ + "30 Days": "30 Days", + "60 Days": "60 Days", + "90 Days": "90 Days", + ":amount Total": ":amount Total", + ":resource Details": ":resource Details", + ":resource Details: :title": ":resource Details: :title", + "Action": "Action", + "Action Happened At": "Happened At", + "Action Initiated By": "Initiated By", + "Action Name": "Name", + "Action Status": "Status", + "Action Target": "Target", + "Actions": "Actions", + "Add row": "Add row", + "Afghanistan": "Afghanistan", + "Aland Islands": "Åland Islands", + "Albania": "Albania", + "Algeria": "Algeria", + "All resources loaded.": "All resources loaded.", + "American Samoa": "American Samoa", + "An error occured while uploading the file.": "An error occured while uploading the file.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "Another user has updated this resource since this page was loaded. Please refresh the page and try again.", + "Antarctica": "Antarctica", + "Antigua And Barbuda": "Antigua and Barbuda", + "April": "April", + "Are you sure you want to delete the selected resources?": "Are you sure you want to delete the selected resources?", + "Are you sure you want to delete this file?": "Are you sure you want to delete this file?", + "Are you sure you want to delete this resource?": "Are you sure you want to delete this resource?", + "Are you sure you want to detach the selected resources?": "Are you sure you want to detach the selected resources?", + "Are you sure you want to detach this resource?": "Are you sure you want to detach this resource?", + "Are you sure you want to force delete the selected resources?": "Are you sure you want to force delete the selected resources?", + "Are you sure you want to force delete this resource?": "Are you sure you want to force delete this resource?", + "Are you sure you want to restore the selected resources?": "Are you sure you want to restore the selected resources?", + "Are you sure you want to restore this resource?": "Are you sure you want to restore this resource?", + "Are you sure you want to run this action?": "Are you sure you want to run this action?", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Attach": "Attach", + "Attach & Attach Another": "Attach & Attach Another", + "Attach :resource": "Attach :resource", + "August": "August", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgium", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Bolivia": "Bolivia", + "Bonaire, Sint Eustatius and Saba": "Bonaire, Sint Eustatius and Saba", + "Bosnia And Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brazil", + "British Indian Ocean Territory": "British Indian Ocean Territory", + "Brunei Darussalam": "Brunei Darussalam", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Cameroon", + "Canada": "Canada", + "Cancel": "Cancel", + "Cape Verde": "Cape Verde", + "Cayman Islands": "Cayman Islands", + "Central African Republic": "Central African Republic", + "Chad": "Chad", + "Changes": "Changes", + "Chile": "Chile", + "China": "China", + "Choose": "Choose", + "Choose :field": "Choose :field", + "Choose :resource": "Choose :resource", + "Choose an option": "Choose an option", + "Choose date": "Choose date", + "Choose File": "Choose File", + "Choose Type": "Choose Type", + "Christmas Island": "Christmas Island", + "Click to choose": "Click to choose", + "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", + "Colombia": "Colombia", + "Comoros": "Comoros", + "Confirm Password": "Confirm Password", + "Congo": "Congo", + "Congo, Democratic Republic": "Congo, Democratic Republic", + "Constant": "Constant", + "Cook Islands": "Cook Islands", + "Costa Rica": "Costa Rica", + "Cote D'Ivoire": "Cote D'Ivoire", + "could not be found.": "could not be found.", + "Create": "Create", + "Create & Add Another": "Create & Add Another", + "Create :resource": "Create :resource", + "Croatia": "Croatia", + "Cuba": "Cuba", + "Curaçao": "Curaçao", + "Customize": "Customize", + "Cyprus": "Cyprus", + "Czech Republic": "Czech Republic", + "Dashboard": "Dashboard", + "December": "December", + "Decrease": "Decrease", + "Delete": "Delete", + "Delete File": "Delete File", + "Delete Resource": "Delete Resource", + "Delete Selected": "Delete Selected", + "Denmark": "Denmark", + "Detach": "Detach", + "Detach Resource": "Detach Resource", + "Detach Selected": "Detach Selected", + "Details": "Details", + "Djibouti": "Djibouti", + "Do you really want to leave? You have unsaved changes.": "Do you really want to leave? You have unsaved changes.", + "Dominica": "Dominica", + "Dominican Republic": "Dominican Republic", + "Download": "Download", + "Ecuador": "Ecuador", + "Edit": "Edit", + "Edit :resource": "Edit :resource", + "Edit Attached": "Edit Attached", + "Egypt": "Egypt", + "El Salvador": "El Salvador", + "Email Address": "Email Address", + "Equatorial Guinea": "Equatorial Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Ethiopia", + "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", + "Faroe Islands": "Faroe Islands", + "February": "February", + "Fiji": "Fiji", + "Finland": "Finland", + "Force Delete": "Force Delete", + "Force Delete Resource": "Force Delete Resource", + "Force Delete Selected": "Force Delete Selected", + "Forgot Your Password?": "Forgot Your Password?", + "Forgot your password?": "Forgot your password?", + "France": "France", + "French Guiana": "French Guiana", + "French Polynesia": "French Polynesia", + "French Southern Territories": "French Southern Territories", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Germany", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Go Home": "Go Home", + "Greece": "Greece", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Heard Island & Mcdonald Islands": "Heard Island and McDonald Islands", + "Hide Content": "Hide Content", + "Hold Up!": "Hold Up!", + "Holy See (Vatican City State)": "Holy See (Vatican City State)", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungary", + "Iceland": "Iceland", + "ID": "ID", + "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.", + "Increase": "Increase", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic Of": "Iran", + "Iraq": "Iraq", + "Ireland": "Ireland", + "Isle Of Man": "Isle of Man", + "Israel": "Israel", + "Italy": "Italy", + "Jamaica": "Jamaica", + "January": "January", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "July": "July", + "June": "June", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Key": "Key", + "Kiribati": "Kiribati", + "Korea": "South Korea", + "Korea, Democratic People's Republic of": "North Korea", + "Kosovo": "Kosovo", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Lao People's Democratic Republic", + "Latvia": "Latvia", + "Lebanon": "Lebanon", + "Lens": "Lens", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lithuania", + "Load :perPage More": "Load :perPage More", + "Login": "Login", + "Logout": "Logout", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia": "North Macedonia", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Mali", + "Malta": "Malta", + "March": "March", + "Marshall Islands": "Marshall Islands", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "May": "May", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States Of": "Micronesia", + "Moldova": "Moldova", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Month To Date": "Month To Date", + "Montserrat": "Montserrat", + "Morocco": "Morocco", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Netherlands", + "New": "New", + "New :resource": "New :resource", + "New Caledonia": "New Caledonia", + "New Zealand": "New Zealand", + "Next": "Next", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "No": "No", + "No :resource matched the given criteria.": "No :resource matched the given criteria.", + "No additional information...": "No additional information...", + "No Current Data": "No Current Data", + "No Data": "No Data", + "no file selected": "no file selected", + "No Increase": "No Increase", + "No Prior Data": "No Prior Data", + "No Results Found.": "No Results Found.", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Northern Mariana Islands", + "Norway": "Norway", + "Nova User": "Nova User", + "November": "November", + "October": "October", + "of": "of", + "Oman": "Oman", + "Only Trashed": "Only Trashed", + "Original": "Original", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinian Territories", + "Panama": "Panama", + "Papua New Guinea": "Papua New Guinea", + "Paraguay": "Paraguay", + "Password": "Password", + "Per Page": "Per Page", + "Peru": "Peru", + "Philippines": "Philippines", + "Pitcairn": "Pitcairn Islands", + "Poland": "Poland", + "Portugal": "Portugal", + "Press \/ to search": "Press \/ to search", + "Preview": "Preview", + "Previous": "Previous", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Quarter To Date": "Quarter To Date", + "Reload": "Reload", + "Remember Me": "Remember Me", + "Reset Filters": "Reset Filters", + "Reset Password": "Reset Password", + "Reset Password Notification": "Reset Password Notification", + "resource": "resource", + "Resources": "Resources", + "resources": "resources", + "Restore": "Restore", + "Restore Resource": "Restore Resource", + "Restore Selected": "Restore Selected", + "Reunion": "Réunion", + "Romania": "Romania", + "Run Action": "Run Action", + "Russian Federation": "Russian Federation", + "Rwanda": "Rwanda", + "Saint Barthelemy": "St. Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts And Nevis": "St. Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin": "St. Martin", + "Saint Pierre And Miquelon": "St. Pierre and Miquelon", + "Saint Vincent And Grenadines": "St. Vincent and Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome And Principe": "São Tomé and Príncipe", + "Saudi Arabia": "Saudi Arabia", + "Search": "Search", + "Select Action": "Select Action", + "Select All": "Select All", + "Select All Matching": "Select All Matching", + "Send Password Reset Link": "Send Password Reset Link", + "Senegal": "Senegal", + "September": "September", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Show All Fields": "Show All Fields", + "Show Content": "Show Content", + "Sierra Leone": "Sierra Leone", + "Singapore": "Singapore", + "Sint Maarten (Dutch part)": "Sint Maarten", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Solomon Islands", + "Somalia": "Somalia", + "Something went wrong.": "Something went wrong.", + "Sorry! You are not authorized to perform this action.": "Sorry! You are not authorized to perform this action.", + "Sorry, your session has expired.": "Sorry, your session has expired.", + "South Africa": "South Africa", + "South Georgia And Sandwich Isl.": "South Georgia and South Sandwich Islands", + "South Sudan": "South Sudan", + "Spain": "Spain", + "Sri Lanka": "Sri Lanka", + "Start Polling": "Start Polling", + "Stop Polling": "Stop Polling", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard And Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Swaziland", + "Sweden": "Sweden", + "Switzerland": "Switzerland", + "Syrian Arab Republic": "Syria", + "Taiwan": "Taiwan", + "Tajikistan": "Tajikistan", + "Tanzania": "Tanzania", + "Thailand": "Thailand", + "The :resource was created!": "The :resource was created!", + "The :resource was deleted!": "The :resource was deleted!", + "The :resource was restored!": "The :resource was restored!", + "The :resource was updated!": "The :resource was updated!", + "The action ran successfully!": "The action ran successfully!", + "The file was deleted!": "The file was deleted!", + "The government won't let us show you what's behind these doors": "The government won't let us show you what's behind these doors", + "The HasOne relationship has already been filled.": "The HasOne relationship has already been filled.", + "The resource was updated!": "The resource was updated!", + "There are no available options for this resource.": "There are no available options for this resource.", + "There was a problem executing the action.": "There was a problem executing the action.", + "There was a problem submitting the form.": "There was a problem submitting the form.", + "This file field is read-only.": "This file field is read-only.", + "This image": "This image", + "This resource no longer exists": "This resource no longer exists", + "Timor-Leste": "Timor-Leste", + "Today": "Today", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "total": "total", + "Trashed": "Trashed", + "Trinidad And Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turkey", + "Turkmenistan": "Turkmenistan", + "Turks And Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "United Arab Emirates", + "United Kingdom": "United Kingdom", + "United States": "United States", + "United States Outlying Islands": "U.S. Outlying Islands", + "Update": "Update", + "Update & Continue Editing": "Update & Continue Editing", + "Update :resource": "Update :resource", + "Update :resource: :title": "Update :resource: :title", + "Update attached :resource: :title": "Update attached :resource: :title", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Value": "Value", + "Vanuatu": "Vanuatu", + "Venezuela": "Venezuela", + "Viet Nam": "Viet Nam", + "View": "View", + "Virgin Islands, British": "British Virgin Islands", + "Virgin Islands, U.S.": "U.S. Virgin Islands", + "Wallis And Futuna": "Wallis and Futuna", + "We're lost in space. The page you were trying to view does not exist.": "We're lost in space. The page you were trying to view does not exist.", + "Welcome Back!": "Welcome Back!", + "Western Sahara": "Western Sahara", + "Whoops": "Whoops", + "Whoops!": "Whoops!", + "With Trashed": "With Trashed", + "Write": "Write", + "Year To Date": "Year To Date", + "Yemen": "Yemen", + "Yes": "Yes", + "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.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe" +} diff --git a/source/packages/spark-paddle.json b/source/packages/spark-paddle.json new file mode 100644 index 00000000000..d3b44a5fcae --- /dev/null +++ b/source/packages/spark-paddle.json @@ -0,0 +1,35 @@ +{ + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Billing Management": "Billing Management", + "Cancel Subscription": "Cancel Subscription", + "Change Subscription Plan": "Change Subscription Plan", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Managing billing for :billableName": "Managing billing for :billableName", + "Monthly": "Monthly", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Payment Method": "Payment Method", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Signed in as": "Signed in as", + "Subscribe": "Subscribe", + "Subscription Pending": "Subscription Pending", + "Terms of Service": "Terms of Service", + "The selected plan is invalid.": "The selected plan is invalid.", + "There is no active subscription.": "There is no active subscription.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription cannot be resumed. Please create a new subscription.": "This subscription cannot be resumed. Please create a new subscription.", + "Update Payment Method": "Update Payment Method", + "View Receipt": "View Receipt", + "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.", + "Whoops! Something went wrong.": "Whoops! Something went wrong.", + "Yearly": "Yearly", + "You are already subscribed.": "You are already subscribed.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your current payment method is :paypal.": "Your current payment method is :paypal.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration." +} diff --git a/source/packages/spark-stripe.json b/source/packages/spark-stripe.json new file mode 100644 index 00000000000..d981f333cf0 --- /dev/null +++ b/source/packages/spark-stripe.json @@ -0,0 +1,321 @@ +{ + ":days day trial": ":days day trial", + "Add VAT Number": "Add VAT Number", + "Address": "Address", + "Address Line 2": "Address Line 2", + "Afghanistan": "Afghanistan", + "Albania": "Albania", + "Algeria": "Algeria", + "American Samoa": "American Samoa", + "An unexpected error occurred and we have notified our support team. Please try again later.": "An unexpected error occurred and we have notified our support team. Please try again later.", + "Andorra": "Andorra", + "Angola": "Angola", + "Anguilla": "Anguilla", + "Antarctica": "Antarctica", + "Antigua and Barbuda": "Antigua and Barbuda", + "Apply": "Apply", + "Apply Coupon": "Apply Coupon", + "Argentina": "Argentina", + "Armenia": "Armenia", + "Aruba": "Aruba", + "Australia": "Australia", + "Austria": "Austria", + "Azerbaijan": "Azerbaijan", + "Bahamas": "Bahamas", + "Bahrain": "Bahrain", + "Bangladesh": "Bangladesh", + "Barbados": "Barbados", + "Belarus": "Belarus", + "Belgium": "Belgium", + "Belize": "Belize", + "Benin": "Benin", + "Bermuda": "Bermuda", + "Bhutan": "Bhutan", + "Billing Information": "Billing Information", + "Billing Management": "Billing Management", + "Bolivia, Plurinational State of": "Bolivia, Plurinational State of", + "Bosnia and Herzegovina": "Bosnia and Herzegovina", + "Botswana": "Botswana", + "Bouvet Island": "Bouvet Island", + "Brazil": "Brazil", + "British Indian Ocean Territory": "British Indian Ocean Territory", + "Brunei Darussalam": "Brunei Darussalam", + "Bulgaria": "Bulgaria", + "Burkina Faso": "Burkina Faso", + "Burundi": "Burundi", + "Cambodia": "Cambodia", + "Cameroon": "Cameroon", + "Canada": "Canada", + "Cancel Subscription": "Cancel Subscription", + "Cape Verde": "Cape Verde", + "Card": "Card", + "Cayman Islands": "Cayman Islands", + "Central African Republic": "Central African Republic", + "Chad": "Chad", + "Change Subscription Plan": "Change Subscription Plan", + "Chile": "Chile", + "China": "China", + "Christmas Island": "Christmas Island", + "City": "City", + "Cocos (Keeling) Islands": "Cocos (Keeling) Islands", + "Colombia": "Colombia", + "Comoros": "Comoros", + "Confirm Payment": "Confirm Payment", + "Confirm your :amount payment": "Confirm your :amount payment", + "Congo": "Congo", + "Congo, the Democratic Republic of the": "Congo, the Democratic Republic of the", + "Cook Islands": "Cook Islands", + "Costa Rica": "Costa Rica", + "Country": "Country", + "Coupon": "Coupon", + "Croatia": "Croatia", + "Cuba": "Cuba", + "Current Subscription Plan": "Current Subscription Plan", + "Currently Subscribed": "Currently Subscribed", + "Cyprus": "Cyprus", + "Czech Republic": "Czech Republic", + "Côte d'Ivoire": "Côte d'Ivoire", + "Denmark": "Denmark", + "Djibouti": "Djibouti", + "Dominica": "Dominica", + "Dominican Republic": "Dominican Republic", + "Download Receipt": "Download Receipt", + "Ecuador": "Ecuador", + "Egypt": "Egypt", + "El Salvador": "El Salvador", + "Email Addresses": "Email Addresses", + "Equatorial Guinea": "Equatorial Guinea", + "Eritrea": "Eritrea", + "Estonia": "Estonia", + "Ethiopia": "Ethiopia", + "ex VAT": "ex VAT", + "Extra Billing Information": "Extra Billing Information", + "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.", + "Falkland Islands (Malvinas)": "Falkland Islands (Malvinas)", + "Faroe Islands": "Faroe Islands", + "Fiji": "Fiji", + "Finland": "Finland", + "France": "France", + "French Guiana": "French Guiana", + "French Polynesia": "French Polynesia", + "French Southern Territories": "French Southern Territories", + "Gabon": "Gabon", + "Gambia": "Gambia", + "Georgia": "Georgia", + "Germany": "Germany", + "Ghana": "Ghana", + "Gibraltar": "Gibraltar", + "Greece": "Greece", + "Greenland": "Greenland", + "Grenada": "Grenada", + "Guadeloupe": "Guadeloupe", + "Guam": "Guam", + "Guatemala": "Guatemala", + "Guernsey": "Guernsey", + "Guinea": "Guinea", + "Guinea-Bissau": "Guinea-Bissau", + "Guyana": "Guyana", + "Haiti": "Haiti", + "Have a coupon code?": "Have a coupon code?", + "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.", + "Heard Island and McDonald Islands": "Heard Island and McDonald Islands", + "Holy See (Vatican City State)": "Holy See (Vatican City State)", + "Honduras": "Honduras", + "Hong Kong": "Hong Kong", + "Hungary": "Hungary", + "I accept the terms of service": "I accept the terms of service", + "Iceland": "Iceland", + "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.", + "India": "India", + "Indonesia": "Indonesia", + "Iran, Islamic Republic of": "Iran, Islamic Republic of", + "Iraq": "Iraq", + "Ireland": "Ireland", + "Isle of Man": "Isle of Man", + "Israel": "Israel", + "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.", + "Italy": "Italy", + "Jamaica": "Jamaica", + "Japan": "Japan", + "Jersey": "Jersey", + "Jordan": "Jordan", + "Kazakhstan": "Kazakhstan", + "Kenya": "Kenya", + "Kiribati": "Kiribati", + "Korea, Democratic People's Republic of": "North Korea", + "Korea, Republic of": "Korea, Republic of", + "Kuwait": "Kuwait", + "Kyrgyzstan": "Kyrgyzstan", + "Lao People's Democratic Republic": "Lao People's Democratic Republic", + "Latvia": "Latvia", + "Lebanon": "Lebanon", + "Lesotho": "Lesotho", + "Liberia": "Liberia", + "Libyan Arab Jamahiriya": "Libya", + "Liechtenstein": "Liechtenstein", + "Lithuania": "Lithuania", + "Luxembourg": "Luxembourg", + "Macao": "Macao", + "Macedonia, the former Yugoslav Republic of": "Macedonia, the former Yugoslav Republic of", + "Madagascar": "Madagascar", + "Malawi": "Malawi", + "Malaysia": "Malaysia", + "Maldives": "Maldives", + "Mali": "Mali", + "Malta": "Malta", + "Managing billing for :billableName": "Managing billing for :billableName", + "Marshall Islands": "Marshall Islands", + "Martinique": "Martinique", + "Mauritania": "Mauritania", + "Mauritius": "Mauritius", + "Mayotte": "Mayotte", + "Mexico": "Mexico", + "Micronesia, Federated States of": "Micronesia, Federated States of", + "Moldova, Republic of": "Moldova, Republic of", + "Monaco": "Monaco", + "Mongolia": "Mongolia", + "Montenegro": "Montenegro", + "Monthly": "Monthly", + "monthly": "monthly", + "Montserrat": "Montserrat", + "Morocco": "Morocco", + "Mozambique": "Mozambique", + "Myanmar": "Myanmar", + "Namibia": "Namibia", + "Nauru": "Nauru", + "Nepal": "Nepal", + "Netherlands": "Netherlands", + "Netherlands Antilles": "Netherlands Antilles", + "Nevermind, I'll keep my old plan": "Nevermind, I'll keep my old plan", + "New Caledonia": "New Caledonia", + "New Zealand": "New Zealand", + "Nicaragua": "Nicaragua", + "Niger": "Niger", + "Nigeria": "Nigeria", + "Niue": "Niue", + "Norfolk Island": "Norfolk Island", + "Northern Mariana Islands": "Northern Mariana Islands", + "Norway": "Norway", + "Oman": "Oman", + "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.", + "Pakistan": "Pakistan", + "Palau": "Palau", + "Palestinian Territory, Occupied": "Palestinian Territories", + "Panama": "Panama", + "Papua New Guinea": "Papua New Guinea", + "Paraguay": "Paraguay", + "Payment Information": "Payment Information", + "Peru": "Peru", + "Philippines": "Philippines", + "Pitcairn": "Pitcairn Islands", + "Please accept the terms of service.": "Please accept the terms of service.", + "Please provide a maximum of three receipt emails addresses.": "Please provide a maximum of three receipt emails addresses.", + "Poland": "Poland", + "Portugal": "Portugal", + "Puerto Rico": "Puerto Rico", + "Qatar": "Qatar", + "Receipt Email Addresses": "Receipt Email Addresses", + "Receipts": "Receipts", + "Resume Subscription": "Resume Subscription", + "Return to :appName": "Return to :appName", + "Romania": "Romania", + "Russian Federation": "Russian Federation", + "Rwanda": "Rwanda", + "Réunion": "Réunion", + "Saint Barthélemy": "Saint Barthélemy", + "Saint Helena": "St. Helena", + "Saint Kitts and Nevis": "Saint Kitts and Nevis", + "Saint Lucia": "St. Lucia", + "Saint Martin (French part)": "Saint Martin (French part)", + "Saint Pierre and Miquelon": "Saint Pierre and Miquelon", + "Saint Vincent and the Grenadines": "Saint Vincent and the Grenadines", + "Samoa": "Samoa", + "San Marino": "San Marino", + "Sao Tome and Principe": "Sao Tome and Principe", + "Saudi Arabia": "Saudi Arabia", + "Save": "Save", + "Select": "Select", + "Select a different plan": "Select a different plan", + "Senegal": "Senegal", + "Serbia": "Serbia", + "Seychelles": "Seychelles", + "Sierra Leone": "Sierra Leone", + "Signed in as": "Signed in as", + "Singapore": "Singapore", + "Slovakia": "Slovakia", + "Slovenia": "Slovenia", + "Solomon Islands": "Solomon Islands", + "Somalia": "Somalia", + "South Africa": "South Africa", + "South Georgia and the South Sandwich Islands": "South Georgia and the South Sandwich Islands", + "Spain": "Spain", + "Sri Lanka": "Sri Lanka", + "State \/ County": "State \/ County", + "Subscribe": "Subscribe", + "Subscription Information": "Subscription Information", + "Sudan": "Sudan", + "Suriname": "Suriname", + "Svalbard and Jan Mayen": "Svalbard and Jan Mayen", + "Swaziland": "Swaziland", + "Sweden": "Sweden", + "Switzerland": "Switzerland", + "Syrian Arab Republic": "Syria", + "Taiwan, Province of China": "Taiwan, Province of China", + "Tajikistan": "Tajikistan", + "Tanzania, United Republic of": "Tanzania, United Republic of", + "Terms of Service": "Terms of Service", + "Thailand": "Thailand", + "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.", + "Thanks,": "Thanks,", + "The provided coupon code is invalid.": "The provided coupon code is invalid.", + "The provided VAT number is invalid.": "The provided VAT number is invalid.", + "The receipt emails must be valid email addresses.": "The receipt emails must be valid email addresses.", + "The selected country is invalid.": "The selected country is invalid.", + "The selected plan is invalid.": "The selected plan is invalid.", + "This account does not have an active subscription.": "This account does not have an active subscription.", + "This subscription has expired and cannot be resumed. Please create a new subscription.": "This subscription has expired and cannot be resumed. Please create a new subscription.", + "Timor-Leste": "Timor-Leste", + "Togo": "Togo", + "Tokelau": "Tokelau", + "Tonga": "Tonga", + "Total:": "Total:", + "Trinidad and Tobago": "Trinidad and Tobago", + "Tunisia": "Tunisia", + "Turkey": "Turkey", + "Turkmenistan": "Turkmenistan", + "Turks and Caicos Islands": "Turks and Caicos Islands", + "Tuvalu": "Tuvalu", + "Uganda": "Uganda", + "Ukraine": "Ukraine", + "United Arab Emirates": "United Arab Emirates", + "United Kingdom": "United Kingdom", + "United States": "United States", + "United States Minor Outlying Islands": "United States Minor Outlying Islands", + "Update": "Update", + "Update Payment Information": "Update Payment Information", + "Uruguay": "Uruguay", + "Uzbekistan": "Uzbekistan", + "Vanuatu": "Vanuatu", + "VAT Number": "VAT Number", + "Venezuela, Bolivarian Republic of": "Venezuela, Bolivarian Republic of", + "Viet Nam": "Viet Nam", + "Virgin Islands, British": "British Virgin Islands", + "Virgin Islands, U.S.": "U.S. Virgin Islands", + "Wallis and Futuna": "Wallis and Futuna", + "We are unable to process your payment. Please contact customer support.": "We are unable to process your payment. Please contact customer support.", + "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.", + "Western Sahara": "Western Sahara", + "Whoops! Something went wrong.": "Whoops! Something went wrong.", + "Yearly": "Yearly", + "Yemen": "Yemen", + "You are currently within your free trial period. Your trial will expire on :date.": "You are currently within your free trial period. Your trial will expire on :date.", + "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.", + "Your :invoiceName invoice is now available!": "Your :invoiceName invoice is now available!", + "Your card was declined. Please contact your card issuer for more information.": "Your card was declined. Please contact your card issuer for more information.", + "Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "Your current payment method is a credit card ending in :lastFour that expires on :expiration.", + "Your registered VAT Number is :vatNumber.": "Your registered VAT Number is :vatNumber.", + "Zambia": "Zambia", + "Zimbabwe": "Zimbabwe", + "Zip \/ Postal Code": "Zip \/ Postal Code", + "Åland Islands": "Åland Islands" +}