text stringlengths 1 2.83M | id stringlengths 16 152 | metadata dict | __index_level_0__ int64 0 949 |
|---|---|---|---|
HTTP/1.1 404 Not Found
Date: Wed, 14 Nov 2012 22:33:22 GMT
X-AREQUESTID: 1353x39200x1
X-Seraph-LoginReason: OK
X-ASESSIONID: u08r0a
X-AUSERNAME: tim
Cache-Control: no-cache, no-store, no-transform
Content-Type: application/json;charset=UTF-8
Set-Cookie: JSESSIONID=7EEAD8D3F2AE657AF60461E813ADF1B7; Path=/jira; HttpOnly
Set-Cookie: atlassian.xsrf.token=ALMX-0SVV-VVCK-3Y73|b3d297f61c2c261383332a358e39c371759e0f54|lin; Path=/jira
Connection: close
Transfer-Encoding: chunked
{"errorMessages":["Issue Does Not Exist"],"errors":{}}
| SquareSquash/web/spec/fixtures/jira_issue_404.json/0 | {
"file_path": "SquareSquash/web/spec/fixtures/jira_issue_404.json",
"repo_id": "SquareSquash",
"token_count": 232
} | 123 |
# Copyright 2014 Square Inc.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
require 'rails_helper'
RSpec.describe DeployFixMarker do
it "should raise an error if the deploy cannot be found" do
expect { DeployFixMarker.perform 0 }.to raise_error(ActiveRecord::RecordNotFound)
end
it "should mark the appropriate bugs as fix_deployed" do
Project.where(repository_url: 'https://github.com/RISCfuture/better_caller.git').delete_all
project = FactoryGirl.create(:project, repository_url: 'https://github.com/RISCfuture/better_caller.git')
env = FactoryGirl.create(:environment, project: project)
deploy = FactoryGirl.build(:deploy, environment: env, revision: env.project.repo.object('HEAD^').sha)
bug_in_range_not_fixed = FactoryGirl.create(:bug, environment: env, resolution_revision: env.project.repo.object('HEAD^^').sha, fixed: true) # will set fixed to false later
bug_in_range_fixed_not_deployed = FactoryGirl.create(:bug, environment: env, resolution_revision: env.project.repo.object('HEAD^^').sha, fixed: true)
bug_not_in_range_fixed_not_deployed = FactoryGirl.create(:bug, environment: env, resolution_revision: env.project.repo.object('HEAD').sha, fixed: true)
Bug.where(id: bug_in_range_not_fixed.id).update_all fixed: false
deploy.save!
DeployFixMarker.perform deploy.id
expect(bug_in_range_not_fixed.reload.fix_deployed?).to eql(false)
expect(bug_in_range_fixed_not_deployed.reload.fix_deployed?).to eql(true)
expect(bug_not_in_range_fixed_not_deployed.reload.fix_deployed?).to eql(false)
end
it "should create events for the fixed bugs" do
Project.where(repository_url: 'https://github.com/RISCfuture/better_caller.git').delete_all
project = FactoryGirl.create(:project, repository_url: 'https://github.com/RISCfuture/better_caller.git')
env = FactoryGirl.create(:environment, project: project)
deploy = FactoryGirl.build(:deploy, environment: env, revision: project.repo.object('HEAD^').sha)
bug = FactoryGirl.create(:bug, environment: env, resolution_revision: project.repo.object('HEAD^^').sha, fixed: true)
bug.events.delete_all
deploy.save!
DeployFixMarker.perform deploy.id
expect(bug.events(true).count).to eql(1)
expect(bug.events.first.kind).to eql('deploy')
expect(bug.events.first.data['revision']).to eql(deploy.revision)
end
end
| SquareSquash/web/spec/lib/workers/deploy_fix_marker_spec.rb/0 | {
"file_path": "SquareSquash/web/spec/lib/workers/deploy_fix_marker_spec.rb",
"repo_id": "SquareSquash",
"token_count": 1014
} | 124 |
# Copyright 2014 Square Inc.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
require 'rails_helper'
RSpec.describe Project, type: :model do
describe '#repo' do
it "should check out the repository and return a Repository object" do
Project.where(repository_url: 'https://github.com/RISCfuture/better_caller.git').delete_all
repo = FactoryGirl.create(:project, repository_url: 'https://github.com/RISCfuture/better_caller.git').repo
expect(repo).to be_kind_of(Git::Base)
expect(repo.index).to be_nil # should be bare
expect(repo.repo.path).to eql(Rails.root.join('tmp', 'repos', '624502932dfb6785124fbcc3c03cfb5e20f81d8f.git').to_s)
end
end
describe "#path_type" do
before :all do
@project = FactoryGirl.create(:project, filter_paths: %w( vendor/ ), whitelist_paths: %w( vendor/lib/ ))
end
it "should return :project for a file under app/" do
expect(@project.path_type('app/models/foo.rb')).to eql(:project)
end
it "should return :library for an absolute path" do
expect(@project.path_type('/Users/sancho/.rvm/some/path/lib.rb')).to eql(:library)
end
it "should return :library for meta-file-name lines" do
expect(@project.path_type('(irb)')).to eql(:library)
end
it "should return :filtered for a file under vendor/ when vendor/ is in the filter paths" do
expect(@project.path_type('vendor/lib.rb')).to eql(:filtered)
end
it "should return :project for a file under vendor/lib when vendor/lib is in the whitelist paths" do
expect(@project.path_type('vendor/lib/foobar.rb')).to eql(:project)
end
end
context '[hooks]' do
it "should create a membership for the owner" do
project = FactoryGirl.create(:project)
membership = project.memberships.where(user_id: project.owner_id).first
expect(membership).not_to be_nil
expect(membership).to be_admin
end
it "should create a membership for the new owner when the owner is changed" do
project = FactoryGirl.create(:project)
new_owner = FactoryGirl.create(:user)
project.update_attribute :owner, new_owner
membership = project.memberships.where(user_id: new_owner.id).first
expect(membership).not_to be_nil
expect(membership).to be_admin
end
it "should promote an existing owner membership to admin" do
project = FactoryGirl.create(:project)
new_owner = FactoryGirl.create(:membership, project: project).user
project.update_attribute :owner, new_owner
membership = project.memberships.where(user_id: new_owner.id).first
expect(membership).not_to be_nil
expect(membership).to be_admin
end
it "should not remove the membership from the old owner" do
project = FactoryGirl.create(:project)
old_owner = project.owner
project.update_attribute :owner, FactoryGirl.create(:user)
membership = project.memberships.where(user_id: old_owner.id).first
expect(membership).not_to be_nil
expect(membership).to be_admin
end
it "should create a new API key automatically" do
expect(FactoryGirl.create(:project, api_key: nil).api_key).not_to be_nil
end
it "should automatically set commit_url_format if able" do
expect(FactoryGirl.create(:project, repository_url: 'git@github.com:RISCfuture/better_caller.git').commit_url_format).to eql('https://github.com/RISCfuture/better_caller/commit/%{commit}')
expect(FactoryGirl.create(:project, repository_url: 'https://RISCfuture@github.com/RISCfuture/better_caller.git').commit_url_format).to eql('https://github.com/RISCfuture/better_caller/commit/%{commit}')
Project.where(repository_url: 'https://github.com/RISCfuture/better_caller.git').delete_all
expect(FactoryGirl.create(:project, repository_url: 'git@github.com:RISCfuture/better_caller.git').commit_url_format).to eql('https://github.com/RISCfuture/better_caller/commit/%{commit}')
end
it "should not overwrite a custom commit_url_format" do
Project.where(repository_url: 'https://github.com/RISCfuture/better_caller.git').delete_all
expect(FactoryGirl.create(:project, repository_url: 'https://github.com/RISCfuture/better_caller.git', commit_url_format: 'http://example.com/%{commit}').commit_url_format).to eql('http://example.com/%{commit}')
end
end
context '[validations]' do
it "should not allow a default environment outside of the project" do
project = FactoryGirl.build(:project, default_environment: FactoryGirl.create(:environment))
expect(project).not_to be_valid
expect(project.errors[:default_environment_id]).to eql(['is not an environment in this project'])
end
end
describe "#commit_url" do
it "should return the URL to a commit" do
expect(FactoryGirl.build(:project, commit_url_format: 'http://example.com/%{commit}').commit_url('abc123')).to eql('http://example.com/abc123')
end
it "should return nil if commit_url_format is not set" do
expect(FactoryGirl.build(:project, commit_url_format: nil).commit_url('abc123')).to be_nil
end
end
end
| SquareSquash/web/spec/models/project_spec.rb/0 | {
"file_path": "SquareSquash/web/spec/models/project_spec.rb",
"repo_id": "SquareSquash",
"token_count": 2027
} | 125 |
/* Flot plugin that adds some extra symbols for plotting points.
Copyright (c) 2007-2012 IOLA and Ole Laursen.
Licensed under the MIT license.
The symbols are accessed as strings through the standard symbol options:
series: {
points: {
symbol: "square" // or "diamond", "triangle", "cross"
}
}
*/
(function ($) {
function processRawData(plot, series, datapoints) {
// we normalize the area of each symbol so it is approximately the
// same as a circle of the given radius
var handlers = {
square: function (ctx, x, y, radius, shadow) {
// pi * r^2 = (2s)^2 => s = r * sqrt(pi)/2
var size = radius * Math.sqrt(Math.PI) / 2;
ctx.rect(x - size, y - size, size + size, size + size);
},
diamond: function (ctx, x, y, radius, shadow) {
// pi * r^2 = 2s^2 => s = r * sqrt(pi/2)
var size = radius * Math.sqrt(Math.PI / 2);
ctx.moveTo(x - size, y);
ctx.lineTo(x, y - size);
ctx.lineTo(x + size, y);
ctx.lineTo(x, y + size);
ctx.lineTo(x - size, y);
},
triangle: function (ctx, x, y, radius, shadow) {
// pi * r^2 = 1/2 * s^2 * sin (pi / 3) => s = r * sqrt(2 * pi / sin(pi / 3))
var size = radius * Math.sqrt(2 * Math.PI / Math.sin(Math.PI / 3));
var height = size * Math.sin(Math.PI / 3);
ctx.moveTo(x - size/2, y + height/2);
ctx.lineTo(x + size/2, y + height/2);
if (!shadow) {
ctx.lineTo(x, y - height/2);
ctx.lineTo(x - size/2, y + height/2);
}
},
cross: function (ctx, x, y, radius, shadow) {
// pi * r^2 = (2s)^2 => s = r * sqrt(pi)/2
var size = radius * Math.sqrt(Math.PI) / 2;
ctx.moveTo(x - size, y - size);
ctx.lineTo(x + size, y + size);
ctx.moveTo(x - size, y + size);
ctx.lineTo(x + size, y - size);
}
};
var s = series.points.symbol;
if (handlers[s])
series.points.symbol = handlers[s];
}
function init(plot) {
plot.hooks.processDatapoints.push(processRawData);
}
$.plot.plugins.push({
init: init,
name: 'symbols',
version: '1.0'
});
})(jQuery);
| SquareSquash/web/vendor/assets/javascripts/flot/symbol.js/0 | {
"file_path": "SquareSquash/web/vendor/assets/javascripts/flot/symbol.js",
"repo_id": "SquareSquash",
"token_count": 1347
} | 126 |
/**
* SyntaxHighlighter
* http://alexgorbatchev.com/SyntaxHighlighter
*
* SyntaxHighlighter is donationware. If you are using it, please donate.
* http://alexgorbatchev.com/SyntaxHighlighter/donate.html
*
* @version
* 3.0.83 (Wed, 12 Feb 2014 03:42:24 GMT)
*
* @copyright
* Copyright (C) 2004-2013 Alex Gorbatchev.
*
* @license
* Dual licensed under the MIT and GPL licenses.
*/
;(function()
{
// CommonJS
SyntaxHighlighter = SyntaxHighlighter || (typeof require !== 'undefined'? require('shCore').SyntaxHighlighter : null);
function Brush()
{
// Contributed by Jean-Lou Dupont
// http://jldupont.blogspot.com/2009/06/erlang-syntax-highlighter.html
// According to: http://erlang.org/doc/reference_manual/introduction.html#1.5
var keywords = 'after and andalso band begin bnot bor bsl bsr bxor '+
'case catch cond div end fun if let not of or orelse '+
'query receive rem try when xor'+
// additional
' module export import define';
this.regexList = [
{ regex: new RegExp("[A-Z][A-Za-z0-9_]+", 'g'), css: 'constants' },
{ regex: new RegExp("\\%.+", 'gm'), css: 'comments' },
{ regex: new RegExp("\\?[A-Za-z0-9_]+", 'g'), css: 'preprocessor' },
{ regex: new RegExp("[a-z0-9_]+:[a-z0-9_]+", 'g'), css: 'functions' },
{ regex: SyntaxHighlighter.regexLib.doubleQuotedString, css: 'string' },
{ regex: SyntaxHighlighter.regexLib.singleQuotedString, css: 'string' },
{ regex: new RegExp(this.getKeywords(keywords), 'gm'), css: 'keyword' }
];
};
Brush.prototype = new SyntaxHighlighter.Highlighter();
Brush.aliases = ['erl', 'erlang'];
SyntaxHighlighter.brushes.Erlang = Brush;
// CommonJS
typeof(exports) != 'undefined' ? exports.Brush = Brush : null;
})();
| SquareSquash/web/vendor/assets/javascripts/sh/shBrushErlang.js/0 | {
"file_path": "SquareSquash/web/vendor/assets/javascripts/sh/shBrushErlang.js",
"repo_id": "SquareSquash",
"token_count": 697
} | 127 |
/**
* SyntaxHighlighter
* http://alexgorbatchev.com/SyntaxHighlighter
*
* SyntaxHighlighter is donationware. If you are using it, please donate.
* http://alexgorbatchev.com/SyntaxHighlighter/donate.html
*
* @version
* 3.0.83 (Wed, 12 Feb 2014 03:42:24 GMT)
*
* @copyright
* Copyright (C) 2004-2013 Alex Gorbatchev.
*
* @license
* Dual licensed under the MIT and GPL licenses.
*/
;(function()
{
// CommonJS
SyntaxHighlighter = SyntaxHighlighter || (typeof require !== 'undefined'? require('shCore').SyntaxHighlighter : null);
function Brush()
{
var funcs = 'abs avg case cast coalesce convert count current_timestamp ' +
'current_user day isnull left lower month nullif replace right ' +
'session_user space substring sum system_user upper user year';
var keywords = 'absolute action add after alter as asc at authorization begin bigint ' +
'binary bit by cascade char character check checkpoint close collate ' +
'column commit committed connect connection constraint contains continue ' +
'create cube current current_date current_time cursor database date ' +
'deallocate dec decimal declare default delete desc distinct double drop ' +
'dynamic else end end-exec escape except exec execute false fetch first ' +
'float for force foreign forward free from full function global goto grant ' +
'group grouping having hour ignore index inner insensitive insert instead ' +
'int integer intersect into is isolation key last level load local max min ' +
'minute modify move name national nchar next no numeric of off on only ' +
'open option order out output partial password precision prepare primary ' +
'prior privileges procedure public read real references relative repeatable ' +
'restrict return returns revoke rollback rollup rows rule schema scroll ' +
'second section select sequence serializable set size smallint static ' +
'statistics table temp temporary then time timestamp to top transaction ' +
'translation trigger true truncate uncommitted union unique update values ' +
'varchar varying view when where with work';
var operators = 'all and any between cross in join like not null or outer some';
this.regexList = [
{ regex: /--(.*)$/gm, css: 'comments' }, // one line comments
{ regex: /\/\*([^\*][\s\S]*?)?\*\//gm, css: 'comments' }, // multi line comments
{ regex: SyntaxHighlighter.regexLib.multiLineDoubleQuotedString, css: 'string' }, // double quoted strings
{ regex: SyntaxHighlighter.regexLib.multiLineSingleQuotedString, css: 'string' }, // single quoted strings
{ regex: new RegExp(this.getKeywords(funcs), 'gmi'), css: 'color2' }, // functions
{ regex: new RegExp(this.getKeywords(operators), 'gmi'), css: 'color1' }, // operators and such
{ regex: new RegExp(this.getKeywords(keywords), 'gmi'), css: 'keyword' } // keyword
];
};
Brush.prototype = new SyntaxHighlighter.Highlighter();
Brush.aliases = ['sql'];
SyntaxHighlighter.brushes.Sql = Brush;
// CommonJS
typeof(exports) != 'undefined' ? exports.Brush = Brush : null;
})();
| SquareSquash/web/vendor/assets/javascripts/sh/shBrushSql.js/0 | {
"file_path": "SquareSquash/web/vendor/assets/javascripts/sh/shBrushSql.js",
"repo_id": "SquareSquash",
"token_count": 1133
} | 128 |
*
!build/*
!entrypoint.sh
| bitwarden/web/.dockerignore/0 | {
"file_path": "bitwarden/web/.dockerignore",
"repo_id": "bitwarden",
"token_count": 12
} | 129 |
FROM bitwarden/server
LABEL com.bitwarden.product="bitwarden"
RUN apt-get update \
&& apt-get install -y --no-install-recommends \
gosu \
curl \
&& rm -rf /var/lib/apt/lists/*
ENV ASPNETCORE_URLS http://+:5000
WORKDIR /app
EXPOSE 5000
COPY ./build .
COPY entrypoint.sh /
RUN chmod +x /entrypoint.sh
HEALTHCHECK CMD curl -f http://localhost:5000 || exit 1
ENTRYPOINT ["/entrypoint.sh"]
| bitwarden/web/Dockerfile/0 | {
"file_path": "bitwarden/web/Dockerfile",
"repo_id": "bitwarden",
"token_count": 172
} | 130 |
<div class="form-group">
<label [attr.for]="controlId">
{{ label }}
<small *ngIf="isRequired" class="text-muted form-text d-inline"
>({{ "required" | i18n }})</small
>
</label>
<input
[formControl]="internalControl"
class="form-control"
[attr.id]="controlId"
[attr.aria-describedby]="describedById"
[attr.aria-invalid]="controlDir.control.invalid"
(blur)="onBlurInternal()"
/>
<div *ngIf="showDescribedBy" [attr.id]="describedById">
<small
*ngIf="helperText != null && !controlDir.control.hasError(helperTextSameAsError)"
class="form-text text-muted"
>
{{ helperText }}
</small>
<small class="error-inline" *ngIf="controlDir.control.hasError('required')" role="alert">
<i class="bwi bwi-exclamation-circle" aria-hidden="true"></i>
<span class="sr-only">{{ "error" | i18n }}:</span>
{{
controlDir.control.hasError(helperTextSameAsError)
? helperText
: ("fieldRequiredError" | i18n: label)
}}
</small>
</div>
</div>
| bitwarden/web/bitwarden_license/src/app/organizations/components/input-text.component.html/0 | {
"file_path": "bitwarden/web/bitwarden_license/src/app/organizations/components/input-text.component.html",
"repo_id": "bitwarden",
"token_count": 453
} | 131 |
<div class="page-header">
<h1>{{ "newClientOrganization" | i18n }}</h1>
</div>
<p>{{ "newClientOrganizationDesc" | i18n }}</p>
<app-organization-plans [providerId]="providerId"></app-organization-plans>
| bitwarden/web/bitwarden_license/src/app/providers/clients/create-organization.component.html/0 | {
"file_path": "bitwarden/web/bitwarden_license/src/app/providers/clients/create-organization.component.html",
"repo_id": "bitwarden",
"token_count": 82
} | 132 |
<app-navbar></app-navbar>
<div class="org-nav" *ngIf="provider">
<div class="container d-flex">
<div class="d-flex flex-column">
<div class="my-auto d-flex align-items-center pl-1">
<app-avatar [data]="provider.name" size="45" [circle]="true"></app-avatar>
<div class="org-name ml-3">
<span>{{ provider.name }}</span>
<small class="text-muted">{{ "provider" | i18n }}</small>
</div>
<div class="ml-3 card border-danger text-danger bg-transparent" *ngIf="!provider.enabled">
<div class="card-body py-2">
<i class="bwi bwi-exclamation-triangle" aria-hidden="true"></i>
{{ "providerIsDisabled" | i18n }}
</div>
</div>
</div>
<ul class="nav nav-tabs" *ngIf="showMenuBar">
<li class="nav-item">
<a class="nav-link" routerLink="clients" routerLinkActive="active">
<i class="bwi bwi-bank" aria-hidden="true"></i>
{{ "clients" | i18n }}
</a>
</li>
<li class="nav-item" *ngIf="showManageTab">
<a class="nav-link" [routerLink]="manageRoute" routerLinkActive="active">
<i class="bwi bwi-sliders" aria-hidden="true"></i>
{{ "manage" | i18n }}
</a>
</li>
<li class="nav-item" *ngIf="showSettingsTab">
<a class="nav-link" routerLink="settings" routerLinkActive="active">
<i class="bwi bwi-cogs" aria-hidden="true"></i>
{{ "settings" | i18n }}
</a>
</li>
</ul>
</div>
</div>
</div>
<div class="container page-content">
<router-outlet></router-outlet>
</div>
<app-footer></app-footer>
| bitwarden/web/bitwarden_license/src/app/providers/providers-layout.component.html/0 | {
"file_path": "bitwarden/web/bitwarden_license/src/app/providers/providers-layout.component.html",
"repo_id": "bitwarden",
"token_count": 835
} | 133 |
{
"urls": {
"icons": "https://icons.bitwarden.net",
"notifications": "https://notifications.bitwarden.com"
},
"stripeKey": "pk_live_bpN0P37nMxrMQkcaHXtAybJk",
"braintreeKey": "production_qfbsv8kc_njj2zjtyngtjmbjd",
"paypal": {
"businessId": "4ZDA7DLUUJGMN",
"buttonAction": "https://www.paypal.com/cgi-bin/webscr"
},
"dev": {
"proxyApi": "https://api.bitwarden.com",
"proxyIdentity": "https://identity.bitwarden.com",
"proxyEvents": "https://events.bitwarden.com"
}
}
| bitwarden/web/config/cloud.json/0 | {
"file_path": "bitwarden/web/config/cloud.json",
"repo_id": "bitwarden",
"token_count": 241
} | 134 |
{
"trustedFacets": [
{
"version": {
"major": 1,
"minor": 0
},
"ids": [
"https://vault.bitwarden.com",
"ios:bundle-id:com.8bit.bitwarden",
"android:apk-key-hash:dUGFzUzf3lmHSLBDBIv+WaFyZMI"
]
}
]
}
| bitwarden/web/src/app-id.json/0 | {
"file_path": "bitwarden/web/src/app-id.json",
"repo_id": "bitwarden",
"token_count": 174
} | 135 |
import { Component } from "@angular/core";
import { ActivatedRoute, Router } from "@angular/router";
import { first } from "rxjs/operators";
import { RegisterComponent as BaseRegisterComponent } from "jslib-angular/components/register.component";
import { ApiService } from "jslib-common/abstractions/api.service";
import { AuthService } from "jslib-common/abstractions/auth.service";
import { CryptoService } from "jslib-common/abstractions/crypto.service";
import { EnvironmentService } from "jslib-common/abstractions/environment.service";
import { I18nService } from "jslib-common/abstractions/i18n.service";
import { LogService } from "jslib-common/abstractions/log.service";
import { PasswordGenerationService } from "jslib-common/abstractions/passwordGeneration.service";
import { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service";
import { PolicyService } from "jslib-common/abstractions/policy.service";
import { StateService } from "jslib-common/abstractions/state.service";
import { PolicyData } from "jslib-common/models/data/policyData";
import { MasterPasswordPolicyOptions } from "jslib-common/models/domain/masterPasswordPolicyOptions";
import { Policy } from "jslib-common/models/domain/policy";
import { ReferenceEventRequest } from "jslib-common/models/request/referenceEventRequest";
import { RouterService } from "../services/router.service";
@Component({
selector: "app-register",
templateUrl: "register.component.html",
})
export class RegisterComponent extends BaseRegisterComponent {
showCreateOrgMessage = false;
layout = "";
enforcedPolicyOptions: MasterPasswordPolicyOptions;
private policies: Policy[];
constructor(
authService: AuthService,
router: Router,
i18nService: I18nService,
cryptoService: CryptoService,
apiService: ApiService,
private route: ActivatedRoute,
stateService: StateService,
platformUtilsService: PlatformUtilsService,
passwordGenerationService: PasswordGenerationService,
private policyService: PolicyService,
environmentService: EnvironmentService,
logService: LogService,
private routerService: RouterService
) {
super(
authService,
router,
i18nService,
cryptoService,
apiService,
stateService,
platformUtilsService,
passwordGenerationService,
environmentService,
logService
);
}
async ngOnInit() {
this.route.queryParams.pipe(first()).subscribe((qParams) => {
this.referenceData = new ReferenceEventRequest();
if (qParams.email != null && qParams.email.indexOf("@") > -1) {
this.email = qParams.email;
}
if (qParams.premium != null) {
this.routerService.setPreviousUrl("/settings/premium");
} else if (qParams.org != null) {
this.showCreateOrgMessage = true;
this.referenceData.flow = qParams.org;
const route = this.router.createUrlTree(["create-organization"], {
queryParams: { plan: qParams.org },
});
this.routerService.setPreviousUrl(route.toString());
}
if (qParams.layout != null) {
this.layout = this.referenceData.layout = qParams.layout;
}
if (qParams.reference != null) {
this.referenceData.id = qParams.reference;
} else {
this.referenceData.id = ("; " + document.cookie)
.split("; reference=")
.pop()
.split(";")
.shift();
}
// Are they coming from an email for sponsoring a families organization
if (qParams.sponsorshipToken != null) {
// After logging in redirect them to setup the families sponsorship
const route = this.router.createUrlTree(["setup/families-for-enterprise"], {
queryParams: { plan: qParams.sponsorshipToken },
});
this.routerService.setPreviousUrl(route.toString());
}
if (this.referenceData.id === "") {
this.referenceData.id = null;
}
});
const invite = await this.stateService.getOrganizationInvitation();
if (invite != null) {
try {
const policies = await this.apiService.getPoliciesByToken(
invite.organizationId,
invite.token,
invite.email,
invite.organizationUserId
);
if (policies.data != null) {
const policiesData = policies.data.map((p) => new PolicyData(p));
this.policies = policiesData.map((p) => new Policy(p));
}
} catch (e) {
this.logService.error(e);
}
}
if (this.policies != null) {
this.enforcedPolicyOptions = await this.policyService.getMasterPasswordPolicyOptions(
this.policies
);
}
await super.ngOnInit();
}
async submit() {
if (
this.enforcedPolicyOptions != null &&
!this.policyService.evaluateMasterPassword(
this.masterPasswordScore,
this.masterPassword,
this.enforcedPolicyOptions
)
) {
this.platformUtilsService.showToast(
"error",
this.i18nService.t("errorOccurred"),
this.i18nService.t("masterPasswordPolicyRequirementsNotMet")
);
return;
}
await super.submit();
}
}
| bitwarden/web/src/app/accounts/register.component.ts/0 | {
"file_path": "bitwarden/web/src/app/accounts/register.component.ts",
"repo_id": "bitwarden",
"token_count": 1956
} | 136 |
import { Component, OnInit } from "@angular/core";
import { ActivatedRoute, Router } from "@angular/router";
import { first } from "rxjs/operators";
import { ApiService } from "jslib-common/abstractions/api.service";
import { I18nService } from "jslib-common/abstractions/i18n.service";
import { LogService } from "jslib-common/abstractions/log.service";
import { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service";
import { StateService } from "jslib-common/abstractions/state.service";
import { VerifyEmailRequest } from "jslib-common/models/request/verifyEmailRequest";
@Component({
selector: "app-verify-email-token",
templateUrl: "verify-email-token.component.html",
})
export class VerifyEmailTokenComponent implements OnInit {
constructor(
private router: Router,
private platformUtilsService: PlatformUtilsService,
private i18nService: I18nService,
private route: ActivatedRoute,
private apiService: ApiService,
private logService: LogService,
private stateService: StateService
) {}
ngOnInit() {
this.route.queryParams.pipe(first()).subscribe(async (qParams) => {
if (qParams.userId != null && qParams.token != null) {
try {
await this.apiService.postAccountVerifyEmailToken(
new VerifyEmailRequest(qParams.userId, qParams.token)
);
if (await this.stateService.getIsAuthenticated()) {
await this.apiService.refreshIdentityToken();
}
this.platformUtilsService.showToast("success", null, this.i18nService.t("emailVerified"));
this.router.navigate(["/"]);
return;
} catch (e) {
this.logService.error(e);
}
}
this.platformUtilsService.showToast("error", null, this.i18nService.t("emailVerifiedFailed"));
this.router.navigate(["/"]);
});
}
}
| bitwarden/web/src/app/accounts/verify-email-token.component.ts/0 | {
"file_path": "bitwarden/web/src/app/accounts/verify-email-token.component.ts",
"repo_id": "bitwarden",
"token_count": 710
} | 137 |
import { Component, Input, OnChanges } from "@angular/core";
import { I18nService } from "jslib-common/abstractions/i18n.service";
@Component({
selector: "app-password-strength",
templateUrl: "password-strength.component.html",
})
export class PasswordStrengthComponent implements OnChanges {
@Input() score?: number;
@Input() showText = false;
scoreWidth = 0;
color = "bg-danger";
text: string;
constructor(private i18nService: I18nService) {}
ngOnChanges(): void {
this.scoreWidth = this.score == null ? 0 : (this.score + 1) * 20;
switch (this.score) {
case 4:
this.color = "bg-success";
this.text = this.i18nService.t("strong");
break;
case 3:
this.color = "bg-primary";
this.text = this.i18nService.t("good");
break;
case 2:
this.color = "bg-warning";
this.text = this.i18nService.t("weak");
break;
default:
this.color = "bg-danger";
this.text = this.score != null ? this.i18nService.t("weak") : null;
break;
}
}
}
| bitwarden/web/src/app/components/password-strength.component.ts/0 | {
"file_path": "bitwarden/web/src/app/components/password-strength.component.ts",
"repo_id": "bitwarden",
"token_count": 442
} | 138 |
<div
class="modal fade"
role="dialog"
aria-modal="true"
aria-labelledby="enrollMasterPasswordResetTitle"
>
<div class="modal-dialog modal-dialog-scrollable" role="document">
<form
class="modal-content"
#form
(ngSubmit)="submit()"
[appApiAction]="formPromise"
ngNativeValidate
>
<div class="modal-header">
<h2 class="modal-title" id="enrollMasterPasswordResetTitle">
{{ (isEnrolled ? "withdrawPasswordReset" : "enrollPasswordReset") | i18n }}
</h2>
<button
type="button"
class="close"
data-dismiss="modal"
appA11yTitle="{{ 'close' | i18n }}"
>
<span aria-hidden="true">×</span>
</button>
</div>
<div class="modal-body">
<app-callout type="warning" *ngIf="!isEnrolled">
{{ "resetPasswordEnrollmentWarning" | i18n }}
</app-callout>
<app-user-verification [(ngModel)]="verification" name="secret"> </app-user-verification>
</div>
<div class="modal-footer">
<button bitButton buttonType="primary" type="submit" [disabled]="form.loading">
<i
class="bwi bwi-spinner bwi-spin"
title="{{ 'loading' | i18n }}"
*ngIf="form.loading"
></i>
<span>
{{ "submit" | i18n }}
</span>
</button>
<button
bitButton
buttonType="secondary"
type="button"
data-dismiss="modal"
appA11yTitle="{{ 'close' | i18n }}"
>
<span>
{{ "cancel" | i18n }}
</span>
</button>
</div>
</form>
</div>
</div>
| bitwarden/web/src/app/modules/organizations/users/enroll-master-password-reset.component.html/0 | {
"file_path": "bitwarden/web/src/app/modules/organizations/users/enroll-master-password-reset.component.html",
"repo_id": "bitwarden",
"token_count": 882
} | 139 |
<ng-container *ngIf="show">
<ul class="filter-options">
<li class="filter-option" [ngClass]="{ active: activeFilter.status === 'all' }">
<span class="filter-buttons">
<button class="filter-button" (click)="applyFilter('all')">
<i class="bwi bwi-fw bwi-filter" aria-hidden="true"></i> {{ "allItems" | i18n }}
</button>
</span>
</li>
<li
*ngIf="!hideFavorites"
class="filter-option"
[ngClass]="{ active: activeFilter.status === 'favorites' }"
>
<span class="filter-buttons">
<button class="filter-button" (click)="applyFilter('favorites')">
<i class="bwi bwi-fw bwi-star" aria-hidden="true"></i> {{ "favorites" | i18n }}
</button>
</span>
</li>
<li
*ngIf="!hideTrash"
class="filter-option"
[ngClass]="{ active: activeFilter.status === 'trash' }"
>
<span class="filter-buttons">
<button class="filter-button" (click)="applyFilter('trash')">
<i class="bwi bwi-fw bwi-trash" aria-hidden="true"></i> {{ "trash" | i18n }}
</button>
</span>
</li>
</ul>
</ng-container>
| bitwarden/web/src/app/modules/vault-filter/components/status-filter.component.html/0 | {
"file_path": "bitwarden/web/src/app/modules/vault-filter/components/status-filter.component.html",
"repo_id": "bitwarden",
"token_count": 543
} | 140 |
import { NgModule } from "@angular/core";
import { RouterModule, Routes } from "@angular/router";
import { OrganizationVaultComponent } from "./organization-vault.component";
const routes: Routes = [
{
path: "",
component: OrganizationVaultComponent,
data: { titleId: "vaults" },
},
];
@NgModule({
imports: [RouterModule.forChild(routes)],
exports: [RouterModule],
})
export class OrganizationVaultRoutingModule {}
| bitwarden/web/src/app/modules/vault/modules/organization-vault/organization-vault-routing.module.ts/0 | {
"file_path": "bitwarden/web/src/app/modules/vault/modules/organization-vault/organization-vault-routing.module.ts",
"repo_id": "bitwarden",
"token_count": 142
} | 141 |
import { Component, EventEmitter, Input, OnInit, Output } from "@angular/core";
import { ApiService } from "jslib-common/abstractions/api.service";
import { CryptoService } from "jslib-common/abstractions/crypto.service";
import { I18nService } from "jslib-common/abstractions/i18n.service";
import { LogService } from "jslib-common/abstractions/log.service";
import { OrganizationService } from "jslib-common/abstractions/organization.service";
import { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service";
import { Utils } from "jslib-common/misc/utils";
import { EncString } from "jslib-common/models/domain/encString";
import { SymmetricCryptoKey } from "jslib-common/models/domain/symmetricCryptoKey";
import { CollectionRequest } from "jslib-common/models/request/collectionRequest";
import { SelectionReadOnlyRequest } from "jslib-common/models/request/selectionReadOnlyRequest";
import { GroupResponse } from "jslib-common/models/response/groupResponse";
@Component({
selector: "app-collection-add-edit",
templateUrl: "collection-add-edit.component.html",
})
export class CollectionAddEditComponent implements OnInit {
@Input() collectionId: string;
@Input() organizationId: string;
@Input() canSave: boolean;
@Input() canDelete: boolean;
@Output() onSavedCollection = new EventEmitter();
@Output() onDeletedCollection = new EventEmitter();
loading = true;
editMode = false;
accessGroups = false;
title: string;
name: string;
externalId: string;
groups: GroupResponse[] = [];
formPromise: Promise<any>;
deletePromise: Promise<any>;
private orgKey: SymmetricCryptoKey;
constructor(
private apiService: ApiService,
private i18nService: I18nService,
private platformUtilsService: PlatformUtilsService,
private cryptoService: CryptoService,
private logService: LogService,
private organizationService: OrganizationService
) {}
async ngOnInit() {
const organization = await this.organizationService.get(this.organizationId);
this.accessGroups = organization.useGroups;
this.editMode = this.loading = this.collectionId != null;
if (this.accessGroups) {
const groupsResponse = await this.apiService.getGroups(this.organizationId);
this.groups = groupsResponse.data
.map((r) => r)
.sort(Utils.getSortFunction(this.i18nService, "name"));
}
this.orgKey = await this.cryptoService.getOrgKey(this.organizationId);
if (this.editMode) {
this.editMode = true;
this.title = this.i18nService.t("editCollection");
try {
const collection = await this.apiService.getCollectionDetails(
this.organizationId,
this.collectionId
);
this.name = await this.cryptoService.decryptToUtf8(
new EncString(collection.name),
this.orgKey
);
this.externalId = collection.externalId;
if (collection.groups != null && this.groups.length > 0) {
collection.groups.forEach((s) => {
const group = this.groups.filter((g) => !g.accessAll && g.id === s.id);
if (group != null && group.length > 0) {
(group[0] as any).checked = true;
(group[0] as any).readOnly = s.readOnly;
(group[0] as any).hidePasswords = s.hidePasswords;
}
});
}
} catch (e) {
this.logService.error(e);
}
} else {
this.title = this.i18nService.t("addCollection");
}
this.groups.forEach((g) => {
if (g.accessAll) {
(g as any).checked = true;
}
});
this.loading = false;
}
check(g: GroupResponse, select?: boolean) {
if (g.accessAll) {
return;
}
(g as any).checked = select == null ? !(g as any).checked : select;
if (!(g as any).checked) {
(g as any).readOnly = false;
(g as any).hidePasswords = false;
}
}
selectAll(select: boolean) {
this.groups.forEach((g) => this.check(g, select));
}
async submit() {
if (this.orgKey == null) {
throw new Error("No encryption key for this organization.");
}
const request = new CollectionRequest();
request.name = (await this.cryptoService.encrypt(this.name, this.orgKey)).encryptedString;
request.externalId = this.externalId;
request.groups = this.groups
.filter((g) => (g as any).checked && !g.accessAll)
.map(
(g) => new SelectionReadOnlyRequest(g.id, !!(g as any).readOnly, !!(g as any).hidePasswords)
);
try {
if (this.editMode) {
this.formPromise = this.apiService.putCollection(
this.organizationId,
this.collectionId,
request
);
} else {
this.formPromise = this.apiService.postCollection(this.organizationId, request);
}
await this.formPromise;
this.platformUtilsService.showToast(
"success",
null,
this.i18nService.t(this.editMode ? "editedCollectionId" : "createdCollectionId", this.name)
);
this.onSavedCollection.emit();
} catch (e) {
this.logService.error(e);
}
}
async delete() {
if (!this.editMode) {
return;
}
const confirmed = await this.platformUtilsService.showDialog(
this.i18nService.t("deleteCollectionConfirmation"),
this.name,
this.i18nService.t("yes"),
this.i18nService.t("no"),
"warning"
);
if (!confirmed) {
return false;
}
try {
this.deletePromise = this.apiService.deleteCollection(this.organizationId, this.collectionId);
await this.deletePromise;
this.platformUtilsService.showToast(
"success",
null,
this.i18nService.t("deletedCollectionId", this.name)
);
this.onDeletedCollection.emit();
} catch (e) {
this.logService.error(e);
}
}
}
| bitwarden/web/src/app/organizations/manage/collection-add-edit.component.ts/0 | {
"file_path": "bitwarden/web/src/app/organizations/manage/collection-add-edit.component.ts",
"repo_id": "bitwarden",
"token_count": 2302
} | 142 |
import { Component, OnInit, ViewChild, ViewContainerRef } from "@angular/core";
import { ActivatedRoute, Router } from "@angular/router";
import { first } from "rxjs/operators";
import { ModalService } from "jslib-angular/services/modal.service";
import { ApiService } from "jslib-common/abstractions/api.service";
import { OrganizationService } from "jslib-common/abstractions/organization.service";
import { PolicyType } from "jslib-common/enums/policyType";
import { Organization } from "jslib-common/models/domain/organization";
import { PolicyResponse } from "jslib-common/models/response/policyResponse";
import { PolicyListService } from "../../services/policy-list.service";
import { BasePolicy } from "../policies/base-policy.component";
import { PolicyEditComponent } from "./policy-edit.component";
@Component({
selector: "app-org-policies",
templateUrl: "policies.component.html",
})
export class PoliciesComponent implements OnInit {
@ViewChild("editTemplate", { read: ViewContainerRef, static: true })
editModalRef: ViewContainerRef;
loading = true;
organizationId: string;
policies: BasePolicy[];
organization: Organization;
private orgPolicies: PolicyResponse[];
private policiesEnabledMap: Map<PolicyType, boolean> = new Map<PolicyType, boolean>();
constructor(
private apiService: ApiService,
private route: ActivatedRoute,
private modalService: ModalService,
private organizationService: OrganizationService,
private policyListService: PolicyListService,
private router: Router
) {}
async ngOnInit() {
this.route.parent.parent.params.subscribe(async (params) => {
this.organizationId = params.organizationId;
this.organization = await this.organizationService.get(this.organizationId);
if (this.organization == null || !this.organization.usePolicies) {
this.router.navigate(["/organizations", this.organizationId]);
return;
}
this.policies = this.policyListService.getPolicies();
await this.load();
// Handle policies component launch from Event message
this.route.queryParams.pipe(first()).subscribe(async (qParams) => {
if (qParams.policyId != null) {
const policyIdFromEvents: string = qParams.policyId;
for (const orgPolicy of this.orgPolicies) {
if (orgPolicy.id === policyIdFromEvents) {
for (let i = 0; i < this.policies.length; i++) {
if (this.policies[i].type === orgPolicy.type) {
this.edit(this.policies[i]);
break;
}
}
break;
}
}
}
});
});
}
async load() {
const response = await this.apiService.getPolicies(this.organizationId);
this.orgPolicies = response.data != null && response.data.length > 0 ? response.data : [];
this.orgPolicies.forEach((op) => {
this.policiesEnabledMap.set(op.type, op.enabled);
});
this.loading = false;
}
async edit(policy: BasePolicy) {
const [modal] = await this.modalService.openViewRef(
PolicyEditComponent,
this.editModalRef,
(comp) => {
comp.policy = policy;
comp.organizationId = this.organizationId;
comp.policiesEnabledMap = this.policiesEnabledMap;
comp.onSavedPolicy.subscribe(() => {
modal.close();
this.load();
});
}
);
}
}
| bitwarden/web/src/app/organizations/manage/policies.component.ts/0 | {
"file_path": "bitwarden/web/src/app/organizations/manage/policies.component.ts",
"repo_id": "bitwarden",
"token_count": 1303
} | 143 |
import { Component } from "@angular/core";
import { FormBuilder } from "@angular/forms";
import { I18nService } from "jslib-common/abstractions/i18n.service";
import { OrganizationService } from "jslib-common/abstractions/organization.service";
import { PolicyType } from "jslib-common/enums/policyType";
import { BasePolicy, BasePolicyComponent } from "./base-policy.component";
export class MasterPasswordPolicy extends BasePolicy {
name = "masterPass";
description = "masterPassPolicyDesc";
type = PolicyType.MasterPassword;
component = MasterPasswordPolicyComponent;
}
@Component({
selector: "policy-master-password",
templateUrl: "master-password.component.html",
})
export class MasterPasswordPolicyComponent extends BasePolicyComponent {
data = this.formBuilder.group({
minComplexity: [null],
minLength: [null],
requireUpper: [null],
requireLower: [null],
requireNumbers: [null],
requireSpecial: [null],
});
passwordScores: { name: string; value: number }[];
showKeyConnectorInfo = false;
constructor(
private formBuilder: FormBuilder,
i18nService: I18nService,
private organizationService: OrganizationService
) {
super();
this.passwordScores = [
{ name: "-- " + i18nService.t("select") + " --", value: null },
{ name: i18nService.t("weak") + " (0)", value: 0 },
{ name: i18nService.t("weak") + " (1)", value: 1 },
{ name: i18nService.t("weak") + " (2)", value: 2 },
{ name: i18nService.t("good") + " (3)", value: 3 },
{ name: i18nService.t("strong") + " (4)", value: 4 },
];
}
async ngOnInit() {
super.ngOnInit();
const organization = await this.organizationService.get(this.policyResponse.organizationId);
this.showKeyConnectorInfo = organization.keyConnectorEnabled;
}
}
| bitwarden/web/src/app/organizations/policies/master-password.component.ts/0 | {
"file_path": "bitwarden/web/src/app/organizations/policies/master-password.component.ts",
"repo_id": "bitwarden",
"token_count": 608
} | 144 |
<div class="page-header">
<h1>{{ "myOrganization" | i18n }}</h1>
</div>
<div *ngIf="loading">
<i
class="bwi bwi-spinner bwi-spin text-muted"
title="{{ 'loading' | i18n }}"
aria-hidden="true"
></i>
<span class="sr-only">{{ "loading" | i18n }}</span>
</div>
<form
*ngIf="org && !loading"
#form
(ngSubmit)="submit()"
[appApiAction]="formPromise"
ngNativeValidate
>
<div class="row">
<div class="col-6">
<div class="form-group">
<label for="name">{{ "organizationName" | i18n }}</label>
<input
id="name"
class="form-control"
type="text"
name="Name"
[(ngModel)]="org.name"
[disabled]="selfHosted"
/>
</div>
<div class="form-group">
<label for="billingEmail">{{ "billingEmail" | i18n }}</label>
<input
id="billingEmail"
class="form-control"
type="text"
name="BillingEmail"
[(ngModel)]="org.billingEmail"
[disabled]="selfHosted || !canManageBilling"
/>
</div>
<div class="form-group">
<label for="businessName">{{ "businessName" | i18n }}</label>
<input
id="businessName"
class="form-control"
type="text"
name="BusinessName"
[(ngModel)]="org.businessName"
[disabled]="selfHosted || !canManageBilling"
/>
</div>
<div class="form-group">
<label for="identifier">{{ "identifier" | i18n }}</label>
<input
id="identifier"
class="form-control"
type="text"
name="Identifier"
[(ngModel)]="org.identifier"
/>
</div>
</div>
<div class="col-6">
<app-avatar data="{{ org.name }}" dynamic="true" size="75" fontSize="35"></app-avatar>
</div>
</div>
<button type="submit" class="btn btn-primary btn-submit" [disabled]="form.loading">
<i class="bwi bwi-spinner bwi-spin" title="{{ 'loading' | i18n }}" aria-hidden="true"></i>
<span>{{ "save" | i18n }}</span>
</button>
</form>
<ng-container *ngIf="canUseApi">
<div class="secondary-header border-0 mb-0">
<h1>{{ "apiKey" | i18n }}</h1>
</div>
<p>
{{ "apiKeyDesc" | i18n }}
<a href="https://docs.bitwarden.com" target="_blank" rel="noopener">
{{ "learnMore" | i18n }}
</a>
</p>
<button type="button" class="btn btn-outline-secondary" (click)="viewApiKey()">
{{ "viewApiKey" | i18n }}
</button>
<button type="button" class="btn btn-outline-secondary" (click)="rotateApiKey()">
{{ "rotateApiKey" | i18n }}
</button>
</ng-container>
<div class="secondary-header border-0 mb-0">
<h1>{{ "taxInformation" | i18n }}</h1>
</div>
<p>{{ "taxInformationDesc" | i18n }}</p>
<div *ngIf="!org || loading">
<i
class="bwi bwi-spinner bwi-spin text-muted"
title="{{ 'loading' | i18n }}"
aria-hidden="true"
></i>
<span class="sr-only">{{ "loading" | i18n }}</span>
</div>
<form
*ngIf="org && !loading"
#formTax
(ngSubmit)="submitTaxInfo()"
[appApiAction]="taxFormPromise"
ngNativeValidate
>
<app-tax-info></app-tax-info>
<button type="submit" class="btn btn-primary btn-submit" [disabled]="formTax.loading">
<i class="bwi bwi-spinner bwi-spin" title="{{ 'loading' | i18n }}" aria-hidden="true"></i>
<span>{{ "save" | i18n }}</span>
</button>
</form>
<div class="secondary-header text-danger border-0 mb-0">
<h1>{{ "dangerZone" | i18n }}</h1>
</div>
<div class="card border-danger">
<div class="card-body">
<p>{{ "dangerZoneDesc" | i18n }}</p>
<button type="button" class="btn btn-outline-danger" (click)="deleteOrganization()">
{{ "deleteOrganization" | i18n }}
</button>
<button type="button" class="btn btn-outline-danger" (click)="purgeVault()">
{{ "purgeVault" | i18n }}
</button>
</div>
</div>
<ng-template #deleteOrganizationTemplate></ng-template>
<ng-template #purgeOrganizationTemplate></ng-template>
<ng-template #apiKeyTemplate></ng-template>
<ng-template #rotateApiKeyTemplate></ng-template>
| bitwarden/web/src/app/organizations/settings/account.component.html/0 | {
"file_path": "bitwarden/web/src/app/organizations/settings/account.component.html",
"repo_id": "bitwarden",
"token_count": 1861
} | 145 |
<div class="page-header">
<h1>
{{ "subscription" | i18n }}
<small *ngIf="firstLoaded && loading">
<i
class="bwi bwi-spinner bwi-spin text-muted"
title="{{ 'loading' | i18n }}"
aria-hidden="true"
></i>
<span class="sr-only">{{ "loading" | i18n }}</span>
</small>
</h1>
</div>
<ng-container *ngIf="!firstLoaded && loading">
<i class="bwi bwi-spinner bwi-spin text-muted" title="{{ 'loading' | i18n }}"></i>
<span class="sr-only">{{ "loading" | i18n }}</span>
</ng-container>
<ng-container *ngIf="firstLoaded && !userOrg.canManageBilling">
<div class="tw-flex tw-flex-col tw-items-center tw-text-info">
<app-image-org-subscription-hidden></app-image-org-subscription-hidden>
<p class="tw-font-bold">{{ "billingManagedByProvider" | i18n: this.userOrg.providerName }}</p>
<p>{{ "billingContactProviderForAssistance" | i18n }}</p>
</div>
</ng-container>
<ng-container *ngIf="sub">
<app-callout
type="warning"
title="{{ 'canceled' | i18n }}"
*ngIf="subscription && subscription.cancelled"
>
{{ "subscriptionCanceled" | i18n }}</app-callout
>
<app-callout
type="warning"
title="{{ 'pendingCancellation' | i18n }}"
*ngIf="subscriptionMarkedForCancel"
>
<p>{{ "subscriptionPendingCanceled" | i18n }}</p>
<button
#reinstateBtn
type="button"
class="btn btn-outline-secondary btn-submit"
(click)="reinstate()"
[appApiAction]="reinstatePromise"
[disabled]="reinstateBtn.loading"
>
<i class="bwi bwi-spinner bwi-spin" title="{{ 'loading' | i18n }}" aria-hidden="true"></i>
<span>{{ "reinstateSubscription" | i18n }}</span>
</button>
</app-callout>
<ng-container *ngIf="!selfHosted">
<div class="row">
<div class="col-4">
<dl>
<dt>{{ "billingPlan" | i18n }}</dt>
<dd>{{ sub.plan.name }}</dd>
<ng-container *ngIf="subscription">
<dt>{{ "status" | i18n }}</dt>
<dd>
<span class="text-capitalize">{{
isSponsoredSubscription ? "sponsored" : subscription.status || "-"
}}</span>
<span class="badge badge-warning" *ngIf="subscriptionMarkedForCancel">{{
"pendingCancellation" | i18n
}}</span>
</dd>
<dt>{{ "nextCharge" | i18n }}</dt>
<dd>
{{
nextInvoice
? (nextInvoice.date | date: "mediumDate") +
", " +
(nextInvoice.amount | currency: "$")
: "-"
}}
</dd>
</ng-container>
</dl>
</div>
<div class="col-8" *ngIf="subscription">
<strong class="d-block mb-1">{{ "details" | i18n }}</strong>
<table class="table">
<tbody>
<tr *ngFor="let i of subscription.items">
<td>
{{ i.name }} {{ i.quantity > 1 ? "×" + i.quantity : "" }} @
{{ i.amount | currency: "$" }}
</td>
<td>{{ i.quantity * i.amount | currency: "$" }} /{{ i.interval | i18n }}</td>
</tr>
</tbody>
</table>
</div>
<ng-container *ngIf="userOrg?.providerId != null">
<div class="col-sm">
<dl>
<dt>{{ "provider" | i18n }}</dt>
<dd>{{ "yourProviderIs" | i18n: userOrg.providerName }}</dd>
</dl>
</div>
</ng-container>
</div>
<ng-container>
<button
type="button"
class="btn btn-outline-secondary"
(click)="changePlan()"
*ngIf="showChangePlanButton"
>
{{ "changeBillingPlan" | i18n }}
</button>
<app-change-plan
[organizationId]="organizationId"
(onChanged)="closeChangePlan(true)"
(onCanceled)="closeChangePlan(false)"
*ngIf="showChangePlan"
></app-change-plan>
</ng-container>
<h2 class="spaced-header">{{ "manageSubscription" | i18n }}</h2>
<p class="mb-4">{{ subscriptionDesc }}</p>
<ng-container
*ngIf="
subscription && canAdjustSeats && !subscription.cancelled && !subscriptionMarkedForCancel
"
>
<div class="mt-3">
<app-adjust-subscription
[seatPrice]="seatPrice"
[organizationId]="organizationId"
[interval]="billingInterval"
[currentSeatCount]="seats"
[maxAutoscaleSeats]="maxAutoscaleSeats"
(onAdjusted)="subscriptionAdjusted()"
>
</app-adjust-subscription>
</div>
</ng-container>
<button
#removeSponsorshipBtn
type="button"
class="btn btn-outline-danger btn-submit"
(click)="removeSponsorship()"
[appApiAction]="removeSponsorshipPromise"
[disabled]="removeSponsorshipBtn.loading"
*ngIf="isSponsoredSubscription"
>
<i class="bwi bwi-spinner bwi-spin" title="{{ 'loading' | i18n }}" aria-hidden="true"></i>
<span>{{ "removeSponsorship" | i18n }}</span>
</button>
<h2 class="spaced-header">{{ "storage" | i18n }}</h2>
<p>{{ "subscriptionStorage" | i18n: sub.maxStorageGb || 0:sub.storageName || "0 MB" }}</p>
<div class="progress">
<div
class="progress-bar bg-success"
role="progressbar"
[ngStyle]="{ width: storageProgressWidth + '%' }"
[attr.aria-valuenow]="storagePercentage"
aria-valuemin="0"
aria-valuemax="100"
>
{{ storagePercentage / 100 | percent }}
</div>
</div>
<ng-container *ngIf="subscription && !subscription.cancelled && !subscriptionMarkedForCancel">
<div class="mt-3">
<div class="d-flex" *ngIf="!showAdjustStorage">
<button type="button" class="btn btn-outline-secondary" (click)="adjustStorage(true)">
{{ "addStorage" | i18n }}
</button>
<button
type="button"
class="btn btn-outline-secondary ml-1"
(click)="adjustStorage(false)"
>
{{ "removeStorage" | i18n }}
</button>
</div>
<app-adjust-storage
[storageGbPrice]="storageGbPrice"
[add]="adjustStorageAdd"
[organizationId]="organizationId"
[interval]="billingInterval"
(onAdjusted)="closeStorage(true)"
(onCanceled)="closeStorage(false)"
*ngIf="showAdjustStorage"
></app-adjust-storage>
</div>
</ng-container>
<!--Switch to i18n-->
<h2 class="spaced-header">{{ "selfHostingTitle" | i18n }}</h2>
<p class="mb-4">
{{ "selfHostingEnterpriseOrganizationSectionCopy" | i18n }}
</p>
<div class="d-flex">
<button
type="button"
class="btn btn-outline-secondary"
(click)="downloadLicense()"
*ngIf="canDownloadLicense"
[disabled]="showDownloadLicense"
>
{{ "downloadLicense" | i18n }}
</button>
<button
type="button"
class="btn btn-outline-secondary ml-1"
(click)="manageBillingSync()"
*ngIf="canManageBillingSync"
>
{{ (hasBillingSyncToken ? "manageBillingSync" : "setUpBillingSync") | i18n }}
</button>
</div>
<div class="mt-3" *ngIf="showDownloadLicense">
<app-download-license
[organizationId]="organizationId"
(onDownloaded)="closeDownloadLicense()"
(onCanceled)="closeDownloadLicense()"
></app-download-license>
</div>
<h2 class="spaced-header">{{ "additionalOptions" | i18n }}</h2>
<p class="mb-4">
{{ "additionalOptionsDesc" | i18n }}
</p>
<div class="d-flex">
<button
#cancelBtn
type="button"
class="btn btn-outline-danger btn-submit ml-1"
(click)="cancel()"
[appApiAction]="cancelPromise"
[disabled]="cancelBtn.loading"
*ngIf="subscription && !subscription.cancelled && !subscriptionMarkedForCancel"
>
<i class="bwi bwi-spinner bwi-spin" title="{{ 'loading' | i18n }}" aria-hidden="true"></i>
<span>{{ "cancelSubscription" | i18n }}</span>
</button>
</div>
</ng-container>
<ng-container *ngIf="selfHosted">
<dl>
<dt>{{ "billingPlan" | i18n }}</dt>
<dd>{{ sub.plan.name }}</dd>
<dt>{{ "expiration" | i18n }}</dt>
<dd *ngIf="sub.expiration">
{{ sub.expiration | date: "mediumDate" }}
<span *ngIf="isExpired" class="text-danger ml-2">
<i class="bwi bwi-exclamation-triangle" aria-hidden="true"></i>
{{ "licenseIsExpired" | i18n }}
</span>
</dd>
<dd *ngIf="!sub.expiration">{{ "neverExpires" | i18n }}</dd>
</dl>
<div>
<button type="button" class="btn btn-outline-secondary" (click)="updateLicense()">
{{ "updateLicense" | i18n }}
</button>
<a
href="https://vault.bitwarden.com"
target="_blank"
rel="noopener"
class="btn btn-outline-secondary"
>
{{ "manageSubscription" | i18n }}
</a>
</div>
<div class="card mt-3" *ngIf="showUpdateLicense">
<div class="card-body">
<button
type="button"
class="close"
appA11yTitle="{{ 'cancel' | i18n }}"
(click)="closeUpdateLicense(false)"
>
<span aria-hidden="true">×</span>
</button>
<h3 class="card-body-header">{{ "updateLicense" | i18n }}</h3>
<app-update-license
[organizationId]="organizationId"
(onUpdated)="closeUpdateLicense(true)"
(onCanceled)="closeUpdateLicense(false)"
></app-update-license>
</div>
</div>
<div *ngIf="showBillingSyncKey">
<h2 class="mt-5">
{{ "billingSync" | i18n }}
</h2>
<p>
{{ "billingSyncDesc" | i18n }}
</p>
<button
type="button"
class="btn btn-outline-secondary"
(click)="manageBillingSyncSelfHosted()"
>
{{ "manageBillingSync" | i18n }}
</button>
<small class="form-text text-muted" *ngIf="billingSyncSetUp">
{{ "lastSync" | i18n }}:
<span *ngIf="userOrg.familySponsorshipLastSyncDate != null">
{{ userOrg.familySponsorshipLastSyncDate | date: "medium" }}
</span>
<span *ngIf="userOrg.familySponsorshipLastSyncDate == null">
{{ "never" | i18n | lowercase }}
</span>
</small>
</div>
</ng-container>
</ng-container>
<ng-template #setupBillingSyncTemplate></ng-template>
<ng-template #rotateBillingSyncKeyTemplate></ng-template>
| bitwarden/web/src/app/organizations/settings/organization-subscription.component.html/0 | {
"file_path": "bitwarden/web/src/app/organizations/settings/organization-subscription.component.html",
"repo_id": "bitwarden",
"token_count": 5209
} | 146 |
import { Component } from "@angular/core";
import { ActivatedRoute } from "@angular/router";
import { ModalService } from "jslib-angular/services/modal.service";
import { CipherService } from "jslib-common/abstractions/cipher.service";
import { MessagingService } from "jslib-common/abstractions/messaging.service";
import { OrganizationService } from "jslib-common/abstractions/organization.service";
import { PasswordRepromptService } from "jslib-common/abstractions/passwordReprompt.service";
import { StateService } from "jslib-common/abstractions/state.service";
import { CipherView } from "jslib-common/models/view/cipherView";
import { UnsecuredWebsitesReportComponent as BaseUnsecuredWebsitesReportComponent } from "../../reports/unsecured-websites-report.component";
@Component({
selector: "app-unsecured-websites-report",
templateUrl: "../../reports/unsecured-websites-report.component.html",
})
export class UnsecuredWebsitesReportComponent extends BaseUnsecuredWebsitesReportComponent {
constructor(
cipherService: CipherService,
modalService: ModalService,
messagingService: MessagingService,
stateService: StateService,
private route: ActivatedRoute,
private organizationService: OrganizationService,
passwordRepromptService: PasswordRepromptService
) {
super(cipherService, modalService, messagingService, stateService, passwordRepromptService);
}
async ngOnInit() {
this.route.parent.parent.params.subscribe(async (params) => {
this.organization = await this.organizationService.get(params.organizationId);
await super.ngOnInit();
});
}
getAllCiphers(): Promise<CipherView[]> {
return this.cipherService.getAllFromApiForOrganization(this.organization.id);
}
}
| bitwarden/web/src/app/organizations/tools/unsecured-websites-report.component.ts/0 | {
"file_path": "bitwarden/web/src/app/organizations/tools/unsecured-websites-report.component.ts",
"repo_id": "bitwarden",
"token_count": 540
} | 147 |
<div class="page-header">
<h1>
{{ "inactive2faReport" | i18n }}
<small *ngIf="hasLoaded && loading">
<i
class="bwi bwi-spinner bwi-spin text-muted"
title="{{ 'loading' | i18n }}"
aria-hidden="true"
></i>
<span class="sr-only">{{ "loading" | i18n }}</span>
</small>
</h1>
</div>
<p>{{ "inactive2faReportDesc" | i18n }}</p>
<div *ngIf="!hasLoaded && loading">
<i
class="bwi bwi-spinner bwi-spin text-muted"
title="{{ 'loading' | i18n }}"
aria-hidden="true"
></i>
<span class="sr-only">{{ "loading" | i18n }}</span>
</div>
<div class="mt-4" *ngIf="hasLoaded">
<app-callout type="success" title="{{ 'goodNews' | i18n }}" *ngIf="!ciphers.length">
{{ "noInactive2fa" | i18n }}
</app-callout>
<ng-container *ngIf="ciphers.length">
<app-callout type="danger" title="{{ 'inactive2faFound' | i18n }}">
{{ "inactive2faFoundDesc" | i18n: (ciphers.length | number) }}
</app-callout>
<table class="table table-hover table-list table-ciphers">
<tbody>
<tr *ngFor="let c of ciphers">
<td class="table-list-icon">
<app-vault-icon [cipher]="c"></app-vault-icon>
</td>
<td class="reduced-lh wrap">
<a href="#" appStopClick (click)="selectCipher(c)" title="{{ 'editItem' | i18n }}">{{
c.name
}}</a>
<ng-container *ngIf="!organization && c.organizationId">
<i
class="bwi bwi-collection"
appStopProp
title="{{ 'shared' | i18n }}"
aria-hidden="true"
></i>
<span class="sr-only">{{ "shared" | i18n }}</span>
</ng-container>
<ng-container *ngIf="c.hasAttachments">
<i
class="bwi bwi-paperclip"
appStopProp
title="{{ 'attachments' | i18n }}"
aria-hidden="true"
></i>
<span class="sr-only">{{ "attachments" | i18n }}</span>
</ng-container>
<br />
<small>{{ c.subTitle }}</small>
</td>
<td class="text-right">
<a
class="badge badge-primary"
href="{{ cipherDocs.get(c.id) }}"
target="_blank"
rel="noopener"
*ngIf="cipherDocs.has(c.id)"
>
{{ "instructions" | i18n }}</a
>
</td>
</tr>
</tbody>
</table>
</ng-container>
</div>
<ng-template #cipherAddEdit></ng-template>
| bitwarden/web/src/app/reports/inactive-two-factor-report.component.html/0 | {
"file_path": "bitwarden/web/src/app/reports/inactive-two-factor-report.component.html",
"repo_id": "bitwarden",
"token_count": 1410
} | 148 |
import { Component, OnInit } from "@angular/core";
import { ActivatedRoute } from "@angular/router";
import { ApiService } from "jslib-common/abstractions/api.service";
import { CryptoService } from "jslib-common/abstractions/crypto.service";
import { CryptoFunctionService } from "jslib-common/abstractions/cryptoFunction.service";
import { I18nService } from "jslib-common/abstractions/i18n.service";
import { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service";
import { SEND_KDF_ITERATIONS } from "jslib-common/enums/kdfType";
import { SendType } from "jslib-common/enums/sendType";
import { Utils } from "jslib-common/misc/utils";
import { SendAccess } from "jslib-common/models/domain/sendAccess";
import { SymmetricCryptoKey } from "jslib-common/models/domain/symmetricCryptoKey";
import { SendAccessRequest } from "jslib-common/models/request/sendAccessRequest";
import { ErrorResponse } from "jslib-common/models/response/errorResponse";
import { SendAccessResponse } from "jslib-common/models/response/sendAccessResponse";
import { SendAccessView } from "jslib-common/models/view/sendAccessView";
@Component({
selector: "app-send-access",
templateUrl: "access.component.html",
})
export class AccessComponent implements OnInit {
send: SendAccessView;
sendType = SendType;
downloading = false;
loading = true;
passwordRequired = false;
formPromise: Promise<SendAccessResponse>;
password: string;
showText = false;
unavailable = false;
error = false;
hideEmail = false;
private id: string;
private key: string;
private decKey: SymmetricCryptoKey;
private accessRequest: SendAccessRequest;
constructor(
private i18nService: I18nService,
private cryptoFunctionService: CryptoFunctionService,
private apiService: ApiService,
private platformUtilsService: PlatformUtilsService,
private route: ActivatedRoute,
private cryptoService: CryptoService
) {}
get sendText() {
if (this.send == null || this.send.text == null) {
return null;
}
return this.showText ? this.send.text.text : this.send.text.maskedText;
}
get expirationDate() {
if (this.send == null || this.send.expirationDate == null) {
return null;
}
return this.send.expirationDate;
}
get creatorIdentifier() {
if (this.send == null || this.send.creatorIdentifier == null) {
return null;
}
return this.send.creatorIdentifier;
}
ngOnInit() {
this.route.params.subscribe(async (params) => {
this.id = params.sendId;
this.key = params.key;
if (this.key == null || this.id == null) {
return;
}
await this.load();
});
}
async download() {
if (this.send == null || this.decKey == null) {
return;
}
if (this.downloading) {
return;
}
const downloadData = await this.apiService.getSendFileDownloadData(
this.send,
this.accessRequest
);
if (Utils.isNullOrWhitespace(downloadData.url)) {
this.platformUtilsService.showToast("error", null, this.i18nService.t("missingSendFile"));
return;
}
this.downloading = true;
const response = await fetch(new Request(downloadData.url, { cache: "no-store" }));
if (response.status !== 200) {
this.platformUtilsService.showToast("error", null, this.i18nService.t("errorOccurred"));
this.downloading = false;
return;
}
try {
const buf = await response.arrayBuffer();
const decBuf = await this.cryptoService.decryptFromBytes(buf, this.decKey);
this.platformUtilsService.saveFile(window, decBuf, null, this.send.file.fileName);
} catch (e) {
this.platformUtilsService.showToast("error", null, this.i18nService.t("errorOccurred"));
}
this.downloading = false;
}
copyText() {
this.platformUtilsService.copyToClipboard(this.send.text.text);
this.platformUtilsService.showToast(
"success",
null,
this.i18nService.t("valueCopied", this.i18nService.t("sendTypeText"))
);
}
toggleText() {
this.showText = !this.showText;
}
async load() {
this.unavailable = false;
this.error = false;
this.hideEmail = false;
const keyArray = Utils.fromUrlB64ToArray(this.key);
this.accessRequest = new SendAccessRequest();
if (this.password != null) {
const passwordHash = await this.cryptoFunctionService.pbkdf2(
this.password,
keyArray,
"sha256",
SEND_KDF_ITERATIONS
);
this.accessRequest.password = Utils.fromBufferToB64(passwordHash);
}
try {
let sendResponse: SendAccessResponse = null;
if (this.loading) {
sendResponse = await this.apiService.postSendAccess(this.id, this.accessRequest);
} else {
this.formPromise = this.apiService.postSendAccess(this.id, this.accessRequest);
sendResponse = await this.formPromise;
}
this.passwordRequired = false;
const sendAccess = new SendAccess(sendResponse);
this.decKey = await this.cryptoService.makeSendKey(keyArray);
this.send = await sendAccess.decrypt(this.decKey);
this.showText = this.send.text != null ? !this.send.text.hidden : true;
} catch (e) {
if (e instanceof ErrorResponse) {
if (e.statusCode === 401) {
this.passwordRequired = true;
} else if (e.statusCode === 404) {
this.unavailable = true;
} else {
this.error = true;
}
}
}
this.loading = false;
this.hideEmail =
this.creatorIdentifier == null &&
!this.passwordRequired &&
!this.loading &&
!this.unavailable;
}
}
| bitwarden/web/src/app/send/access.component.ts/0 | {
"file_path": "bitwarden/web/src/app/send/access.component.ts",
"repo_id": "bitwarden",
"token_count": 2128
} | 149 |
import {
Component,
ElementRef,
EventEmitter,
Input,
OnInit,
Output,
ViewChild,
} from "@angular/core";
import { ApiService } from "jslib-common/abstractions/api.service";
import { PayPalConfig } from "jslib-common/abstractions/environment.service";
import { LogService } from "jslib-common/abstractions/log.service";
import { OrganizationService } from "jslib-common/abstractions/organization.service";
import { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service";
import { StateService } from "jslib-common/abstractions/state.service";
import { PaymentMethodType } from "jslib-common/enums/paymentMethodType";
import { BitPayInvoiceRequest } from "jslib-common/models/request/bitPayInvoiceRequest";
@Component({
selector: "app-add-credit",
templateUrl: "add-credit.component.html",
})
export class AddCreditComponent implements OnInit {
@Input() creditAmount: string;
@Input() showOptions = true;
@Input() method = PaymentMethodType.PayPal;
@Input() organizationId: string;
@Output() onAdded = new EventEmitter();
@Output() onCanceled = new EventEmitter();
@ViewChild("ppButtonForm", { read: ElementRef, static: true }) ppButtonFormRef: ElementRef;
paymentMethodType = PaymentMethodType;
ppButtonFormAction: string;
ppButtonBusinessId: string;
ppButtonCustomField: string;
ppLoading = false;
subject: string;
returnUrl: string;
formPromise: Promise<any>;
private userId: string;
private name: string;
private email: string;
constructor(
private stateService: StateService,
private apiService: ApiService,
private platformUtilsService: PlatformUtilsService,
private organizationService: OrganizationService,
private logService: LogService
) {
const payPalConfig = process.env.PAYPAL_CONFIG as PayPalConfig;
this.ppButtonFormAction = payPalConfig.buttonAction;
this.ppButtonBusinessId = payPalConfig.businessId;
}
async ngOnInit() {
if (this.organizationId != null) {
if (this.creditAmount == null) {
this.creditAmount = "20.00";
}
this.ppButtonCustomField = "organization_id:" + this.organizationId;
const org = await this.organizationService.get(this.organizationId);
if (org != null) {
this.subject = org.name;
this.name = org.name;
}
} else {
if (this.creditAmount == null) {
this.creditAmount = "10.00";
}
this.userId = await this.stateService.getUserId();
this.subject = await this.stateService.getEmail();
this.email = this.subject;
this.ppButtonCustomField = "user_id:" + this.userId;
}
this.ppButtonCustomField += ",account_credit:1";
this.returnUrl = window.location.href;
}
async submit() {
if (this.creditAmount == null || this.creditAmount === "") {
return;
}
if (this.method === PaymentMethodType.PayPal) {
this.ppButtonFormRef.nativeElement.submit();
this.ppLoading = true;
return;
}
if (this.method === PaymentMethodType.BitPay) {
try {
const req = new BitPayInvoiceRequest();
req.email = this.email;
req.name = this.name;
req.credit = true;
req.amount = this.creditAmountNumber;
req.organizationId = this.organizationId;
req.userId = this.userId;
req.returnUrl = this.returnUrl;
this.formPromise = this.apiService.postBitPayInvoice(req);
const bitPayUrl: string = await this.formPromise;
this.platformUtilsService.launchUri(bitPayUrl);
} catch (e) {
this.logService.error(e);
}
return;
}
try {
this.onAdded.emit();
} catch (e) {
this.logService.error(e);
}
}
cancel() {
this.onCanceled.emit();
}
formatAmount() {
try {
if (this.creditAmount != null && this.creditAmount !== "") {
const floatAmount = Math.abs(parseFloat(this.creditAmount));
if (floatAmount > 0) {
this.creditAmount = parseFloat((Math.round(floatAmount * 100) / 100).toString())
.toFixed(2)
.toString();
return;
}
}
} catch (e) {
this.logService.error(e);
}
this.creditAmount = "";
}
get creditAmountNumber(): number {
if (this.creditAmount != null && this.creditAmount !== "") {
try {
return parseFloat(this.creditAmount);
} catch (e) {
this.logService.error(e);
}
}
return null;
}
}
| bitwarden/web/src/app/settings/add-credit.component.ts/0 | {
"file_path": "bitwarden/web/src/app/settings/add-credit.component.ts",
"repo_id": "bitwarden",
"token_count": 1712
} | 150 |
import { Component, OnInit, ViewChild } from "@angular/core";
import { ActivatedRoute } from "@angular/router";
import { first } from "rxjs/operators";
import { PlanType } from "jslib-common/enums/planType";
import { ProductType } from "jslib-common/enums/productType";
import { OrganizationPlansComponent } from "./organization-plans.component";
@Component({
selector: "app-create-organization",
templateUrl: "create-organization.component.html",
})
export class CreateOrganizationComponent implements OnInit {
@ViewChild(OrganizationPlansComponent, { static: true })
orgPlansComponent: OrganizationPlansComponent;
constructor(private route: ActivatedRoute) {}
ngOnInit() {
this.route.queryParams.pipe(first()).subscribe(async (qParams) => {
if (qParams.plan === "families") {
this.orgPlansComponent.plan = PlanType.FamiliesAnnually;
this.orgPlansComponent.product = ProductType.Families;
} else if (qParams.plan === "teams") {
this.orgPlansComponent.plan = PlanType.TeamsAnnually;
this.orgPlansComponent.product = ProductType.Teams;
} else if (qParams.plan === "enterprise") {
this.orgPlansComponent.plan = PlanType.EnterpriseAnnually;
this.orgPlansComponent.product = ProductType.Enterprise;
}
});
}
}
| bitwarden/web/src/app/settings/create-organization.component.ts/0 | {
"file_path": "bitwarden/web/src/app/settings/create-organization.component.ts",
"repo_id": "bitwarden",
"token_count": 451
} | 151 |
<div class="page-header">
<h1>{{ "emergencyAccess" | i18n }}</h1>
</div>
<p>
{{ "emergencyAccessDesc" | i18n }}
<a href="https://bitwarden.com/help/emergency-access/" target="_blank" rel="noopener">
{{ "learnMore" | i18n }}.
</a>
</p>
<p *ngIf="isOrganizationOwner">
<b>{{ "warning" | i18n }}:</b> {{ "emergencyAccessOwnerWarning" | i18n }}
</p>
<div class="page-header d-flex">
<h2>
{{ "trustedEmergencyContacts" | i18n }}
<app-premium-badge></app-premium-badge>
</h2>
<div class="ml-auto d-flex">
<button
class="btn btn-sm btn-outline-primary ml-3"
type="button"
(click)="invite()"
[disabled]="!canAccessPremium"
>
<i aria-hidden="true" class="bwi bwi-plus bwi-fw"></i>
{{ "addEmergencyContact" | i18n }}
</button>
</div>
</div>
<table class="table table-hover table-list mb-0" *ngIf="trustedContacts && trustedContacts.length">
<tbody>
<tr *ngFor="let c of trustedContacts; let i = index">
<td width="30">
<app-avatar
[data]="c | userName"
[email]="c.email"
size="25"
[circle]="true"
[fontSize]="14"
>
</app-avatar>
</td>
<td>
<a href="#" appStopClick (click)="edit(c)">{{ c.email }}</a>
<span
class="badge badge-secondary"
*ngIf="c.status === emergencyAccessStatusType.Invited"
>{{ "invited" | i18n }}</span
>
<span class="badge badge-warning" *ngIf="c.status === emergencyAccessStatusType.Accepted">{{
"accepted" | i18n
}}</span>
<span
class="badge badge-warning"
*ngIf="c.status === emergencyAccessStatusType.RecoveryInitiated"
>{{ "emergencyAccessRecoveryInitiated" | i18n }}</span
>
<span
class="badge badge-success"
*ngIf="c.status === emergencyAccessStatusType.RecoveryApproved"
>{{ "emergencyAccessRecoveryApproved" | i18n }}</span
>
<span class="badge badge-primary" *ngIf="c.type === emergencyAccessType.View">{{
"view" | i18n
}}</span>
<span class="badge badge-primary" *ngIf="c.type === emergencyAccessType.Takeover">{{
"takeover" | i18n
}}</span>
<small class="text-muted d-block" *ngIf="c.name">{{ c.name }}</small>
</td>
<td class="table-list-options">
<div class="dropdown" appListDropdown>
<button
class="btn btn-outline-secondary dropdown-toggle"
type="button"
data-toggle="dropdown"
aria-haspopup="true"
aria-expanded="false"
appA11yTitle="{{ 'options' | i18n }}"
>
<i class="bwi bwi-cog bwi-lg" aria-hidden="true"></i>
</button>
<div class="dropdown-menu dropdown-menu-right">
<a
class="dropdown-item"
href="#"
appStopClick
(click)="reinvite(c)"
*ngIf="c.status === emergencyAccessStatusType.Invited"
>
<i class="bwi bwi-fw bwi-envelope" aria-hidden="true"></i>
{{ "resendInvitation" | i18n }}
</a>
<a
class="dropdown-item text-success"
href="#"
appStopClick
(click)="confirm(c)"
*ngIf="c.status === emergencyAccessStatusType.Accepted"
>
<i class="bwi bwi-fw bwi-check" aria-hidden="true"></i>
{{ "confirm" | i18n }}
</a>
<a
class="dropdown-item text-success"
href="#"
appStopClick
(click)="approve(c)"
*ngIf="c.status === emergencyAccessStatusType.RecoveryInitiated"
>
<i class="bwi bwi-fw bwi-check" aria-hidden="true"></i>
{{ "approve" | i18n }}
</a>
<a
class="dropdown-item text-warning"
href="#"
appStopClick
(click)="reject(c)"
*ngIf="
c.status === emergencyAccessStatusType.RecoveryInitiated ||
c.status === emergencyAccessStatusType.RecoveryApproved
"
>
<i class="bwi bwi-fw bwi-close" aria-hidden="true"></i>
{{ "reject" | i18n }}
</a>
<a class="dropdown-item text-danger" href="#" appStopClick (click)="remove(c)">
<i class="bwi bwi-fw bwi-close" aria-hidden="true"></i>
{{ "remove" | i18n }}
</a>
</div>
</div>
</td>
</tr>
</tbody>
</table>
<p *ngIf="!trustedContacts || !trustedContacts.length">{{ "noTrustedContacts" | i18n }}</p>
<div class="page-header spaced-header">
<h2>{{ "designatedEmergencyContacts" | i18n }}</h2>
</div>
<table class="table table-hover table-list mb-0" *ngIf="grantedContacts && grantedContacts.length">
<tbody>
<tr *ngFor="let c of grantedContacts; let i = index">
<td width="30">
<app-avatar
[data]="c | userName"
[email]="c.email"
size="25"
[circle]="true"
[fontSize]="14"
>
</app-avatar>
</td>
<td>
<span>{{ c.email }}</span>
<span
class="badge badge-secondary"
*ngIf="c.status === emergencyAccessStatusType.Invited"
>{{ "invited" | i18n }}</span
>
<span class="badge badge-warning" *ngIf="c.status === emergencyAccessStatusType.Accepted">{{
"accepted" | i18n
}}</span>
<span
class="badge badge-warning"
*ngIf="c.status === emergencyAccessStatusType.RecoveryInitiated"
>{{ "emergencyAccessRecoveryInitiated" | i18n }}</span
>
<span
class="badge badge-success"
*ngIf="c.status === emergencyAccessStatusType.RecoveryApproved"
>{{ "emergencyAccessRecoveryApproved" | i18n }}</span
>
<span class="badge badge-primary" *ngIf="c.type === emergencyAccessType.View">{{
"view" | i18n
}}</span>
<span class="badge badge-primary" *ngIf="c.type === emergencyAccessType.Takeover">{{
"takeover" | i18n
}}</span>
<small class="text-muted d-block" *ngIf="c.name">{{ c.name }}</small>
</td>
<td class="table-list-options">
<div class="dropdown" appListDropdown>
<button
class="btn btn-outline-secondary dropdown-toggle"
type="button"
data-toggle="dropdown"
aria-haspopup="true"
aria-expanded="false"
appA11yTitle="{{ 'options' | i18n }}"
>
<i class="bwi bwi-cog bwi-lg" aria-hidden="true"></i>
</button>
<div class="dropdown-menu dropdown-menu-right">
<a
class="dropdown-item"
href="#"
appStopClick
(click)="requestAccess(c)"
*ngIf="c.status === emergencyAccessStatusType.Confirmed"
>
<i class="bwi bwi-fw bwi-envelope" aria-hidden="true"></i>
{{ "requestAccess" | i18n }}
</a>
<a
class="dropdown-item"
href="#"
appStopClick
(click)="takeover(c)"
*ngIf="
c.status === emergencyAccessStatusType.RecoveryApproved &&
c.type === emergencyAccessType.Takeover
"
>
<i class="bwi bwi-fw bwi-key" aria-hidden="true"></i>
{{ "takeover" | i18n }}
</a>
<a
class="dropdown-item"
[routerLink]="c.id"
*ngIf="
c.status === emergencyAccessStatusType.RecoveryApproved &&
c.type === emergencyAccessType.View
"
>
<i class="bwi bwi-fw bwi-eye" aria-hidden="true"></i>
{{ "view" | i18n }}
</a>
<a class="dropdown-item text-danger" href="#" appStopClick (click)="remove(c)">
<i class="bwi bwi-fw bwi-close" aria-hidden="true"></i>
{{ "remove" | i18n }}
</a>
</div>
</div>
</td>
</tr>
</tbody>
</table>
<p *ngIf="!grantedContacts || !grantedContacts.length">{{ "noGrantedAccess" | i18n }}</p>
<ng-template #addEdit></ng-template>
<ng-template #takeoverTemplate></ng-template>
<ng-template #confirmTemplate></ng-template>
| bitwarden/web/src/app/settings/emergency-access.component.html/0 | {
"file_path": "bitwarden/web/src/app/settings/emergency-access.component.html",
"repo_id": "bitwarden",
"token_count": 4540
} | 152 |
import { Component, Input } from "@angular/core";
import { Router } from "@angular/router";
import { ApiService } from "jslib-common/abstractions/api.service";
import { I18nService } from "jslib-common/abstractions/i18n.service";
import { LogService } from "jslib-common/abstractions/log.service";
import { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service";
import { UserVerificationService } from "jslib-common/abstractions/userVerification.service";
import { Verification } from "jslib-common/types/verification";
@Component({
selector: "app-purge-vault",
templateUrl: "purge-vault.component.html",
})
export class PurgeVaultComponent {
@Input() organizationId?: string = null;
masterPassword: Verification;
formPromise: Promise<any>;
constructor(
private apiService: ApiService,
private i18nService: I18nService,
private platformUtilsService: PlatformUtilsService,
private userVerificationService: UserVerificationService,
private router: Router,
private logService: LogService
) {}
async submit() {
try {
this.formPromise = this.userVerificationService
.buildRequest(this.masterPassword)
.then((request) => this.apiService.postPurgeCiphers(request, this.organizationId));
await this.formPromise;
this.platformUtilsService.showToast("success", null, this.i18nService.t("vaultPurged"));
if (this.organizationId != null) {
this.router.navigate(["organizations", this.organizationId, "vault"]);
} else {
this.router.navigate(["vault"]);
}
} catch (e) {
this.logService.error(e);
}
}
}
| bitwarden/web/src/app/settings/purge-vault.component.ts/0 | {
"file_path": "bitwarden/web/src/app/settings/purge-vault.component.ts",
"repo_id": "bitwarden",
"token_count": 578
} | 153 |
import { Component, EventEmitter, Output } from "@angular/core";
import { ActivatedRoute } from "@angular/router";
import { ApiService } from "jslib-common/abstractions/api.service";
import { LogService } from "jslib-common/abstractions/log.service";
import { OrganizationTaxInfoUpdateRequest } from "jslib-common/models/request/organizationTaxInfoUpdateRequest";
import { TaxInfoUpdateRequest } from "jslib-common/models/request/taxInfoUpdateRequest";
import { TaxRateResponse } from "jslib-common/models/response/taxRateResponse";
@Component({
selector: "app-tax-info",
templateUrl: "tax-info.component.html",
})
export class TaxInfoComponent {
@Output() onCountryChanged = new EventEmitter();
loading = true;
organizationId: string;
taxInfo: any = {
taxId: null,
line1: null,
line2: null,
city: null,
state: null,
postalCode: null,
country: "US",
includeTaxId: false,
};
taxRates: TaxRateResponse[];
private pristine: any = {
taxId: null,
line1: null,
line2: null,
city: null,
state: null,
postalCode: null,
country: "US",
includeTaxId: false,
};
constructor(
private apiService: ApiService,
private route: ActivatedRoute,
private logService: LogService
) {}
async ngOnInit() {
this.route.parent.parent.params.subscribe(async (params) => {
this.organizationId = params.organizationId;
if (this.organizationId) {
try {
const taxInfo = await this.apiService.getOrganizationTaxInfo(this.organizationId);
if (taxInfo) {
this.taxInfo.taxId = taxInfo.taxId;
this.taxInfo.state = taxInfo.state;
this.taxInfo.line1 = taxInfo.line1;
this.taxInfo.line2 = taxInfo.line2;
this.taxInfo.city = taxInfo.city;
this.taxInfo.state = taxInfo.state;
this.taxInfo.postalCode = taxInfo.postalCode;
this.taxInfo.country = taxInfo.country || "US";
this.taxInfo.includeTaxId =
this.taxInfo.country !== "US" &&
(!!taxInfo.taxId ||
!!taxInfo.line1 ||
!!taxInfo.line2 ||
!!taxInfo.city ||
!!taxInfo.state);
}
} catch (e) {
this.logService.error(e);
}
} else {
try {
const taxInfo = await this.apiService.getTaxInfo();
if (taxInfo) {
this.taxInfo.postalCode = taxInfo.postalCode;
this.taxInfo.country = taxInfo.country || "US";
}
} catch (e) {
this.logService.error(e);
}
}
this.pristine = Object.assign({}, this.taxInfo);
// If not the default (US) then trigger onCountryChanged
if (this.taxInfo.country !== "US") {
this.onCountryChanged.emit();
}
});
try {
const taxRates = await this.apiService.getTaxRates();
if (taxRates) {
this.taxRates = taxRates.data;
}
} catch (e) {
this.logService.error(e);
} finally {
this.loading = false;
}
}
get taxRate() {
if (this.taxRates != null) {
const localTaxRate = this.taxRates.find(
(x) => x.country === this.taxInfo.country && x.postalCode === this.taxInfo.postalCode
);
return localTaxRate?.rate ?? null;
}
}
getTaxInfoRequest(): TaxInfoUpdateRequest {
if (this.organizationId) {
const request = new OrganizationTaxInfoUpdateRequest();
request.taxId = this.taxInfo.taxId;
request.state = this.taxInfo.state;
request.line1 = this.taxInfo.line1;
request.line2 = this.taxInfo.line2;
request.city = this.taxInfo.city;
request.state = this.taxInfo.state;
request.postalCode = this.taxInfo.postalCode;
request.country = this.taxInfo.country;
return request;
} else {
const request = new TaxInfoUpdateRequest();
request.postalCode = this.taxInfo.postalCode;
request.country = this.taxInfo.country;
return request;
}
}
submitTaxInfo(): Promise<any> {
if (!this.hasChanged()) {
return new Promise<void>((resolve) => {
resolve();
});
}
const request = this.getTaxInfoRequest();
return this.organizationId
? this.apiService.putOrganizationTaxInfo(
this.organizationId,
request as OrganizationTaxInfoUpdateRequest
)
: this.apiService.putTaxInfo(request);
}
changeCountry() {
if (this.taxInfo.country === "US") {
this.taxInfo.includeTaxId = false;
this.taxInfo.taxId = null;
this.taxInfo.line1 = null;
this.taxInfo.line2 = null;
this.taxInfo.city = null;
this.taxInfo.state = null;
}
this.onCountryChanged.emit();
}
private hasChanged(): boolean {
for (const key in this.taxInfo) {
// eslint-disable-next-line
if (this.pristine.hasOwnProperty(key) && this.pristine[key] !== this.taxInfo[key]) {
return true;
}
}
return false;
}
}
| bitwarden/web/src/app/settings/tax-info.component.ts/0 | {
"file_path": "bitwarden/web/src/app/settings/tax-info.component.ts",
"repo_id": "bitwarden",
"token_count": 2159
} | 154 |
<div class="modal fade" role="dialog" aria-modal="true" aria-labelledby="2faYubiKeyTitle">
<div class="modal-dialog modal-lg" role="document">
<div class="modal-content">
<div class="modal-header">
<h2 class="modal-title" id="2faYubiKeyTitle">
{{ "twoStepLogin" | i18n }}
<small>YubiKey</small>
</h2>
<button
type="button"
class="close"
data-dismiss="modal"
appA11yTitle="{{ 'close' | i18n }}"
>
<span aria-hidden="true">×</span>
</button>
</div>
<app-two-factor-verify
[organizationId]="organizationId"
[type]="type"
(onAuthed)="auth($event)"
*ngIf="!authed"
>
</app-two-factor-verify>
<form
#form
(ngSubmit)="submit()"
[appApiAction]="formPromise"
ngNativeValidate
*ngIf="authed"
autocomplete="off"
>
<div class="modal-body">
<app-callout
type="success"
title="{{ 'enabled' | i18n }}"
icon="bwi bwi-check-circle"
*ngIf="enabled"
>
{{ "twoStepLoginProviderEnabled" | i18n }}
</app-callout>
<app-callout type="warning">
<p>{{ "twoFactorYubikeyWarning" | i18n }}</p>
<ul class="mb-0">
<li>{{ "twoFactorYubikeySupportUsb" | i18n }}</li>
<li>{{ "twoFactorYubikeySupportMobile" | i18n }}</li>
</ul>
</app-callout>
<img class="float-right mfaType3" alt="YubiKey OTP security key logo" />
<p>{{ "twoFactorYubikeyAdd" | i18n }}:</p>
<ol>
<li>{{ "twoFactorYubikeyPlugIn" | i18n }}</li>
<li>{{ "twoFactorYubikeySelectKey" | i18n }}</li>
<li>{{ "twoFactorYubikeyTouchButton" | i18n }}</li>
<li>{{ "twoFactorYubikeySaveForm" | i18n }}</li>
</ol>
<hr />
<div class="row">
<div class="form-group col-6" *ngFor="let k of keys; let i = index">
<label for="key{{ i + 1 }}">{{ "yubikeyX" | i18n: i + 1 }}</label>
<input
id="key{{ i + 1 }}"
type="password"
name="Key{{ i + 1 }}"
class="form-control"
[(ngModel)]="k.key"
*ngIf="!k.existingKey"
appInputVerbatim
autocomplete="new-password"
/>
<div class="d-flex" *ngIf="k.existingKey">
<span class="mr-2">{{ k.existingKey }}</span>
<button
type="button"
class="btn btn-link text-danger ml-auto"
(click)="remove(k)"
appA11yTitle="{{ 'remove' | i18n }}"
>
<i class="bwi bwi-minus-circle bwi-lg" aria-hidden="true"></i>
</button>
</div>
</div>
</div>
<strong class="d-block mb-2">{{ "nfcSupport" | i18n }}</strong>
<div class="form-check">
<input type="checkbox" class="form-check-input" id="nfc" name="Nfc" [(ngModel)]="nfc" />
<label class="form-check-label" for="nfc">{{
"twoFactorYubikeySupportsNfc" | i18n
}}</label>
</div>
<small class="form-text text-muted">{{ "twoFactorYubikeySupportsNfcDesc" | i18n }}</small>
</div>
<div class="modal-footer">
<button type="submit" class="btn btn-primary btn-submit" [disabled]="form.loading">
<i
class="bwi bwi-spinner bwi-spin"
title="{{ 'loading' | i18n }}"
aria-hidden="true"
></i>
<span>{{ "save" | i18n }}</span>
</button>
<button
#disableBtn
type="button"
class="btn btn-outline-secondary btn-submit"
[appApiAction]="disablePromise"
[disabled]="disableBtn.loading"
(click)="disable()"
*ngIf="enabled"
>
<i
class="bwi bwi-spinner bwi-spin"
title="{{ 'loading' | i18n }}"
aria-hidden="true"
></i>
<span>{{ "disableAllKeys" | i18n }}</span>
</button>
<button type="button" class="btn btn-outline-secondary" data-dismiss="modal">
{{ "close" | i18n }}
</button>
</div>
</form>
</div>
</div>
</div>
| bitwarden/web/src/app/settings/two-factor-yubikey.component.html/0 | {
"file_path": "bitwarden/web/src/app/settings/two-factor-yubikey.component.html",
"repo_id": "bitwarden",
"token_count": 2585
} | 155 |
<div class="page-header">
<h1>{{ "generator" | i18n }}</h1>
</div>
<app-callout type="info" *ngIf="enforcedPasswordPolicyOptions?.inEffect() && type === 'password'">
{{ "passwordGeneratorPolicyInEffect" | i18n }}
</app-callout>
<div class="card card-generated bg-light my-4">
<div class="card-body">
<div
*ngIf="type === 'password'"
class="generated-wrapper"
[innerHTML]="password | colorPassword"
appSelectCopy
></div>
<div
*ngIf="type === 'username'"
class="generated-wrapper"
[innerHTML]="username | colorPassword"
appSelectCopy
></div>
</div>
</div>
<div class="form-group" role="radiogroup" aria-labelledby="typeHeading">
<label id="typeHeading" class="d-block">{{ "whatWouldYouLikeToGenerate" | i18n }}</label>
<div class="form-check form-check-inline" *ngFor="let o of typeOptions">
<input
class="form-check-input"
type="radio"
[(ngModel)]="type"
name="Type"
id="type_{{ o.value }}"
[value]="o.value"
(change)="typeChanged()"
[checked]="type === o.value"
/>
<label class="form-check-label" for="type_{{ o.value }}">
{{ o.name }}
</label>
</div>
</div>
<ng-container *ngIf="type === 'password'">
<div aria-labelledby="passwordTypeHeading" class="form-group" role="radiogroup">
<label id="passwordTypeHeading" class="d-block">{{ "passwordType" | i18n }}</label>
<div class="form-check form-check-inline" *ngFor="let o of passTypeOptions">
<input
class="form-check-input"
type="radio"
[(ngModel)]="passwordOptions.type"
name="PasswordType"
id="passwordType_{{ o.value }}"
[value]="o.value"
(change)="savePasswordOptions()"
[checked]="passwordOptions.type === o.value"
/>
<label class="form-check-label" for="passwordType_{{ o.value }}">
{{ o.name }}
</label>
</div>
</div>
<ng-container *ngIf="passwordOptions.type === 'passphrase'">
<div class="row">
<div class="form-group col-4">
<label for="num-words">{{ "numWords" | i18n }}</label>
<input
id="num-words"
class="form-control"
type="number"
min="3"
max="20"
[(ngModel)]="passwordOptions.numWords"
(blur)="savePasswordOptions()"
/>
</div>
<div class="form-group col-4">
<label for="word-separator">{{ "wordSeparator" | i18n }}</label>
<input
id="word-separator"
class="form-control"
type="text"
maxlength="1"
[(ngModel)]="passwordOptions.wordSeparator"
(blur)="savePasswordOptions()"
/>
</div>
</div>
<label class="d-block">{{ "options" | i18n }}</label>
<div class="form-group">
<div class="form-check">
<input
id="capitalize"
class="form-check-input"
type="checkbox"
(change)="savePasswordOptions()"
[(ngModel)]="passwordOptions.capitalize"
[disabled]="enforcedPasswordPolicyOptions?.capitalize"
/>
<label for="capitalize" class="form-check-label">{{ "capitalize" | i18n }}</label>
</div>
<div class="form-check">
<input
id="include-number"
class="form-check-input"
type="checkbox"
(change)="savePasswordOptions()"
[(ngModel)]="passwordOptions.includeNumber"
[disabled]="enforcedPasswordPolicyOptions?.includeNumber"
/>
<label for="include-number" class="form-check-label">{{ "includeNumber" | i18n }}</label>
</div>
</div>
</ng-container>
<ng-container *ngIf="passwordOptions.type === 'password'">
<div class="row">
<div class="form-group col-4">
<label for="length">{{ "length" | i18n }}</label>
<input
id="length"
class="form-control"
type="number"
min="5"
max="128"
[(ngModel)]="passwordOptions.length"
(blur)="savePasswordOptions()"
(change)="lengthChanged()"
/>
</div>
<div class="form-group col-4">
<label for="min-number">{{ "minNumbers" | i18n }}</label>
<input
id="min-number"
class="form-control"
type="number"
min="0"
max="9"
(blur)="savePasswordOptions()"
[(ngModel)]="passwordOptions.minNumber"
(change)="minNumberChanged()"
/>
</div>
<div class="form-group col-4">
<label for="min-special">{{ "minSpecial" | i18n }}</label>
<input
id="min-special"
class="form-control"
type="number"
min="0"
max="9"
(blur)="savePasswordOptions()"
[(ngModel)]="passwordOptions.minSpecial"
(change)="minSpecialChanged()"
/>
</div>
</div>
<label class="d-block">{{ "options" | i18n }}</label>
<div class="form-group">
<div class="form-check">
<input
id="uppercase"
class="form-check-input"
type="checkbox"
(change)="savePasswordOptions()"
[(ngModel)]="passwordOptions.uppercase"
[disabled]="enforcedPasswordPolicyOptions?.useUppercase"
attr.aria-label="{{ 'uppercase' | i18n }}"
/>
<label for="uppercase" class="form-check-label">A-Z</label>
</div>
<div class="form-check">
<input
id="lowercase"
class="form-check-input"
type="checkbox"
(change)="savePasswordOptions()"
[(ngModel)]="passwordOptions.lowercase"
[disabled]="enforcedPasswordPolicyOptions?.useLowercase"
attr.aria-label="{{ 'lowercase' | i18n }}"
/>
<label for="lowercase" class="form-check-label">a-z</label>
</div>
<div class="form-check">
<input
id="numbers"
class="form-check-input"
type="checkbox"
(change)="savePasswordOptions()"
[(ngModel)]="passwordOptions.number"
[disabled]="enforcedPasswordPolicyOptions?.useNumbers"
attr.aria-label="{{ 'numbers' | i18n }}"
/>
<label for="numbers" class="form-check-label">0-9</label>
</div>
<div class="form-check">
<input
id="special"
class="form-check-input"
type="checkbox"
(change)="savePasswordOptions()"
[(ngModel)]="passwordOptions.special"
[disabled]="enforcedPasswordPolicyOptions?.useSpecial"
attr.aria-label="{{ 'specialCharacters' | i18n }}"
/>
<label for="special" class="form-check-label">!@#$%^&*</label>
</div>
<div class="form-check">
<input
id="ambiguous"
class="form-check-input"
type="checkbox"
(change)="savePasswordOptions()"
[(ngModel)]="avoidAmbiguous"
/>
<label for="ambiguous" class="form-check-label">{{ "ambiguous" | i18n }}</label>
</div>
</div>
</ng-container>
<div class="d-flex">
<div>
<button type="button" class="btn btn-primary" (click)="regenerate()">
{{ "regeneratePassword" | i18n }}
</button>
<button type="button" class="btn btn-outline-secondary" (click)="copy()">
{{ "copyPassword" | i18n }}
</button>
</div>
<div class="ml-auto">
<button
type="button"
class="btn btn-outline-secondary"
(click)="history()"
appA11yTitle="{{ 'passwordHistory' | i18n }}"
>
<i class="bwi bwi-clock bwi-lg" aria-hidden="true"></i>
</button>
</div>
</div>
</ng-container>
<ng-container *ngIf="type === 'username'">
<div aria-labelledby="usernameTypeHeading" class="form-group" role="radiogroup">
<div class="d-block">
<label id="usernameTypeHeading">{{ "usernameType" | i18n }}</label>
<a
class="ml-auto"
href="https://bitwarden.com/help/generator/#username-types"
target="_blank"
rel="noopener"
appA11yTitle="{{ 'learnMore' | i18n }}"
>
<i class="bwi bwi-question-circle" aria-hidden="true"></i>
</a>
</div>
<div class="form-check" *ngFor="let o of usernameTypeOptions">
<input
class="form-check-input"
type="radio"
[(ngModel)]="usernameOptions.type"
name="UsernameType"
id="usernameType_{{ o.value }}"
[value]="o.value"
(change)="saveUsernameOptions()"
[checked]="usernameOptions.type === o.value"
/>
<label class="form-check-label" for="usernameType_{{ o.value }}">
{{ o.name }}
<div class="small text-muted">{{ o.desc }}</div>
</label>
</div>
</div>
<ng-container *ngIf="usernameOptions.type === 'forwarded'">
<div class="form-group">
<label class="d-block">{{ "service" | i18n }}</label>
<div class="form-check" *ngFor="let o of forwardOptions">
<input
class="form-check-input"
type="radio"
[(ngModel)]="usernameOptions.forwardedService"
name="ForwardType"
id="forwardtype_{{ o.value }}"
[value]="o.value"
(change)="saveUsernameOptions()"
[checked]="usernameOptions.forwardedService === o.value"
/>
<label class="form-check-label" for="forwardtype_{{ o.value }}">
{{ o.name }}
</label>
</div>
</div>
<div class="row" *ngIf="usernameOptions.forwardedService === 'simplelogin'">
<div class="form-group col-4">
<label for="simplelogin-apikey">{{ "apiKey" | i18n }}</label>
<input
id="simplelogin-apikey"
class="form-control"
type="password"
[(ngModel)]="usernameOptions.forwardedSimpleLoginApiKey"
(blur)="saveUsernameOptions()"
/>
</div>
</div>
<div class="row" *ngIf="usernameOptions.forwardedService === 'anonaddy'">
<div class="form-group col-4">
<label for="anonaddy-apikey">{{ "apiAccessToken" | i18n }}</label>
<input
id="anonaddy-apikey"
class="form-control"
type="password"
[(ngModel)]="usernameOptions.forwardedAnonAddyApiToken"
(blur)="saveUsernameOptions()"
/>
</div>
<div class="form-group col-4">
<label for="anonaddy-domain">{{ "domainName" | i18n }}</label>
<input
id="anonaddy-domain"
class="form-control"
type="text"
[(ngModel)]="usernameOptions.forwardedAnonAddyDomain"
(blur)="saveUsernameOptions()"
/>
</div>
</div>
<div class="row" *ngIf="usernameOptions.forwardedService === 'firefoxrelay'">
<div class="form-group col-4">
<label for="firefox-apikey">{{ "apiAccessToken" | i18n }}</label>
<input
id="firefox-apikey"
class="form-control"
type="password"
[(ngModel)]="usernameOptions.forwardedFirefoxApiToken"
(blur)="saveUsernameOptions()"
/>
</div>
</div>
</ng-container>
<div class="row" *ngIf="usernameOptions.type === 'subaddress'">
<div class="form-group col-4">
<label for="subaddress-email">{{ "emailAddress" | i18n }}</label>
<input
id="subaddress-email"
class="form-control"
type="text"
[(ngModel)]="usernameOptions.subaddressEmail"
(blur)="saveUsernameOptions()"
/>
</div>
</div>
<div class="row" *ngIf="usernameOptions.type === 'catchall'">
<div class="form-group col-4">
<label for="catchall-domain">{{ "domainName" | i18n }}</label>
<input
id="catchall-domain"
class="form-control"
type="text"
[(ngModel)]="usernameOptions.catchallDomain"
(blur)="saveUsernameOptions()"
/>
</div>
</div>
<ng-container *ngIf="usernameOptions.type === 'word'">
<label class="d-block">{{ "options" | i18n }}</label>
<div class="row">
<div class="form-group">
<div class="form-check">
<input
id="capitalizeUsername"
type="checkbox"
(change)="saveUsernameOptions()"
[(ngModel)]="usernameOptions.wordCapitalize"
/>
<label for="capitalizeUsername" class="form-check-label">{{ "capitalize" | i18n }}</label>
</div>
<div class="form-check">
<input
id="includeNumberUsername"
type="checkbox"
(change)="saveUsernameOptions()"
[(ngModel)]="usernameOptions.wordIncludeNumber"
/>
<label for="includeNumberUsername" class="form-check-label">{{
"includeNumber" | i18n
}}</label>
</div>
</div>
</div>
</ng-container>
<div #form [appApiAction]="usernameGeneratingPromise">
<button
type="button"
class="btn btn-submit btn-primary"
(click)="regenerate()"
[disabled]="form.loading"
>
<i class="bwi bwi-spinner bwi-spin" title="{{ 'loading' | i18n }}" aria-hidden="true"></i>
<span>{{ "regenerateUsername" | i18n }}</span>
</button>
<button type="button" class="btn btn-outline-secondary" (click)="copy()">
{{ "copyUsername" | i18n }}
</button>
</div>
</ng-container>
<ng-template #historyTemplate></ng-template>
| bitwarden/web/src/app/tools/generator.component.html/0 | {
"file_path": "bitwarden/web/src/app/tools/generator.component.html",
"repo_id": "bitwarden",
"token_count": 6340
} | 156 |
<div class="modal fade" role="dialog" aria-modal="true" aria-labelledby="deleteSelectedTitle">
<div class="modal-dialog modal-dialog-scrollable modal-sm" role="document">
<form class="modal-content" #form (ngSubmit)="submit()" [appApiAction]="formPromise">
<div class="modal-header">
<h2 class="modal-title" id="deleteSelectedTitle">
{{ (permanent ? "permanentlyDeleteSelected" : "deleteSelected") | i18n }}
</h2>
<button
type="button"
class="close"
data-dismiss="modal"
appA11yTitle="{{ 'close' | i18n }}"
>
<span aria-hidden="true">×</span>
</button>
</div>
<div class="modal-body">
{{
(permanent ? "permanentlyDeleteSelectedItemsDesc" : "deleteSelectedItemsDesc")
| i18n: cipherIds.length
}}
</div>
<div class="modal-footer">
<button
appAutoFocus
type="submit"
class="btn btn-danger btn-submit"
[disabled]="form.loading"
>
<i class="bwi bwi-spinner bwi-spin" title="{{ 'loading' | i18n }}" aria-hidden="true"></i>
<span>{{ (permanent ? "permanentlyDelete" : "delete") | i18n }}</span>
</button>
<button type="button" class="btn btn-outline-secondary" data-dismiss="modal">
{{ "cancel" | i18n }}
</button>
</div>
</form>
</div>
</div>
| bitwarden/web/src/app/vault/bulk-delete.component.html/0 | {
"file_path": "bitwarden/web/src/app/vault/bulk-delete.component.html",
"repo_id": "bitwarden",
"token_count": 701
} | 157 |
import { NgModule } from "@angular/core";
import { RouterModule, Routes } from "@angular/router";
const routes: Routes = [{ path: "**", redirectTo: "" }];
@NgModule({
imports: [RouterModule.forChild(routes)],
exports: [RouterModule],
})
export class WildcardRoutingModule {}
| bitwarden/web/src/app/wildcard-routing.module.ts/0 | {
"file_path": "bitwarden/web/src/app/wildcard-routing.module.ts",
"repo_id": "bitwarden",
"token_count": 93
} | 158 |
import { b64Decode, getQsParam } from "./common";
import { buildDataString, parseWebauthnJson } from "./common-webauthn";
require("./webauthn.scss");
let parsed = false;
let webauthnJson: any;
let parentUrl: string = null;
let sentSuccess = false;
let locale = "en";
let locales: any = {};
function parseParameters() {
if (parsed) {
return;
}
parentUrl = getQsParam("parent");
if (!parentUrl) {
error("No parent.");
return;
} else {
parentUrl = decodeURIComponent(parentUrl);
}
locale = getQsParam("locale").replace("-", "_");
const version = getQsParam("v");
if (version === "1") {
parseParametersV1();
} else {
parseParametersV2();
}
parsed = true;
}
function parseParametersV1() {
const data = getQsParam("data");
if (!data) {
error("No data.");
return;
}
webauthnJson = b64Decode(data);
}
function parseParametersV2() {
let dataObj: { data: any; btnText: string } = null;
try {
dataObj = JSON.parse(b64Decode(getQsParam("data")));
} catch (e) {
error("Cannot parse data.");
return;
}
webauthnJson = dataObj.data;
}
document.addEventListener("DOMContentLoaded", async () => {
parseParameters();
try {
locales = await loadLocales(locale);
} catch {
// eslint-disable-next-line
console.error("Failed to load the locale", locale);
locales = await loadLocales("en");
}
document.getElementById("msg").innerText = translate("webAuthnFallbackMsg");
document.getElementById("remember-label").innerText = translate("rememberMe");
const button = document.getElementById("webauthn-button");
button.innerText = translate("webAuthnAuthenticate");
button.onclick = start;
document.getElementById("spinner").classList.add("d-none");
const content = document.getElementById("content");
content.classList.add("d-block");
content.classList.remove("d-none");
});
async function loadLocales(newLocale: string) {
const filePath = `locales/${newLocale}/messages.json?cache=${process.env.CACHE_TAG}`;
const localesResult = await fetch(filePath);
return await localesResult.json();
}
function translate(id: string) {
return locales[id]?.message || "";
}
function start() {
if (sentSuccess) {
return;
}
if (!("credentials" in navigator)) {
error(translate("webAuthnNotSupported"));
return;
}
parseParameters();
if (!webauthnJson) {
error("No data.");
return;
}
let json: any;
try {
json = parseWebauthnJson(webauthnJson);
} catch (e) {
error("Cannot parse data.");
return;
}
initWebAuthn(json);
}
async function initWebAuthn(obj: any) {
try {
const assertedCredential = (await navigator.credentials.get({
publicKey: obj,
})) as PublicKeyCredential;
if (sentSuccess) {
return;
}
const dataString = buildDataString(assertedCredential);
const remember = (document.getElementById("remember") as HTMLInputElement).checked;
window.postMessage({ command: "webAuthnResult", data: dataString, remember: remember }, "*");
sentSuccess = true;
success(translate("webAuthnSuccess"));
} catch (err) {
error(err);
}
}
function error(message: string) {
const el = document.getElementById("msg");
resetMsgBox(el);
el.textContent = message;
el.classList.add("alert");
el.classList.add("alert-danger");
}
function success(message: string) {
(document.getElementById("webauthn-button") as HTMLButtonElement).disabled = true;
const el = document.getElementById("msg");
resetMsgBox(el);
el.textContent = message;
el.classList.add("alert");
el.classList.add("alert-success");
}
function resetMsgBox(el: HTMLElement) {
el.classList.remove("alert");
el.classList.remove("alert-danger");
el.classList.remove("alert-success");
}
| bitwarden/web/src/connectors/webauthn-fallback.ts/0 | {
"file_path": "bitwarden/web/src/connectors/webauthn-fallback.ts",
"repo_id": "bitwarden",
"token_count": 1357
} | 159 |
<?xml version="1.0" encoding="utf-8"?>
<!-- Generator: Adobe Illustrator 24.0.1, SVG Export Plug-In . SVG Version: 6.00 Build 0) -->
<svg version="1.1" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px"
viewBox="0 0 512 512" style="enable-background:new 0 0 512 512;" xml:space="preserve">
<style type="text/css">
.st0{display:none;}
.st1{display:inline;}
.st2{fill:#FFFFFF;}
</style>
<g id="Layer_1" class="st0">
<g transform="translate(0.000000,512.000000) scale(0.100000,-0.100000)" class="st1">
<path d="M2560,2540V1190l38,19c231,118,489,307,683,500c181,180,265,309,321,488c21,66,21,87,25,881l4,812h-535h-536V2540z"/>
</g>
</g>
<g id="Layer_2">
<path d="M82.4,17.5c-9.2,1.6-13.3,3-21.8,7.1c-9.1,4.5-15,9-22.9,17.3C26.5,53.8,19.5,68.2,17,84.6c-0.7,4.7-1,59.8-0.8,175.9
l0.3,169l2.2,7c3.2,10.3,5.8,16,10.8,23.4c8.8,13.2,22.2,24.3,36.7,30c15.7,6.3,8.7,6.1,189.2,6.1c179.7,0,175,0.1,190-5.9
c23.9-9.6,40.8-28.9,48.3-55.1c1.7-6.2,1.8-14.5,1.8-179s-0.1-172.8-1.8-179c-4.4-15.5-11.1-27.2-21.4-37.2
c-10.6-10.5-21.8-17-36.2-21.1l-7.6-2.2L259,16.3C123.3,16.2,88.1,16.4,82.4,17.5z M82.4,17.5c-9.2,1.6-13.3,3-21.8,7.1
c-9.1,4.5-15,9-22.9,17.3C26.5,53.8,19.5,68.2,17,84.6c-0.7,4.7-1,59.8-0.8,175.9l0.3,169l2.2,7c3.2,10.3,5.8,16,10.8,23.4
c8.8,13.2,22.2,24.3,36.7,30c15.7,6.3,8.7,6.1,189.2,6.1c179.7,0,175,0.1,190-5.9c23.9-9.6,40.8-28.9,48.3-55.1
c1.7-6.2,1.8-14.5,1.8-179s-0.1-172.8-1.8-179c-4.4-15.5-11.1-27.2-21.4-37.2c-10.6-10.5-21.8-17-36.2-21.1l-7.6-2.2L259,16.3
C123.3,16.2,88.1,16.4,82.4,17.5z M402,79.2c1.8,1.3,4.1,3.9,5.1,5.8c1.8,3.3,1.9,7.9,1.9,100c-0.1,86.6-0.4,102.6-2.5,113.1
c-2.6,13.6-15,39.7-25.1,53.4c-8.1,10.9-30.2,33-43.9,44.1c-10.5,8.5-29.6,21.6-39,27c-1.1,0.6-6,3.4-10.8,6.2
c-14.6,8.6-27.2,14.2-31.6,14.2c-10.2,0-53-24.7-81.1-46.9c-14.3-11.2-38.5-35.9-46.2-47.1c-10.2-14.8-17.5-30-22.6-47.5l-2.6-9
l-0.4-101c-0.2-71.9,0-102.1,0.8-104.8c0.7-2.5,2.4-4.7,5.2-6.7l4.1-3H256h142.7L402,79.2z"/>
<path id="Identity" class="st2" d="M403.1,82.5c-3-3-6.6-4.6-10.7-4.6H118.4c-4.2,0-7.7,1.5-10.7,4.6c-3,3-4.6,6.5-4.6,10.7v182.7
c0,13.6,2.7,27.2,8,40.5c5.3,13.4,11.9,25.3,19.8,35.7c7.8,10.4,17.2,20.5,28.1,30.3c10.8,9.9,20.9,18,30.1,24.5
s18.8,12.6,28.8,18.4c10,5.8,17.1,9.7,21.3,11.8c4.2,2,7.6,3.7,10.1,4.7c1.9,1,4,1.5,6.2,1.5s4.3-0.5,6.2-1.5
c2.5-1.1,5.9-2.7,10.1-4.7c4.2-2,11.3-6,21.3-11.8c10-5.8,19.6-12,28.8-18.4c9.2-6.5,19.2-14.7,30.1-24.5
c10.8-9.9,20.2-19.9,28.1-30.3c7.8-10.4,14.4-22.3,19.7-35.7c5.3-13.4,8-26.9,8-40.5V93.2C407.6,89.1,406.1,85.6,403.1,82.5z
M367.7,277.6c0,66.1-112.4,123.1-112.4,123.1V117.1h112.4C367.7,117.1,367.7,211.5,367.7,277.6z"/>
</g>
</svg>
| bitwarden/web/src/images/icons/safari-pinned-tab.svg/0 | {
"file_path": "bitwarden/web/src/images/icons/safari-pinned-tab.svg",
"repo_id": "bitwarden",
"token_count": 1938
} | 160 |
<!DOCTYPE html>
<html class="theme_light">
<head>
<meta charset="utf-8" />
<meta name="viewport" content="width=1010" />
<meta name="theme-color" content="#175DDC" />
<title page-title>Bitwarden Web Vault</title>
<link rel="apple-touch-icon" sizes="180x180" href="images/icons/apple-touch-icon.png" />
<link rel="icon" type="image/png" sizes="32x32" href="images/icons/favicon-32x32.png" />
<link rel="icon" type="image/png" sizes="16x16" href="images/icons/favicon-16x16.png" />
<link rel="mask-icon" href="images/icons/safari-pinned-tab.svg" color="#175DDC" />
<link rel="manifest" href="manifest.json" />
</head>
<body class="layout_frontend">
<app-root>
<div class="mt-5 d-flex justify-content-center">
<div>
<img class="mb-4 logo logo-themed" alt="Bitwarden" />
<p class="text-center">
<i
class="bwi bwi-spinner bwi-spin bwi-2x text-muted"
title="Loading"
aria-hidden="true"
></i>
</p>
</div>
</div>
</app-root>
</body>
</html>
| bitwarden/web/src/index.html/0 | {
"file_path": "bitwarden/web/src/index.html",
"repo_id": "bitwarden",
"token_count": 526
} | 161 |
{
"pageTitle": {
"message": "$APP_NAME$ Caja fuerte Web",
"description": "The title of the website in the browser window.",
"placeholders": {
"app_name": {
"content": "$1",
"example": "Bitwarden"
}
}
},
"whatTypeOfItem": {
"message": "¿Qué tipo de elemento es este?"
},
"name": {
"message": "Nombre"
},
"uri": {
"message": "URI"
},
"uriPosition": {
"message": "URI $POSITION$",
"description": "A listing of URIs. Ex: URI 1, URI 2, URI 3, etc.",
"placeholders": {
"position": {
"content": "$1",
"example": "2"
}
}
},
"newUri": {
"message": "Nueva URI"
},
"username": {
"message": "Usuario"
},
"password": {
"message": "Contraseña"
},
"newPassword": {
"message": "Nueva contraseña"
},
"passphrase": {
"message": "Frase de contraseña"
},
"notes": {
"message": "Notas"
},
"customFields": {
"message": "Campos personalizados"
},
"cardholderName": {
"message": "Nombre en la tarjeta"
},
"number": {
"message": "Número"
},
"brand": {
"message": "Marca"
},
"expiration": {
"message": "Expiración"
},
"securityCode": {
"message": "Código de seguridad (CVV)"
},
"identityName": {
"message": "Nombre de la identidad"
},
"company": {
"message": "Empresa"
},
"ssn": {
"message": "Número de la seguridad social"
},
"passportNumber": {
"message": "Número de pasaporte"
},
"licenseNumber": {
"message": "Número de licencia"
},
"email": {
"message": "Correo electrónico"
},
"phone": {
"message": "Teléfono"
},
"january": {
"message": "Enero"
},
"february": {
"message": "Febrero"
},
"march": {
"message": "Marzo"
},
"april": {
"message": "Abril"
},
"may": {
"message": "Mayo"
},
"june": {
"message": "Junio"
},
"july": {
"message": "Julio"
},
"august": {
"message": "Agosto"
},
"september": {
"message": "Septiembre"
},
"october": {
"message": "Octubre"
},
"november": {
"message": "Noviembre"
},
"december": {
"message": "Diciembre"
},
"title": {
"message": "Título"
},
"mr": {
"message": "Sr"
},
"mrs": {
"message": "Sra"
},
"ms": {
"message": "Srta"
},
"dr": {
"message": "Dr"
},
"expirationMonth": {
"message": "Mes de expiración"
},
"expirationYear": {
"message": "Año de expiración"
},
"authenticatorKeyTotp": {
"message": "Clave de autenticación (TOTP)"
},
"folder": {
"message": "Carpeta"
},
"newCustomField": {
"message": "Nuevo campo personalizado"
},
"value": {
"message": "Valor"
},
"dragToSort": {
"message": "Arrastra para ordenar"
},
"cfTypeText": {
"message": "Texto"
},
"cfTypeHidden": {
"message": "Oculto"
},
"cfTypeBoolean": {
"message": "Booleano"
},
"cfTypeLinked": {
"message": "Conectado",
"description": "This describes a field that is 'linked' (related) to another field."
},
"remove": {
"message": "Eliminar"
},
"unassigned": {
"message": "No asignado"
},
"noneFolder": {
"message": "Sin carpeta",
"description": "This is the folder for uncategorized items"
},
"addFolder": {
"message": "Añadir carpeta"
},
"editFolder": {
"message": "Editar carpeta"
},
"baseDomain": {
"message": "Dominio base",
"description": "Domain name. Ex. website.com"
},
"domainName": {
"message": "Domain Name",
"description": "Domain name. Ex. website.com"
},
"host": {
"message": "Servidor",
"description": "A URL's host value. For example, the host of https://sub.domain.com:443 is 'sub.domain.com:443'."
},
"exact": {
"message": "Exacta"
},
"startsWith": {
"message": "Empieza con"
},
"regEx": {
"message": "Expresión regular",
"description": "A programming term, also known as 'RegEx'."
},
"matchDetection": {
"message": "Tipo de detección",
"description": "URI match detection for auto-fill."
},
"defaultMatchDetection": {
"message": "Detección por defecto",
"description": "Default URI match detection for auto-fill."
},
"never": {
"message": "Nunca"
},
"toggleVisibility": {
"message": "Alternar visibilidad"
},
"toggleCollapse": {
"message": "Colapsar/Expandir",
"description": "Toggling an expand/collapse state."
},
"generatePassword": {
"message": "Generar contraseña"
},
"checkPassword": {
"message": "Comprobar si la contraseña está comprometida."
},
"passwordExposed": {
"message": "Esta contraseña fue encontrada $VALUE$ vez/veces en filtraciones de datos. Deberías cambiarla.",
"placeholders": {
"value": {
"content": "$1",
"example": "2"
}
}
},
"passwordSafe": {
"message": "Esta contraseña no fue encontrada en ninguna filtración de datos conocida. Deberías poder utilizarla de forma segura."
},
"save": {
"message": "Guardar"
},
"cancel": {
"message": "Cancelar"
},
"canceled": {
"message": "Cancelado"
},
"close": {
"message": "Cerrar"
},
"delete": {
"message": "Eliminar"
},
"favorite": {
"message": "Favorito"
},
"unfavorite": {
"message": "Eliminar favorito"
},
"edit": {
"message": "Editar"
},
"searchCollection": {
"message": "Buscar en colección"
},
"searchFolder": {
"message": "Buscar en carpeta"
},
"searchFavorites": {
"message": "Buscar en favoritos"
},
"searchType": {
"message": "Buscar en tipo",
"description": "Search item type"
},
"searchVault": {
"message": "Buscar en caja fuerte"
},
"allItems": {
"message": "Todos los elementos"
},
"favorites": {
"message": "Favoritos"
},
"types": {
"message": "Tipos"
},
"typeLogin": {
"message": "Inicio de sesión"
},
"typeCard": {
"message": "Tarjeta"
},
"typeIdentity": {
"message": "Identidad"
},
"typeSecureNote": {
"message": "Nota segura"
},
"typeLoginPlural": {
"message": "Inicios de sesión"
},
"typeCardPlural": {
"message": "Tarjetas"
},
"typeIdentityPlural": {
"message": "Identidades"
},
"typeSecureNotePlural": {
"message": "Notas seguras"
},
"folders": {
"message": "Carpetas"
},
"collections": {
"message": "Colecciones"
},
"firstName": {
"message": "Nombre"
},
"middleName": {
"message": "2º nombre"
},
"lastName": {
"message": "Apellido"
},
"fullName": {
"message": "Nombre completo"
},
"address1": {
"message": "Dirección 1"
},
"address2": {
"message": "Dirección 2"
},
"address3": {
"message": "Dirección 3"
},
"cityTown": {
"message": "Ciudad / Pueblo"
},
"stateProvince": {
"message": "Estado / Provincia"
},
"zipPostalCode": {
"message": "Código postal"
},
"country": {
"message": "País"
},
"shared": {
"message": "Compartido"
},
"attachments": {
"message": "Adjuntos"
},
"select": {
"message": "Seleccionar"
},
"addItem": {
"message": "Añadir elemento"
},
"editItem": {
"message": "Editar elemento"
},
"viewItem": {
"message": "Ver elemento"
},
"ex": {
"message": "ej.",
"description": "Short abbreviation for 'example'."
},
"other": {
"message": "Otro"
},
"share": {
"message": "Compartir"
},
"moveToOrganization": {
"message": "Mover a la organización"
},
"valueCopied": {
"message": "Valor de $VALUE$ copiado",
"description": "Value has been copied to the clipboard.",
"placeholders": {
"value": {
"content": "$1",
"example": "Password"
}
}
},
"copyValue": {
"message": "Copiar valor",
"description": "Copy value to clipboard"
},
"copyPassword": {
"message": "Copiar contraseña",
"description": "Copy password to clipboard"
},
"copyUsername": {
"message": "Copiar usuario",
"description": "Copy username to clipboard"
},
"copyNumber": {
"message": "Copiar número",
"description": "Copy credit card number"
},
"copySecurityCode": {
"message": "Copiar código de seguridad",
"description": "Copy credit card security code (CVV)"
},
"copyUri": {
"message": "Copiar URI",
"description": "Copy URI to clipboard"
},
"myVault": {
"message": "Mi caja fuerte"
},
"vault": {
"message": "Caja fuerte"
},
"moveSelectedToOrg": {
"message": "Mover los seleccionados a la organización"
},
"deleteSelected": {
"message": "Eliminar selección"
},
"moveSelected": {
"message": "Mover selección"
},
"selectAll": {
"message": "Seleccionar todo"
},
"unselectAll": {
"message": "Deseleccionar todo"
},
"launch": {
"message": "Iniciar"
},
"newAttachment": {
"message": "Añadir nuevo adjunto"
},
"deletedAttachment": {
"message": "Adjunto eliminado"
},
"deleteAttachmentConfirmation": {
"message": "¿Estás seguro de querer eliminar este adjunto?"
},
"attachmentSaved": {
"message": "El adjunto se ha guardado."
},
"file": {
"message": "Archivo"
},
"selectFile": {
"message": "Selecciona un archivo."
},
"maxFileSize": {
"message": "El tamaño máximo de archivo es de 500MB."
},
"updateKey": {
"message": "No puedes usar esta característica hasta que actualices tu clave de cifrado."
},
"addedItem": {
"message": "Elemento añadido"
},
"editedItem": {
"message": "Elemento editado"
},
"movedItemToOrg": {
"message": "$ITEMNAME$ se desplazó a $ORGNAME$",
"placeholders": {
"itemname": {
"content": "$1",
"example": "Secret Item"
},
"orgname": {
"content": "$2",
"example": "Company Name"
}
}
},
"movedItemsToOrg": {
"message": "Elementos seleccionados movidos a $ORGNAME$",
"placeholders": {
"orgname": {
"content": "$1",
"example": "Company Name"
}
}
},
"deleteItem": {
"message": "Eliminar elemento"
},
"deleteFolder": {
"message": "Borrar carpeta"
},
"deleteAttachment": {
"message": "Eliminar archivo adjunto"
},
"deleteItemConfirmation": {
"message": "¿Estás seguro de que quieres eliminar este elemento?"
},
"deletedItem": {
"message": "Elemento eliminado"
},
"deletedItems": {
"message": "Elementos eliminados"
},
"movedItems": {
"message": "Elementos movidos"
},
"overwritePasswordConfirmation": {
"message": "¿Estás seguro de que quieres sobreescribir la contraseña actual?"
},
"editedFolder": {
"message": "Carpeta editada"
},
"addedFolder": {
"message": "Carpeta añadida"
},
"deleteFolderConfirmation": {
"message": "¿Estás seguro de querer eliminar esta carpeta?"
},
"deletedFolder": {
"message": "Carpeta eliminada"
},
"loggedOut": {
"message": "Sesión terminada"
},
"loginExpired": {
"message": "Tu sesión ha expirado."
},
"logOutConfirmation": {
"message": "¿Estás seguro de querer cerrar la sesión?"
},
"logOut": {
"message": "Cerrar sesión"
},
"ok": {
"message": "Aceptar"
},
"yes": {
"message": "Sí"
},
"no": {
"message": "No"
},
"loginOrCreateNewAccount": {
"message": "Identifícate o crea una nueva cuenta para acceder a tu caja fuerte."
},
"createAccount": {
"message": "Crear cuenta"
},
"logIn": {
"message": "Identificarse"
},
"submit": {
"message": "Enviar"
},
"emailAddressDesc": {
"message": "Utilizarás tu correo electrónico para acceder."
},
"yourName": {
"message": "Tu nombre"
},
"yourNameDesc": {
"message": "¿Cómo deberíamos llamarte?"
},
"masterPass": {
"message": "Contraseña maestra"
},
"masterPassDesc": {
"message": "La contraseña maestra es la clave que utilizas para acceder a tu caja fuerte. Es muy importante que no olvides tu contraseña maestra. No hay forma de recuperarla si la olvidas."
},
"masterPassHintDesc": {
"message": "Una pista de tu contraseña maestra puede ayudarte a recordarla en caso de que la olvides."
},
"reTypeMasterPass": {
"message": "Vuelve a escribir tu contraseña maestra"
},
"masterPassHint": {
"message": "Pista de contraseña maestra (opcional)"
},
"masterPassHintLabel": {
"message": "Pista de contraseña maestra"
},
"settings": {
"message": "Configuración"
},
"passwordHint": {
"message": "Pista de contraseña"
},
"enterEmailToGetHint": {
"message": "Introduce el correo electrónico de tu cuenta para recibir la pista de tu contraseña maestra."
},
"getMasterPasswordHint": {
"message": "Obtener pista de la contraseña maestra"
},
"emailRequired": {
"message": "Correo electrónico requerido."
},
"invalidEmail": {
"message": "Correo electrónico no válido."
},
"masterPassRequired": {
"message": "Contraseña maestra requerida."
},
"masterPassLength": {
"message": "La contraseña maestra debe tener al menos 8 caracteres."
},
"masterPassDoesntMatch": {
"message": "La confirmación de contraseña maestra no coincide."
},
"newAccountCreated": {
"message": "¡Tu nueva cuenta ha sido creada! Ahora puedes acceder."
},
"masterPassSent": {
"message": "Te hemos enviado un correo electrónico con la pista de tu contraseña maestra."
},
"unexpectedError": {
"message": "Ha ocurrido un error inesperado."
},
"emailAddress": {
"message": "Correo electrónico"
},
"yourVaultIsLocked": {
"message": "Tu caja fuerte está bloqueada. Verifica tu contraseña maestra para continuar."
},
"unlock": {
"message": "Desbloquear"
},
"loggedInAsEmailOn": {
"message": "Conectado como $EMAIL$ en $HOSTNAME$.",
"placeholders": {
"email": {
"content": "$1",
"example": "name@example.com"
},
"hostname": {
"content": "$2",
"example": "bitwarden.com"
}
}
},
"invalidMasterPassword": {
"message": "Contraseña maestra no válida"
},
"lockNow": {
"message": "Bloquear"
},
"noItemsInList": {
"message": "No hay elementos que listar."
},
"noCollectionsInList": {
"message": "No hay colecciones que listar."
},
"noGroupsInList": {
"message": "No hay grupos que listar."
},
"noUsersInList": {
"message": "No hay usuarios que listar."
},
"noEventsInList": {
"message": "No hay eventos que listar."
},
"newOrganization": {
"message": "Nueva organización"
},
"noOrganizationsList": {
"message": "No perteneces a ninguna organización. Las organizaciones te permiten compartir elementos con otros usuarios de forma segura."
},
"versionNumber": {
"message": "Versión $VERSION_NUMBER$",
"placeholders": {
"version_number": {
"content": "$1",
"example": "1.2.3"
}
}
},
"enterVerificationCodeApp": {
"message": "Introduce el código de verificación de 6 dígitos de tu aplicación autenticadora."
},
"enterVerificationCodeEmail": {
"message": "Introduce el código de verificación de 6 dígitos que fue enviado a $EMAIL$.",
"placeholders": {
"email": {
"content": "$1",
"example": "example@gmail.com"
}
}
},
"verificationCodeEmailSent": {
"message": "Correo de verificación enviado a $EMAIL$.",
"placeholders": {
"email": {
"content": "$1",
"example": "example@gmail.com"
}
}
},
"rememberMe": {
"message": "Recordarme"
},
"sendVerificationCodeEmailAgain": {
"message": "Reenviar código de verificación por correo electrónico"
},
"useAnotherTwoStepMethod": {
"message": "Utilizar otro método de autenticación en dos pasos"
},
"insertYubiKey": {
"message": "Inserta tu YubiKey en el puerto USB de tu equipo y posteriormente pulsa su botón."
},
"insertU2f": {
"message": "Inserta tu llave de seguridad en el puerto USB de tu equipo. Si tiene un botón, púlsalo."
},
"loginUnavailable": {
"message": "Entrada no disponible"
},
"noTwoStepProviders": {
"message": "Esta cuenta tiene autenticación en dos pasos habilitado, pero ninguno de lo métodos configurados es soportado por este navegador web."
},
"noTwoStepProviders2": {
"message": "Por favor, utiliza un navegador soportado (como Chrome) y/o añade métodos de autenticación adicionales que tengan mejor soporte en diferentes navegadores web (como una aplicación de autenticación)."
},
"twoStepOptions": {
"message": "Opciones de la autenticación en dos pasos"
},
"recoveryCodeDesc": {
"message": "¿Has perdido el acceso a todos tus métodos de autenticación en dos pasos? Utiliza tu código de recuperación para deshabilitar todos los métodos de autenticación en dos pasos de tu cuenta."
},
"recoveryCodeTitle": {
"message": "Código de recuperación"
},
"authenticatorAppTitle": {
"message": "Aplicación de autenticación"
},
"authenticatorAppDesc": {
"message": "Utiliza una aplicación de autenticación (como Authy o Google Authenticator) para generar código de verificación basados en tiempo.",
"description": "'Authy' and 'Google Authenticator' are product names and should not be translated."
},
"yubiKeyTitle": {
"message": "Llave de seguridad YubiKey OTP"
},
"yubiKeyDesc": {
"message": "Usa un Yubikey para acceder a tu cuenta. Funciona con YubiKey 4, 4 Nano, 4C y dispositivos NEO."
},
"duoDesc": {
"message": "Verificar con Duo Security usando la aplicación Duo Mobile, SMS, llamada telefónica o llave de seguridad U2F.",
"description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated."
},
"duoOrganizationDesc": {
"message": "Verificar con Duo Security para tu organización usando la aplicación Duo Mobile, SMS, llamada telefónica o llave de seguridad U2F.",
"description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated."
},
"u2fDesc": {
"message": "Usa cualquier llave de seguridad FIDO U2F habilitada para acceder a tu cuenta."
},
"u2fTitle": {
"message": "Llave de seguridad FIDO U2F"
},
"webAuthnTitle": {
"message": "FIDO2 WebAuthn"
},
"webAuthnDesc": {
"message": "Utilice cualquier clave de seguridad WebAuthn habilitada para acceder a su cuenta."
},
"webAuthnMigrated": {
"message": "(Migrado del FIDO)"
},
"emailTitle": {
"message": "Correo electrónico"
},
"emailDesc": {
"message": "Los códigos de verificación te serán enviados por correo electrónico."
},
"continue": {
"message": "Continuar"
},
"organization": {
"message": "Organización"
},
"organizations": {
"message": "Organizaciones"
},
"moveToOrgDesc": {
"message": "Elige una organización a la que deseas mover este objeto. Moviendo a una organización transfiere la propiedad del objeto a esa organización. Ya no serás el dueño directo de este objeto una vez que haya sido movido."
},
"moveManyToOrgDesc": {
"message": "Elija una organización a la que desea mover estos elementos. Moviendo a una organización transfiere la propiedad de los elementos a esa organización. Ya no serás el dueño directo de estos objetos una vez que hayan sido movidos."
},
"collectionsDesc": {
"message": "Elige las colecciones con la que este elemento va a ser compartido. Solo los miembros de la organización que puedan acceder a esas colecciones podrán ver el elemento."
},
"deleteSelectedItemsDesc": {
"message": "Has seleccionado $COUNT$ elementos a eliminar. ¿Estás seguro de que quieres eliminar todos estos elementos?",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"moveSelectedItemsDesc": {
"message": "Selecciona una carpeta a la que quieras mover los $COUNT$ elementos seleccionados.",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"moveSelectedItemsCountDesc": {
"message": "Ha seleccionado $COUNT$ elemento(s). $MOVEABLE_COUNT$ elemento(s) pueden ser movidos a una organización, $NONMOVEABLE_COUNT$ no puede.",
"placeholders": {
"count": {
"content": "$1",
"example": "10"
},
"moveable_count": {
"content": "$2",
"example": "8"
},
"nonmoveable_count": {
"content": "$3",
"example": "2"
}
}
},
"verificationCodeTotp": {
"message": "Código de verificación (TOTP)"
},
"copyVerificationCode": {
"message": "Copiar código de verificación"
},
"warning": {
"message": "Advertencia"
},
"confirmVaultExport": {
"message": "Confirmar la exportación de la bóveda"
},
"exportWarningDesc": {
"message": "Esta exportación contiene los datos de tu caja fuerte en un formato no cifrado. No deberías almacenar o enviar el archivo exportado por canales no seguros (como el correo electrónico). Elimínalo inmediatamente cuando termines de utilizarlo."
},
"encExportKeyWarningDesc": {
"message": "Esta exportación encripta sus datos usando la clave de cifrado de su cuenta. Si alguna vez gira la clave de cifrado de su cuenta debe volver a exportar, ya que no podrá descifrar este archivo de exportación."
},
"encExportAccountWarningDesc": {
"message": "Las claves de cifrado de cuenta son únicas para cada cuenta de usuario de Bitwarden, por lo que no puede importar una exportación cifrada a una cuenta diferente."
},
"export": {
"message": "Exportar"
},
"exportVault": {
"message": "Exportar caja fuerte"
},
"fileFormat": {
"message": "Formato de archivo"
},
"exportSuccess": {
"message": "El contenido de tu caja fuerte ha sido exportado."
},
"passwordGenerator": {
"message": "Generador de contraseñas"
},
"minComplexityScore": {
"message": "Puntuación de Complejidad Mínima"
},
"minNumbers": {
"message": "Mínimo de caracteres numéricos"
},
"minSpecial": {
"message": "Mínimo de caracteres especiales",
"description": "Minimum Special Characters"
},
"ambiguous": {
"message": "Evitar caracteres ambiguos"
},
"regeneratePassword": {
"message": "Regenerar contraseña"
},
"length": {
"message": "Longitud"
},
"numWords": {
"message": "Número de palabras"
},
"wordSeparator": {
"message": "Separador de palabras"
},
"capitalize": {
"message": "Mayúsculas iniciales",
"description": "Make the first letter of a work uppercase."
},
"includeNumber": {
"message": "Incluir número"
},
"passwordHistory": {
"message": "Historial de contraseñas"
},
"noPasswordsInList": {
"message": "No hay contraseñas que listar."
},
"clear": {
"message": "Limpiar",
"description": "To clear something out. example: To clear browser history."
},
"accountUpdated": {
"message": "Cuenta actualizada"
},
"changeEmail": {
"message": "Cambiar correo electrónico"
},
"changeEmailTwoFactorWarning": {
"message": "Proceder cambiará la dirección de correo electrónico de su cuenta. No cambiará la dirección de correo electrónico utilizada para la autenticación de dos factores. Puede cambiar esta dirección de correo electrónico en la configuración de inicio de sesión en dos pasos."
},
"newEmail": {
"message": "Nuevo correo electrónico"
},
"code": {
"message": "Código"
},
"changeEmailDesc": {
"message": "Te hemos enviado un código de verificación a $EMAIL$. Por favor, comprueba tu correo electrónico e introduce el código abajo para finalizar el cambio de cuenta de correo electrónico.",
"placeholders": {
"email": {
"content": "$1",
"example": "john.smith@example.com"
}
}
},
"loggedOutWarning": {
"message": "Proceder cerrará tu sesión actual, requiriendo que vuelvas a acceder. Las sesiones activas en otros dispositivos pueden seguir activas hasta dentro de una hora."
},
"emailChanged": {
"message": "Correo electrónico cambiado"
},
"logBackIn": {
"message": "Por favor, vuelve a acceder."
},
"logBackInOthersToo": {
"message": "Por favor, vuelve a acceder. Si estás utilizando otras aplicaciones de Bitwarden, cierra sesión y vuelva a acceder en ellas también."
},
"changeMasterPassword": {
"message": "Cambiar contraseña maestra"
},
"masterPasswordChanged": {
"message": "Contraseña maestra cambiada"
},
"currentMasterPass": {
"message": "Contraseña maestra actual"
},
"newMasterPass": {
"message": "Nueva contraseña maestra"
},
"confirmNewMasterPass": {
"message": "Confirma la nueva contraseña maestra"
},
"encKeySettings": {
"message": "Configuración de clave de cifrado"
},
"kdfAlgorithm": {
"message": "Algoritmo KDF"
},
"kdfIterations": {
"message": "Iteraciones de KDF"
},
"kdfIterationsDesc": {
"message": "Mientras más iteraciones KDF, mejor la protección a su contraseña maestra de ser descubierta por un ataque de fuerza bruta. Recomendamos un valor de $VALUE$ o más.",
"placeholders": {
"value": {
"content": "$1",
"example": "100,000"
}
}
},
"kdfIterationsWarning": {
"message": "Establecer las iteraciones KDF con un valor muy alto, podría resultar en un rendimiento pobre al ingresar, y/o desbloquear Bitwarden en dispositivos con CPUs lentos. Recomendamos que aumente el valor en incrementos de $INCREMENT$ y luego pruebe en todos sus dispositivos.",
"placeholders": {
"increment": {
"content": "$1",
"example": "50,000"
}
}
},
"changeKdf": {
"message": "Modificar KDF"
},
"encKeySettingsChanged": {
"message": "Se cambió la configuración de clave de cifrado"
},
"dangerZone": {
"message": "Zona peligrosa"
},
"dangerZoneDesc": {
"message": "¡Cuidado, estas acciones no son reversibles!"
},
"deauthorizeSessions": {
"message": "Desautorizar sesiones"
},
"deauthorizeSessionsDesc": {
"message": "¿Te preocupa que tu cuenta esté identificada en otro dispositivo? Utiliza la opción de abajo para desautorizar otros equipos o dispositivos que hayas usado anteriormente. Este paso es recomendable si anteriormente has utilizando un equipo pública o has guardado tu contraseña por error en un dispositivo que no es tuyo. Esto también eliminará cualquier autenticación en dos pasos anteriormente recordada."
},
"deauthorizeSessionsWarning": {
"message": "Proceder también cerrará tu sesión actual, requiriendo que vuelvas a identificarte. También se te pedirá nuevamente tu autenticación en dos pasos en caso de que la tengas habilitada. Las sesiones activas en otros dispositivos pueden mantenerse activas hasta una hora más."
},
"sessionsDeauthorized": {
"message": "Desautorizadas todas las sesiones"
},
"purgeVault": {
"message": "Caja fuerte purgada"
},
"purgedOrganizationVault": {
"message": "Caja fuerte de organización purgada."
},
"vaultAccessedByProvider": {
"message": "Caja fuerte a la que accede el proveedor."
},
"purgeVaultDesc": {
"message": "Proceder eliminará todos los elementos y carpetas de tu caja fuerte. Los elementos que pertenezcan a una organización con la que compartes contenido, no serán eliminados."
},
"purgeOrgVaultDesc": {
"message": "Proceder para eliminar todos los elementos de la caja fuerte de la organización."
},
"purgeVaultWarning": {
"message": "Purgar tu caja fuerte es permanente. No se puede deshacer."
},
"vaultPurged": {
"message": "Tu caja fuerte ha sido purgada."
},
"deleteAccount": {
"message": "Eliminar cuenta"
},
"deleteAccountDesc": {
"message": "Proceder eliminará tu cuenta y todo el contenido asociado a ella."
},
"deleteAccountWarning": {
"message": "Eliminar tu cuenta es permanente. No se puede deshacer."
},
"accountDeleted": {
"message": "Cuenta eliminada"
},
"accountDeletedDesc": {
"message": "Tu cuenta ha sido cerrada y toda la información asociada ha sido eliminada."
},
"myAccount": {
"message": "Mi cuenta"
},
"tools": {
"message": "Herramientas"
},
"importData": {
"message": "Importar datos"
},
"importError": {
"message": "Error al importar"
},
"importErrorDesc": {
"message": "Hubo un problema con los datos que intentaste importar. Por favor, resuelve los errores listados a continuación en tu archivo de origen e inténtalo de nuevo."
},
"importSuccess": {
"message": "La información ha sido importada correctamente en tu caja fuerte."
},
"importWarning": {
"message": "Estás importando datos a $ORGANIZATION$. Tus datos pueden ser compartidos con miembros de esta organización. ¿Quieres continuar?",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"importFormatError": {
"message": "El formato de la información no es correcto. Por favor, comprueba el fichero y prueba de nuevo."
},
"importNothingError": {
"message": "No se ha importado nada."
},
"importEncKeyError": {
"message": "Error al descifrar el archivo exportado. Su clave de cifrado no coincide con la clave de cifrado utilizada para exporta los datos."
},
"selectFormat": {
"message": "Selecciona el formato del fichero a importar"
},
"selectImportFile": {
"message": "Seleccionar el fichero a importar"
},
"orCopyPasteFileContents": {
"message": "o copia/pega el contenido del fichero a importar"
},
"instructionsFor": {
"message": "Instrucciones para $NAME$",
"description": "The title for the import tool instructions.",
"placeholders": {
"name": {
"content": "$1",
"example": "LastPass (csv)"
}
}
},
"options": {
"message": "Opciones"
},
"optionsDesc": {
"message": "Personaliza tu caja fuerte."
},
"optionsUpdated": {
"message": "Opciones actualizadas"
},
"language": {
"message": "Idioma"
},
"languageDesc": {
"message": "Cambiar el idioma utilizado en la caja fuerte web."
},
"disableIcons": {
"message": "Deshabilitar iconos de sitios web"
},
"disableIconsDesc": {
"message": "Los iconos de sitios web añaden una imagen reconocible al lado de cada entrada de tu caja fuerte."
},
"enableGravatars": {
"message": "Habilitar Gravatars",
"description": "'Gravatar' is the name of a service. See www.gravatar.com"
},
"enableGravatarsDesc": {
"message": "Usa imágenes de avatares cargadas desde gravatar.com."
},
"enableFullWidth": {
"message": "Habilitar diseño de ancho completo",
"description": "Allows scaling the web vault UI's width"
},
"enableFullWidthDesc": {
"message": "Permite que la caja fuerte web se amplíe al ancho completo de la ventana del navegador."
},
"default": {
"message": "Por defecto"
},
"domainRules": {
"message": "Reglas de dominios"
},
"domainRulesDesc": {
"message": "Si tienes los mismos datos de acceso en diferentes dominios de una página web, puedes marcar esa web como \"equivalente\". Los dominios \"globales\" son equivalencias que Bitwarden ha creado por ti."
},
"globalEqDomains": {
"message": "Dominios equivalentes globales"
},
"customEqDomains": {
"message": "Dominios equivalentes personalizados"
},
"exclude": {
"message": "Excluir"
},
"include": {
"message": "Incluir"
},
"customize": {
"message": "Personalizar"
},
"newCustomDomain": {
"message": "Nuevo dominio personalizado"
},
"newCustomDomainDesc": {
"message": "Introduce una lista de dominios separados por comas. Solo se permiten dominios \"base\". No introduzcas subdominios. Por ejemplo, introduce \"google.com\" en vez de \"www.google.com\". También puedes introducir \"androidapp://package.name\" para asociar una aplicación de android con otros dominios web."
},
"customDomainX": {
"message": "Dominio personalizado $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"domainsUpdated": {
"message": "Dominios actualizados"
},
"twoStepLogin": {
"message": "Autenticación en dos pasos"
},
"twoStepLoginDesc": {
"message": "Protege tu cuenta requiriendo un paso adicional a la hora de acceder."
},
"twoStepLoginOrganizationDesc": {
"message": "Requiere autenticación en dos pasos para los usuarios de tu organización configurando los proveedores a nivel de organización."
},
"twoStepLoginRecoveryWarning": {
"message": "Habilitar la autenticación en dos pasos puede impedirte acceder permanentemente a tu cuenta de Bitwarden. Un código de recuperación te permite acceder a la cuenta en caso de que no puedas usar más tu proveedor de autenticación en dos pasos (ej. si pierdes tu dispositivo). El soporte de Bitwarden no será capaz de asistirte si pierdes acceso a tu cuenta. Te recomendamos que escribas o imprimas este código y lo guardes en un lugar seguro."
},
"viewRecoveryCode": {
"message": "Ver código de recuperación"
},
"providers": {
"message": "Proveedores",
"description": "Two-step login providers such as YubiKey, Duo, Authenticator apps, Email, etc."
},
"enable": {
"message": "Activar"
},
"enabled": {
"message": "Activado"
},
"premium": {
"message": "Premium",
"description": "Premium Membership"
},
"premiumMembership": {
"message": "Suscripción Premium"
},
"premiumRequired": {
"message": "Premium requerido"
},
"premiumRequiredDesc": {
"message": "Se quiere membrasía Premium para poder utilizar esta característica."
},
"youHavePremiumAccess": {
"message": "Tienes acceso premium"
},
"alreadyPremiumFromOrg": {
"message": "Ya tienes acceso a las características premium, debido a que eres miembro de una organización."
},
"manage": {
"message": "Gestionar"
},
"disable": {
"message": "Desactivar"
},
"twoStepLoginProviderEnabled": {
"message": "Este proveedor de autenticación en dos pasos está habilitado para tu cuenta."
},
"twoStepLoginAuthDesc": {
"message": "Introduce tu contraseña maestra para modificar las opciones de autenticación en dos pasos."
},
"twoStepAuthenticatorDesc": {
"message": "Sigue estos pasos para configurar la autenticación en dos pasos con una aplicación autenticadora:"
},
"twoStepAuthenticatorDownloadApp": {
"message": "Descarga una aplicación autenticadora en dos pasos"
},
"twoStepAuthenticatorNeedApp": {
"message": "¿Necesitas una aplicación de autenticación en dos pasos? Descarga una de las siguientes"
},
"iosDevices": {
"message": "Dispositivos iOS"
},
"androidDevices": {
"message": "Dispositivos Android"
},
"windowsDevices": {
"message": "Dispositivos Windows"
},
"twoStepAuthenticatorAppsRecommended": {
"message": "Estas aplicaciones son recomendadas, sin embargo, otras aplicaciones autenticadoras también funcionarán."
},
"twoStepAuthenticatorScanCode": {
"message": "Escanea este código QR con tu aplicación de autenticación"
},
"key": {
"message": "Clave"
},
"twoStepAuthenticatorEnterCode": {
"message": "Introduzca el código de verificación de 6 dígitos generado en la aplicación de autentificación"
},
"twoStepAuthenticatorReaddDesc": {
"message": "En caso de que necesite agregarlo a otro dispositivo, a continuación se indica el código QR (o clave) requerido por su aplicación autenticadora."
},
"twoStepDisableDesc": {
"message": "¿Estás seguro de que desea deshabilitar este proveedor de autenticación en dos pasos?"
},
"twoStepDisabled": {
"message": "Proveedor de autenticación ee dos pasos deshabilitado."
},
"twoFactorYubikeyAdd": {
"message": "Añade un nuevo YubiKey a tu cuenta"
},
"twoFactorYubikeyPlugIn": {
"message": "Conecta la YubiKey (NEO o serie 4) al puerto USB de tu ordenador."
},
"twoFactorYubikeySelectKey": {
"message": "Elije el primer campo de entrada vacío de YubiKey de abajo."
},
"twoFactorYubikeyTouchButton": {
"message": "Toca el botón del YubiKey."
},
"twoFactorYubikeySaveForm": {
"message": "Guarda el formulario."
},
"twoFactorYubikeyWarning": {
"message": "Debido a las limitaciones de la plataforma, YubiKeys no pueden ser utilizadas en todas las aplicaciones Bitwarden. Debes habilitar otro proveedor de autenticación en pasos para que puedas tener acceso a tu cuenta cuando no se puedan utilizar YubiKeys. Plataformas soportadas:"
},
"twoFactorYubikeySupportUsb": {
"message": "Caja fuerte Web, aplicación de escritorio, CLI y todas las extensiones de navegador en un dispositivo con un puerto USB que pueden aceptar tu YubiKey."
},
"twoFactorYubikeySupportMobile": {
"message": "Aplicaciones móviles en un dispositivo con capacidades NFC o un puerto USB que puede aceptar su YubiKey."
},
"yubikeyX": {
"message": "YubiKey $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"u2fkeyX": {
"message": "Llave U2F $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"webAuthnkeyX": {
"message": "WebAuthn Key $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"nfcSupport": {
"message": "Soporte NFC"
},
"twoFactorYubikeySupportsNfc": {
"message": "Una de mis llaves soporta NFC."
},
"twoFactorYubikeySupportsNfcDesc": {
"message": "Si uno de tus YubiKeys es compatible con NFC (como un YubiKey NEO), se te requerirá en dispositivos móviles cuando se detecte la disponibilidad de NFC."
},
"yubikeysUpdated": {
"message": "YubiKeys actualizado"
},
"disableAllKeys": {
"message": "Deshabilitar todas las llaves"
},
"twoFactorDuoDesc": {
"message": "Introduce la información de la aplicación Bitwarden de tu panel de administración Duo."
},
"twoFactorDuoIntegrationKey": {
"message": "Clave de integración"
},
"twoFactorDuoSecretKey": {
"message": "Clave secreta"
},
"twoFactorDuoApiHostname": {
"message": "Nombre de host de API"
},
"twoFactorEmailDesc": {
"message": "Sigue estos pasos para configurar la autenticación en dos pasos con una aplicación autenticadora:"
},
"twoFactorEmailEnterEmail": {
"message": "Introduce el correo electrónico donde deseas recibir los códigos de verificación"
},
"twoFactorEmailEnterCode": {
"message": "Introduce el código de verificación de 6 dígitos enviado a tu correo electrónico"
},
"sendEmail": {
"message": "Enviar correo electrónico"
},
"twoFactorU2fAdd": {
"message": "Agregar una clave de seguridad U2F FIDO a tu cuenta"
},
"removeU2fConfirmation": {
"message": "¿Estás seguro de que quieres eliminar esta clave de seguridad?"
},
"twoFactorWebAuthnAdd": {
"message": "Añadir una clave de seguridad WebAuthn a tu cuenta"
},
"readKey": {
"message": "Leer llave"
},
"keyCompromised": {
"message": "La clave está comprometida."
},
"twoFactorU2fGiveName": {
"message": "Asigna un nombre descriptivo a la llave de seguridad."
},
"twoFactorU2fPlugInReadKey": {
"message": "Conecta la llave de seguridad al puerto USB de tu ordenador y haz clic en el botón \"Leer llave\"."
},
"twoFactorU2fTouchButton": {
"message": "Si la clave de seguridad tiene un botón, tócalo."
},
"twoFactorU2fSaveForm": {
"message": "Guardar el formulario."
},
"twoFactorU2fWarning": {
"message": "Debido a limitaciones de la plataforma, FIDO U2F no puede ser usado en todas las aplicaciones de Bitwarden. Deberías habilitar otro proveedor de inicio de sesión de dos pasos, para que puedas acceder a tu cuenta cuando FIDO U2F no pueda ser utilizado. Plataformas soportadas:"
},
"twoFactorU2fSupportWeb": {
"message": "Caja fuerte web y extensiones de navegador en un escritorio/portátil con un navegador compatible con U2F (Chrome, Opera, Vivaldi, o Firefox con FIDO U2F activado)."
},
"twoFactorU2fWaiting": {
"message": "Esperando a que toques el botón de tu llave de seguridad"
},
"twoFactorU2fClickSave": {
"message": "Haz clic en el botón \"guardar\" para habilitar esta llave de seguridad para el inicio de sesión de dos pasos."
},
"twoFactorU2fProblemReadingTryAgain": {
"message": "Hubo un problema al leer la llave de seguridad. Inténtalo de nuevo."
},
"twoFactorWebAuthnWarning": {
"message": "Debido a las limitaciones de la plataforma, WebAuthn no puede ser utilizado en todas las aplicaciones de Bitwarden. Debería habilitar otro proveedor de inicio de sesión en dos-pasos para que pueda acceder a su cuenta cuando WebAuthn no pueda ser usado. Plataformas soportadas:"
},
"twoFactorWebAuthnSupportWeb": {
"message": "Bóveda web y extensiones de navegador en un escritorio/portátil con un navegador WebAuthn habilitado (Chrome, Opera, Vivaldi o Firefox con FIDO U2F habilitado)."
},
"twoFactorRecoveryYourCode": {
"message": "Tu código de recuperación de inicio de sesión de dos pasos de Bitwarden"
},
"twoFactorRecoveryNoCode": {
"message": "Aún no has habilitado ningún proveedor de inicio de sesión en dos pasos. Después de haber habilitado un proveedor de inicio de sesión en dos pasos, puedes volver aquí para ver el código de recuperación."
},
"printCode": {
"message": "Imprimir código",
"description": "Print 2FA recovery code"
},
"reports": {
"message": "Informes"
},
"reportsDesc": {
"message": "Identify and close security gaps in your online accounts by clicking the reports below."
},
"unsecuredWebsitesReport": {
"message": "Informes de sitios web no seguros"
},
"unsecuredWebsitesReportDesc": {
"message": "Usar sitios web no seguros con el esquema http:// puede ser peligroso. Si el sitio web lo permite, se debe acceder siempre usando el esquema https:// para que la conexión esté cifrada."
},
"unsecuredWebsitesFound": {
"message": "Sitios web no seguros encontrados"
},
"unsecuredWebsitesFoundDesc": {
"message": "Hemos encontrado $COUNT$ elemento(s) en su caja fuerte con URIs no seguras. Si el sitio web lo permite debe cambiar su esquema URI a https://.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noUnsecuredWebsites": {
"message": "No hay elementos en su caja fuerte con URIs no seguras."
},
"inactive2faReport": {
"message": "Informe 2FA inactivo"
},
"inactive2faReportDesc": {
"message": "La autenticación de dos factores (2FA) es una configuración de seguridad importante que ayuda a proteger sus cuentas. Si el sitio web lo ofrece, siempre debe habilitar la autenticación de dos factores."
},
"inactive2faFound": {
"message": "Inicios de sesión sin 2FA encontrados"
},
"inactive2faFoundDesc": {
"message": "Hemos encontrado $COUNT$ sitio(s) web en su caja fuerte que no pueden ser configuradas con autenticación de dos factores (según twofactorauth.org). Para proteger estas cuentas, debe habilitar autenticación de dos factores.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noInactive2fa": {
"message": "No se han encontrado sitios web en su caja fuerte sin una configuración de autenticación de dos factores."
},
"instructions": {
"message": "Instrucciones"
},
"exposedPasswordsReport": {
"message": "Infome de contraseñas expuestas"
},
"exposedPasswordsReportDesc": {
"message": "Exposed passwords are passwords have been uncovered in known data breaches that were released publicly or sold on the dark web by hackers."
},
"exposedPasswordsFound": {
"message": "Contraseñas expuestas encontradas"
},
"exposedPasswordsFoundDesc": {
"message": "Hemos encontrado $COUNT$ elementos en su caja fuerte que tienen contraseñas que fueron expuestas en violaciones de datos conocidas. Debe cambiarlos para utilizar una contraseña nueva.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noExposedPasswords": {
"message": "No hay elementos en su caja fuerte que tengan contraseñas que hayan sido expuestas en violaciones de datos conocidas."
},
"checkExposedPasswords": {
"message": "Compruebe las contraseñas expuestas"
},
"exposedXTimes": {
"message": "Expuestas $COUNT$ vez/veces",
"placeholders": {
"count": {
"content": "$1",
"example": "52"
}
}
},
"weakPasswordsReport": {
"message": "Informe de contraseñas débiles"
},
"weakPasswordsReportDesc": {
"message": "Contraseñas débiles pueden ser fácilmente adivinadas por hackers y herramientas automatizadas que se utilizan para descifrar contraseñas- El generador de contraseñas de Bitwarden puede ayudarle a crear contraseñas fuertes."
},
"weakPasswordsFound": {
"message": "Contraseñas débiles encontradas"
},
"weakPasswordsFoundDesc": {
"message": "Hemos encontrado $COUNT$ elemento(s) en su caja fuerte con contraseñas que no son fuertes. Se deben actualizar para usar contraseñas más fuertes.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noWeakPasswords": {
"message": "No hay elementos en su caja fuerte que tengan contraseñas débiles."
},
"reusedPasswordsReport": {
"message": "Informe de contraseñas reutilizadas"
},
"reusedPasswordsReportDesc": {
"message": "Si un servicio que usa está comprometido, reutilizar la misma contraseña en otros lugares puede permitir que los hackers accedan fácilmente a más de sus cuentas en línea. Debe utilizar una contraseña única para cada cuenta o servicio."
},
"reusedPasswordsFound": {
"message": "Contraseñas reutilizadas encontradas"
},
"reusedPasswordsFoundDesc": {
"message": "Hemos encontrado $COUNT$ contraseña(s) que están siendo reutilizadas en su caja fuerte. Debe cambiarlas a un valor único.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noReusedPasswords": {
"message": "No hay inicios de sesión en su caja fuerte que tengan contraseñas que esten siendo reutilizadas."
},
"reusedXTimes": {
"message": "Reutilizada $COUNT$ vez/veces",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"dataBreachReport": {
"message": "Informe de violación de datos"
},
"breachDesc": {
"message": "Una \"filtración\" es un incidente en el que los delincuentes informáticos han accedido ilegalmente a los datos de un sitio y los han hecho públicos. Revisa los tipos de datos que fueron comprometidos (direcciones de correo electrónico, contraseñas, tarjetas de crédito, etc.) y toma las medidas apropiadas, como cambiar las contraseñas."
},
"breachCheckUsernameEmail": {
"message": "Verifica cualquier nombre de usuario o dirección de correo electrónico que utilices."
},
"checkBreaches": {
"message": "Comprobar filtraciones"
},
"breachUsernameNotFound": {
"message": "$USERNAME$ no se encontró en ninguna filtración de datos conocida.",
"placeholders": {
"username": {
"content": "$1",
"example": "user@example.com"
}
}
},
"goodNews": {
"message": "Buenas Noticias",
"description": "ex. Good News, No Breached Accounts Found!"
},
"breachUsernameFound": {
"message": "$USERNAME$ fue encontrado en $COUNT$ filtración/es de datos en línea.",
"placeholders": {
"username": {
"content": "$1",
"example": "user@example.com"
},
"count": {
"content": "$2",
"example": "7"
}
}
},
"breachFound": {
"message": "Cuentas comprometidas encontradas"
},
"compromisedData": {
"message": "Datos comprometidos"
},
"website": {
"message": "Página web"
},
"affectedUsers": {
"message": "Usuarios afectados"
},
"breachOccurred": {
"message": "Se ha producido una filtración"
},
"breachReported": {
"message": "Filtración reportada"
},
"reportError": {
"message": "Se ha producido un error al intentar cargar el informe. Vuelve a intentarlo"
},
"billing": {
"message": "Facturación"
},
"accountCredit": {
"message": "Crédito de la cuenta",
"description": "Financial term. In the case of Bitwarden, a positive balance means that you owe money, while a negative balance means that you have a credit (Bitwarden owes you money)."
},
"accountBalance": {
"message": "Saldo de la Cuenta",
"description": "Financial term. In the case of Bitwarden, a positive balance means that you owe money, while a negative balance means that you have a credit (Bitwarden owes you money)."
},
"addCredit": {
"message": "Agregar crédito",
"description": "Add more credit to your account's balance."
},
"amount": {
"message": "Importe",
"description": "Dollar amount, or quantity."
},
"creditDelayed": {
"message": "El crédito añadido aparecerá en tu cuenta después de que el pago haya sido procesado por completo. Algunos métodos de pago se retrasan y pueden tomar más tiempo para procesar que otros."
},
"makeSureEnoughCredit": {
"message": "Por favor, asegúrese de que su cuenta tiene suficiente crédito disponible para esta compra. Si su cuenta no tiene suficiente crédito disponible, su método de pago por defecto se utilizará para la diferencia. Puede agregar crédito a su cuenta desde la página de facturación."
},
"creditAppliedDesc": {
"message": "El crédito de su cuenta puede utilizarse para realizar compras. Cualquier crédito disponible se aplicará automáticamente a las facturas generadas para esta cuenta."
},
"goPremium": {
"message": "Hazte Premium",
"description": "Another way of saying \"Get a premium membership\""
},
"premiumUpdated": {
"message": "Has actualizado a premium."
},
"premiumUpgradeUnlockFeatures": {
"message": "Actualice su cuenta a una membresía premium y desbloquee estupendas características adicionales."
},
"premiumSignUpStorage": {
"message": "1 GB de almacenamiento de archivos cifrados."
},
"premiumSignUpTwoStep": {
"message": "Opciones adicionales de inicio de sesión de dos pasos como YubiKey, Fido U2F y Duo."
},
"premiumSignUpEmergency": {
"message": "Acceso de emergencia"
},
"premiumSignUpReports": {
"message": "Higiene de contraseña, salud de la cuenta e informes de violaciones de datos para mantener su caja fuerte segura."
},
"premiumSignUpTotp": {
"message": "Generador de código de verificación TOTP (2FA) para iniciar sesión en su caja fuerte."
},
"premiumSignUpSupport": {
"message": "Atención prioritaria al cliente."
},
"premiumSignUpFuture": {
"message": "Acceso a nuevas características premium en el futuro. ¡Hay más en camino!"
},
"premiumPrice": {
"message": "Todo por sólo $PRICE$ /año!",
"placeholders": {
"price": {
"content": "$1",
"example": "$10"
}
}
},
"addons": {
"message": "Complementos"
},
"premiumAccess": {
"message": "Acceso Premium"
},
"premiumAccessDesc": {
"message": "Puede Agregar acceso premium a todos los miembros de su organización por $PRICE$ /$INTERVAL$.",
"placeholders": {
"price": {
"content": "$1",
"example": "$3.33"
},
"interval": {
"content": "$2",
"example": "'month' or 'year'"
}
}
},
"additionalStorageGb": {
"message": "Almacenamiento adicional (GB)"
},
"additionalStorageGbDesc": {
"message": "# de GB adicional"
},
"additionalStorageIntervalDesc": {
"message": "Su plan viene con $SIZE$ de almacenamiento de archivos cifrados. Puede agregar almacenamiento adicional por $PRICE$ por GB/$INTERVAL$.",
"placeholders": {
"size": {
"content": "$1",
"example": "1 GB"
},
"price": {
"content": "$2",
"example": "$4.00"
},
"interval": {
"content": "$3",
"example": "'month' or 'year'"
}
}
},
"summary": {
"message": "Resumen"
},
"total": {
"message": "Total"
},
"year": {
"message": "año"
},
"month": {
"message": "mes"
},
"monthAbbr": {
"message": "mo.",
"description": "Short abbreviation for 'month'"
},
"paymentChargedAnnually": {
"message": "Your payment method will be charged immediately and on a recurring basis each year. You may cancel at any time."
},
"paymentCharged": {
"message": "Tu método de pago será cobrado inmediatamente y luego de forma recurrente cada $INTERVAL$. Puedes cancelar en cualquier momento.",
"placeholders": {
"interval": {
"content": "$1",
"example": "month or year"
}
}
},
"paymentChargedWithTrial": {
"message": "Your plan comes with a free 7 day trial. Your card will not be charged until the trial has ended and on a recurring basis each $INTERVAL$. You may cancel at any time."
},
"paymentInformation": {
"message": "Información de pago"
},
"billingInformation": {
"message": "Información de Facturación"
},
"creditCard": {
"message": "Tarjeta de crédito"
},
"paypalClickSubmit": {
"message": "Pulse el botón PayPal para iniciar sesión en su cuenta PayPal y, a continuación, pulse el botón Enviar para continuar."
},
"cancelSubscription": {
"message": "Cancelar suscripción"
},
"subscriptionCanceled": {
"message": "La suscripción ha sido cancelada."
},
"pendingCancellation": {
"message": "Cancelación pendiente"
},
"subscriptionPendingCanceled": {
"message": "La suscripción ha sido marcada para cancelación al final del período de facturación actual."
},
"reinstateSubscription": {
"message": "Restablecer la suscripción"
},
"reinstateConfirmation": {
"message": "¿Está seguro de que desea eliminar la solicitud de cancelación pendiente y restablecer su suscripción?"
},
"reinstated": {
"message": "La suscripción ha sido restablecida."
},
"cancelConfirmation": {
"message": "¿Estás seguro de que quieres cancelar? Perderá el acceso a todas las funciones de esta suscripción al final de este ciclo de facturación."
},
"canceledSubscription": {
"message": "La suscripción ha sido cancelada."
},
"neverExpires": {
"message": "Nunca caduca"
},
"status": {
"message": "Estado"
},
"nextCharge": {
"message": "Cargo siguiente"
},
"details": {
"message": "Detalles"
},
"downloadLicense": {
"message": "Descargar licencia"
},
"updateLicense": {
"message": "Actualizar Licencia"
},
"updatedLicense": {
"message": "Licencia actualizada"
},
"manageSubscription": {
"message": "Administrar suscripción"
},
"storage": {
"message": "Almacenamiento"
},
"addStorage": {
"message": "Añadir almacenamiento"
},
"removeStorage": {
"message": "Eliminar almacenamiento"
},
"subscriptionStorage": {
"message": "Su suscripción tiene un total de $MAX_STORAGE$ GB de almacenamiento de archivos cifrados. Actualmente está utilizando $USED_STORAGE$.",
"placeholders": {
"max_storage": {
"content": "$1",
"example": "4"
},
"used_storage": {
"content": "$2",
"example": "65 MB"
}
}
},
"paymentMethod": {
"message": "Método de Pago"
},
"noPaymentMethod": {
"message": "No hay ningún método de pago en el archivo."
},
"addPaymentMethod": {
"message": "Añadir método de pago"
},
"changePaymentMethod": {
"message": "Cambiar Método de Pago"
},
"invoices": {
"message": "Facturas"
},
"noInvoices": {
"message": "Sin facturas."
},
"paid": {
"message": "Pagado",
"description": "Past tense status of an invoice. ex. Paid or unpaid."
},
"unpaid": {
"message": "No pagado",
"description": "Past tense status of an invoice. ex. Paid or unpaid."
},
"transactions": {
"message": "Transacciones",
"description": "Payment/credit transactions."
},
"noTransactions": {
"message": "Sin transacciones."
},
"chargeNoun": {
"message": "Cargo",
"description": "Noun. A charge from a payment method."
},
"refundNoun": {
"message": "Reembolso",
"description": "Noun. A refunded payment that was charged."
},
"chargesStatement": {
"message": "Cualquier cargo aparecerá en su estado de cuenta como $STATEMENT_NAME$.",
"placeholders": {
"statement_name": {
"content": "$1",
"example": "BITWARDEN"
}
}
},
"gbStorageAdd": {
"message": "GB de almacenamiento que añadir"
},
"gbStorageRemove": {
"message": "GB de almacenamiento a eliminar"
},
"storageAddNote": {
"message": "Agregar almacenamiento dará como resultado ajustes en sus totales de facturación e inmediatamente cargará su método de pago en el archivo. El primer cargo será prorrateado por el resto del ciclo de facturación actual."
},
"storageRemoveNote": {
"message": "Al eliminar el almacenamiento, se realizarán ajustes en los totales de facturación que se prorratearán como créditos para su próximo cargo de facturación."
},
"adjustedStorage": {
"message": "$AMOUNT$ GB de almacenamiento ajustado.",
"placeholders": {
"amount": {
"content": "$1",
"example": "5"
}
}
},
"contactSupport": {
"message": "Póngase en contacto con el servicio de atención al cliente"
},
"updatedPaymentMethod": {
"message": "Método de pago actualizado."
},
"purchasePremium": {
"message": "Comprar Premium"
},
"licenseFile": {
"message": "Archivo de licencia"
},
"licenseFileDesc": {
"message": "El nombre de tu archivo del licecncia será algo como $FILE_NAME$",
"placeholders": {
"file_name": {
"content": "$1",
"example": "bitwarden_premium_license.json"
}
}
},
"uploadLicenseFilePremium": {
"message": "Para actualizar tu cuenta a una membresía premium necesitas subir un archivo de licencia válido."
},
"uploadLicenseFileOrg": {
"message": "Para crear una organización en un alojamiento propio necesitas subir un archivo de licencia válido."
},
"accountEmailMustBeVerified": {
"message": "El correo electrónico de tu cuenta debe ser verificado."
},
"newOrganizationDesc": {
"message": "Las organizaciones te permiten compartir partes de tu caja fuerte con otras personas así como gestionar que usuarios están relacionado con una entidad concreta como familia, un pequeño equipo o una gran empresa."
},
"generalInformation": {
"message": "Información general"
},
"organizationName": {
"message": "Nombre de la organización"
},
"accountOwnedBusiness": {
"message": "Esta cuenta es propiedad de una empresa."
},
"billingEmail": {
"message": "Correo electrónico de facturación"
},
"businessName": {
"message": "Nombre de la empresa"
},
"chooseYourPlan": {
"message": "Elige tu plan"
},
"users": {
"message": "Usuarios"
},
"userSeats": {
"message": "Puestos"
},
"additionalUserSeats": {
"message": "Puestos adicionales"
},
"userSeatsDesc": {
"message": "# de puestos"
},
"userSeatsAdditionalDesc": {
"message": "Tu plan viene con $BASE_SEATS$ puestos. Puedes añadir puestos adicionales por $SEAT_PRICE$ por usuario/mes.",
"placeholders": {
"base_seats": {
"content": "$1",
"example": "5"
},
"seat_price": {
"content": "$2",
"example": "$2.00"
}
}
},
"userSeatsHowManyDesc": {
"message": "¿Cuantos puestos necesitas? Puedes añadir más puestos más adelante si es necesario."
},
"planNameFree": {
"message": "Gratis",
"description": "Free as in 'free beer'."
},
"planDescFree": {
"message": "Para usuarios de prueba o personales, permite compartir con $COUNT$ usuario más.",
"placeholders": {
"count": {
"content": "$1",
"example": "1"
}
}
},
"planNameFamilies": {
"message": "Familias"
},
"planDescFamilies": {
"message": "Para uso personal, compartir con la familia o con amigos."
},
"planNameTeams": {
"message": "Equipos"
},
"planDescTeams": {
"message": "Para empresas u otros equipos organizados."
},
"planNameEnterprise": {
"message": "Empresas"
},
"planDescEnterprise": {
"message": "Para empresas u otras organizaciones grandes."
},
"freeForever": {
"message": "Gratis para siempre"
},
"includesXUsers": {
"message": "incluye $COUNT$ usuarios",
"placeholders": {
"count": {
"content": "$1",
"example": "5"
}
}
},
"additionalUsers": {
"message": "Usuarios adicionales"
},
"costPerUser": {
"message": "$COST$ por usuario",
"placeholders": {
"cost": {
"content": "$1",
"example": "$3"
}
}
},
"limitedUsers": {
"message": "Limitado a $COUNT$ usuarios (incluyéndote a ti)",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"limitedCollections": {
"message": "Limitado a $COUNT$ colecciones",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"addShareLimitedUsers": {
"message": "Añade y comparte hasta con $COUNT$ usuarios",
"placeholders": {
"count": {
"content": "$1",
"example": "5"
}
}
},
"addShareUnlimitedUsers": {
"message": "Añade y comparte con usuarios ilimitados"
},
"createUnlimitedCollections": {
"message": "Crea colecciones ilimitadas"
},
"gbEncryptedFileStorage": {
"message": "$SIZE$ de almacenamiento de archivos cifrado",
"placeholders": {
"size": {
"content": "$1",
"example": "1 GB"
}
}
},
"onPremHostingOptional": {
"message": "Alojamiento propio (opcional)"
},
"usersGetPremium": {
"message": "Los usuarios obtienen acceso a las características de una membresía premium"
},
"controlAccessWithGroups": {
"message": "Control el acceso de usuarios con grupos"
},
"syncUsersFromDirectory": {
"message": "Sincroniza tus usuarios y grupos desde un directorio"
},
"trackAuditLogs": {
"message": "Rastrea acciones de usuarios con logs de auditoría"
},
"enforce2faDuo": {
"message": "Forzar uso de 2FA con Duo"
},
"priorityCustomerSupport": {
"message": "Soporte prioritario"
},
"xDayFreeTrial": {
"message": "$COUNT$ días de prueba, cancela en cualquier momento",
"placeholders": {
"count": {
"content": "$1",
"example": "7"
}
}
},
"monthly": {
"message": "Mensual"
},
"annually": {
"message": "Anual"
},
"basePrice": {
"message": "Precio base"
},
"organizationCreated": {
"message": "Organización creada"
},
"organizationReadyToGo": {
"message": "¡Tu nueva organización está lista para comenzar!"
},
"organizationUpgraded": {
"message": "Tu organización ha sido actualizada."
},
"leave": {
"message": "Salir"
},
"leaveOrganizationConfirmation": {
"message": "¿Estás seguro de que quieres dejar esta organización?"
},
"leftOrganization": {
"message": "Usted ha dejado la organización."
},
"defaultCollection": {
"message": "Colección por defecto"
},
"getHelp": {
"message": "Consigue ayuda"
},
"getApps": {
"message": "Consigue las apps"
},
"loggedInAs": {
"message": "Conectado como"
},
"eventLogs": {
"message": "Registro de Eventos"
},
"people": {
"message": "Personas"
},
"policies": {
"message": "Políticas"
},
"singleSignOn": {
"message": "Inicio de sesión único"
},
"editPolicy": {
"message": "Editar política"
},
"groups": {
"message": "Grupos"
},
"newGroup": {
"message": "Nuevo Grupo"
},
"addGroup": {
"message": "Añadir grupo"
},
"editGroup": {
"message": "Editar grupo"
},
"deleteGroupConfirmation": {
"message": "¿Estás seguro de que deseas eliminar este grupo?"
},
"removeUserConfirmation": {
"message": "¿Estás seguro de que deseas eliminar a este usuario?"
},
"removeUserConfirmationKeyConnector": {
"message": "¡Advertencia! Este usuario requiere Conector de Clave para administrar su cifrado. Eliminar a este usuario de tu organización deshabilitará permanentemente su cuenta. Esta acción no se puede deshacer. ¿Quieres continuar?"
},
"externalId": {
"message": "Id externo"
},
"externalIdDesc": {
"message": "El Id externo puede ser usado como una referencia o para enlazar este recurso a un sistema externo, por ejemplo, un directorio de usuario."
},
"accessControl": {
"message": "Control de Acceso"
},
"groupAccessAllItems": {
"message": "Este grupo puede acceder y modificar todos los elementos."
},
"groupAccessSelectedCollections": {
"message": "Este grupo sólo puede acceder a las colecciones seleccionadas."
},
"readOnly": {
"message": "Sólo lectura"
},
"newCollection": {
"message": "Nueva colección"
},
"addCollection": {
"message": "Añadir colección"
},
"editCollection": {
"message": "Editar colección"
},
"deleteCollectionConfirmation": {
"message": "¿Seguro que quieres eliminar esta colección?"
},
"editUser": {
"message": "Editar usuario"
},
"inviteUser": {
"message": "Invitar usuario"
},
"inviteUserDesc": {
"message": "Invite a un nuevo usuario a su organización introduciendo la dirección de correo electrónico de su cuenta Bitwarden a continuación. Si aún no tienen una cuenta Bitwarden, se les pedirá que creen una nueva cuenta."
},
"inviteMultipleEmailDesc": {
"message": "Puede invitar hasta $COUNT$ usuarios a la vez separando por comas las direcciones de correo electrónico.",
"placeholders": {
"count": {
"content": "$1",
"example": "20"
}
}
},
"userUsingTwoStep": {
"message": "Este usuario está usando autenticación de dos pasos para proteger su cuenta."
},
"userAccessAllItems": {
"message": "Este usuario puede acceder y modificar todos los elementos."
},
"userAccessSelectedCollections": {
"message": "Este usuario sólo puede acceder a las colecciones seleccionadas."
},
"search": {
"message": "Buscar"
},
"invited": {
"message": "Invitado"
},
"accepted": {
"message": "Aceptado"
},
"confirmed": {
"message": "Confirmado"
},
"clientOwnerEmail": {
"message": "Correo electrónico del propietario del cliente"
},
"owner": {
"message": "Propietario"
},
"ownerDesc": {
"message": "El usuario de acceso más alto que puede administrar todos los aspectos de su organización."
},
"clientOwnerDesc": {
"message": "Este usuario debe ser independiente del Proveedor. Si el Proveedor está desasociado con la organización, este usuario mantendrá la propiedad de la organización."
},
"admin": {
"message": "Administrador"
},
"adminDesc": {
"message": "Los administradores pueden acceder y gestionar todos los elementos, colecciones y usuarios de la organización."
},
"user": {
"message": "Usuario"
},
"userDesc": {
"message": "Un usuario regular con acceso a las colecciones de su organización."
},
"manager": {
"message": "Gestor"
},
"managerDesc": {
"message": "Los gestores pueden acceder y gestionar colecciones asignadas en tu organización."
},
"all": {
"message": "Todo"
},
"refresh": {
"message": "Actualizar"
},
"timestamp": {
"message": "Marca de tiempo"
},
"event": {
"message": "Evento"
},
"unknown": {
"message": "Desconocido"
},
"loadMore": {
"message": "Cargar más"
},
"mobile": {
"message": "Móvil",
"description": "Mobile app"
},
"extension": {
"message": "Extensión",
"description": "Browser extension/addon"
},
"desktop": {
"message": "Escritorio",
"description": "Desktop app"
},
"webVault": {
"message": "Caja fuerte Web"
},
"loggedIn": {
"message": "Identificado."
},
"changedPassword": {
"message": "Contraseña de la cuenta cambiada."
},
"enabledUpdated2fa": {
"message": "Autenticación en dos pasos habilitado/actualizado."
},
"disabled2fa": {
"message": "Autenticación en dos pasos deshabilitada."
},
"recovered2fa": {
"message": "Cuenta recuperada de autenticación en dos pasos."
},
"failedLogin": {
"message": "Intento de acceso fallido con contraseña incorrecta."
},
"failedLogin2fa": {
"message": "Intento de acceso fallido con autenticación en dos pasos incorrecta."
},
"exportedVault": {
"message": "Caja fuerte exportada."
},
"exportedOrganizationVault": {
"message": "Caja fuerte de organización exportada."
},
"editedOrgSettings": {
"message": "Ajustes de la organización editados."
},
"createdItemId": {
"message": "Elemento $ID$ creado.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"editedItemId": {
"message": "Elemento $ID$ editado.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"deletedItemId": {
"message": "Elemento $ID$ eliminado.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"movedItemIdToOrg": {
"message": "Se ha movido el elemento $ID$ a una organización.",
"placeholders": {
"id": {
"content": "$1",
"example": "'Google'"
}
}
},
"viewedItemId": {
"message": "Elemento $ID$ visto.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedPasswordItemId": {
"message": "Contraseña para el elemento $ID$ vista.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedHiddenFieldItemId": {
"message": "Campo oculto para el elemento $ID$ visto.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedSecurityCodeItemId": {
"message": "Código de seguridad para el elemento $ID$ visto.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedPasswordItemId": {
"message": "Contraseña para el elemento $ID$ copiada.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedHiddenFieldItemId": {
"message": "Campo oculto para el elemento $ID$ copiado.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedSecurityCodeItemId": {
"message": "Código de seguridad para el elemento $ID$ copiado.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"autofilledItemId": {
"message": "Elemento $ID$ autorrellenado.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"createdCollectionId": {
"message": "Colección $ID$ creada.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"editedCollectionId": {
"message": "Colección $ID$ editada.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"deletedCollectionId": {
"message": "Colección $ID$ eliminada.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"editedPolicyId": {
"message": "Política $ID$ editada.",
"placeholders": {
"id": {
"content": "$1",
"example": "Master Password"
}
}
},
"createdGroupId": {
"message": "Grupo $ID$ creado.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"editedGroupId": {
"message": "Grupo $ID$ editado.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"deletedGroupId": {
"message": "Grupo $ID$ eliminado.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"removedUserId": {
"message": "Usuario $ID$ eliminado.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"createdAttachmentForItem": {
"message": "Adjunto del elemento $ID$ creado.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"deletedAttachmentForItem": {
"message": "Adjunto del elemento $ID$ eliminado.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"editedCollectionsForItem": {
"message": "Colecciones del elemento $ID$ editadas.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"invitedUserId": {
"message": "Usuario $ID$ invitado.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"confirmedUserId": {
"message": "Usuario $ID$ confirmado.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"editedUserId": {
"message": "Usuario $ID$ editado.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"editedGroupsForUser": {
"message": "Grupos del usuario $ID$ editados.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"unlinkedSsoUser": {
"message": "SSO desvinculado para el usuario $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"createdOrganizationId": {
"message": "Organización $ID$ creada.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"addedOrganizationId": {
"message": "Organización $ID$ añadida.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"removedOrganizationId": {
"message": "Organización $ID$ eliminada.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"accessedClientVault": {
"message": "Se ha accedido a la caja fuerte de la organización $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"device": {
"message": "Dispositivo"
},
"view": {
"message": "Ver"
},
"invalidDateRange": {
"message": "Rango de datos no válido."
},
"errorOccurred": {
"message": "Ha ocurrido un error."
},
"userAccess": {
"message": "Acceso del usuario"
},
"userType": {
"message": "Tipo de usuario"
},
"groupAccess": {
"message": "Acceso del grupo"
},
"groupAccessUserDesc": {
"message": "Edita los grupos a los que pertenece este usuario."
},
"invitedUsers": {
"message": "Usuario(s) invitados."
},
"resendInvitation": {
"message": "Reenviar invitación"
},
"resendEmail": {
"message": "Reenviar correo"
},
"hasBeenReinvited": {
"message": "El usuario $USER$ ha sido reinvitado.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"confirm": {
"message": "Confirmar"
},
"confirmUser": {
"message": "Confirmar usuario"
},
"hasBeenConfirmed": {
"message": "El usuario $USER$ ha sido confirmado.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"confirmUsers": {
"message": "Confirmar usuarios"
},
"usersNeedConfirmed": {
"message": "Tienes usuarios que han aceptado su invitación pero necesitan ser confirmados. Los usuarios no tendrán acceso a la organización hasta que estén confirmados."
},
"startDate": {
"message": "Fecha de inicio"
},
"endDate": {
"message": "Fecha de finalización"
},
"verifyEmail": {
"message": "Verificar correo electrónico"
},
"verifyEmailDesc": {
"message": "Verifica el correo electrónico de tu cuenta para desbloquear todas estas características."
},
"verifyEmailFirst": {
"message": "El correo electrónico de tu cuenta debe ser verificado primero."
},
"checkInboxForVerification": {
"message": "Comprueba el enlace de verificación en tu cuenta de correo."
},
"emailVerified": {
"message": "Tu cuenta de correo ha sido verificada."
},
"emailVerifiedFailed": {
"message": "No se ha podido verificar tu cuenta de correo electrónico. Prueba a enviar un nuevo correo de verificación."
},
"emailVerificationRequired": {
"message": "Verificación de correo electrónico requerida"
},
"emailVerificationRequiredDesc": {
"message": "Debes verificar tu correo electrónico para usar esta característica."
},
"updateBrowser": {
"message": "Actualizar navegador"
},
"updateBrowserDesc": {
"message": "Está utilizando un navegador web no compatible. Es posible que la caja fuerte web no funcione correctamente."
},
"joinOrganization": {
"message": "Únete a la organización"
},
"joinOrganizationDesc": {
"message": "Usted ha sido invitado a unirse a la organización mencionada anteriormente. Para aceptar la invitación, debe iniciar sesión o crear una nueva cuenta de Bitwarden."
},
"inviteAccepted": {
"message": "Invitación Aceptada"
},
"inviteAcceptedDesc": {
"message": "Puede acceder a esta organización una vez que un administrador confirme su membresía. Te enviaremos un correo electrónico cuando eso suceda."
},
"inviteAcceptFailed": {
"message": "No se puede aceptar la invitación. Pida a un administrador de la organización que envíe una nueva invitación."
},
"inviteAcceptFailedShort": {
"message": "No se puede aceptar la invitación. $DESCRIPTION$",
"placeholders": {
"description": {
"content": "$1",
"example": "You must enable 2FA on your user account before you can join this organization."
}
}
},
"rememberEmail": {
"message": "Recordar correo electrónico"
},
"recoverAccountTwoStepDesc": {
"message": "Si no puedes acceder a tu cuenta utilizando tus métodos normales de autenticación en dos pasos, puedes utilizar el código de recuperación de autenticación en dos pasos para deshabilitar todos los proveedores de tu cuenta."
},
"recoverAccountTwoStep": {
"message": "Recuperar autenticación en dos pasos"
},
"twoStepRecoverDisabled": {
"message": "La autenticación en dos pasos ha sido deshabilitada para tu cuenta."
},
"learnMore": {
"message": "Más información"
},
"deleteRecoverDesc": {
"message": "Introduce tu correo electrónico debajo para recuperar y eliminar tu cuenta."
},
"deleteRecoverEmailSent": {
"message": "Si tu cuenta existe, enviaremos un correo electrónico con más instrucciones."
},
"deleteRecoverConfirmDesc": {
"message": "Has solicitado eliminar tu cuenta de Bitwarden. Pulsa en el botón inferior para confirmar."
},
"myOrganization": {
"message": "Mi organización"
},
"deleteOrganization": {
"message": "Eliminar organización"
},
"deletingOrganizationContentWarning": {
"message": "Introduzca la contraseña maestra para confirmar la eliminación de $ORGANIZATION$ y todos los datos asociados. Los datos de la bóveda de $ORGANIZATION$ incluyen:",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"deletingOrganizationActiveUserAccountsWarning": {
"message": "Las cuentas de usuario permanecerán activas después de la eliminación, pero ya no estarán asociadas a esta organización."
},
"deletingOrganizationIsPermanentWarning": {
"message": "La eliminación de $ORGANIZATION$ es permanente y irreversible.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"organizationDeleted": {
"message": "Organización eliminada"
},
"organizationDeletedDesc": {
"message": "La organización y todo el contenido asociado ha sido eliminado."
},
"organizationUpdated": {
"message": "Organización actualizada"
},
"taxInformation": {
"message": "Información sobre impuestos"
},
"taxInformationDesc": {
"message": "Para los clientes dentro de los Estados Unidos, el código postal es necesario para satisfacer los requisitos de impuestos sobre las ventas. para otros países usted puede proporcionar opcionalmente un número de identificación fiscal (IVA/GST) y/o dirección para que aparezca en sus facturas."
},
"billingPlan": {
"message": "Plan",
"description": "A billing plan/package. For example: families, teams, enterprise, etc."
},
"changeBillingPlan": {
"message": "Cambiar plan",
"description": "A billing plan/package. For example: families, teams, enterprise, etc."
},
"changeBillingPlanUpgrade": {
"message": "Actualiza tu cuenta a otro plan proporcionando la información de abajo. Por favor, asegúrate de que tienes un método de pago activo añadido a la cuenta.",
"description": "A billing plan/package. For example: families, teams, enterprise, etc."
},
"invoiceNumber": {
"message": "Factura $NUMBER$",
"description": "ex. Invoice #79C66F0-0001",
"placeholders": {
"number": {
"content": "$1",
"example": "79C66F0-0001"
}
}
},
"viewInvoice": {
"message": "Ver Factura"
},
"downloadInvoice": {
"message": "Descargar Factura"
},
"verifyBankAccount": {
"message": "Verificar cuenta bancaria"
},
"verifyBankAccountDesc": {
"message": "Hemos hecho dos pequeños cargos en tu cuenta bancaria (pueden tardar de 1 a 2 días laborables en aparecer). Introduce esas cantidades para verificar tu cuenta bancaria."
},
"verifyBankAccountInitialDesc": {
"message": "El pago con cuenta bancaria solo está disponible para clientes en los Estados Unidos. Tendrá que verificar su cuenta bancaria. Realizaremos dos pequeños cargos en los siguientes 1-2 días laborables. Introduzca esas cantidades en la página de facturación de la organización para verificar la cuenta bancaria."
},
"verifyBankAccountFailureWarning": {
"message": "Si falla la verificación de la cuenta bancaria, como resultado se saltará el pago y tu suscripción será deshabilitada."
},
"verifiedBankAccount": {
"message": "La cuenta bancaria ha sido verificada."
},
"bankAccount": {
"message": "Cuenta bancaria"
},
"amountX": {
"message": "Cantidad $COUNT$",
"description": "Used in bank account verification of micro-deposits. Amount, as in a currency amount. Ex. Amount 1 is $2.00, Amount 2 is $1.50",
"placeholders": {
"count": {
"content": "$1",
"example": "1"
}
}
},
"routingNumber": {
"message": "Número de ruta bancaria",
"description": "Bank account routing number"
},
"accountNumber": {
"message": "Número de cuenta"
},
"accountHolderName": {
"message": "Nombre del titular de la cuenta"
},
"bankAccountType": {
"message": "Tipo de cuenta"
},
"bankAccountTypeCompany": {
"message": "Compañia (Empresa)"
},
"bankAccountTypeIndividual": {
"message": "Individual (Personal)"
},
"enterInstallationId": {
"message": "Introduce tu ID de instalación"
},
"limitSubscriptionDesc": {
"message": "Establezca un límite de asientos para su suscripción. Una vez alcanzado este límite, no podrá invitar a nuevos usuarios."
},
"maxSeatLimit": {
"message": "Límite máximo de asientos (opcional)",
"description": "Upper limit of seats to allow through autoscaling"
},
"maxSeatCost": {
"message": "Coste potencial máximo del asiento"
},
"addSeats": {
"message": "Añadir puestos",
"description": "Seat = User Seat"
},
"removeSeats": {
"message": "Quitar puestos",
"description": "Seat = User Seat"
},
"subscriptionDesc": {
"message": "Los ajustes a su suscripción provocarán cambios prorrateados en su facturación total. Si los usuarios recién invitados exceden sus asientos de suscripción, recibirá inmediatamente un cargo prorrateado para los usuarios adicionales."
},
"subscriptionUserSeats": {
"message": "Tu suscripción permite un total de $COUNT$ usuarios.",
"placeholders": {
"count": {
"content": "$1",
"example": "50"
}
}
},
"limitSubscription": {
"message": "Limitar suscripción (opcional)"
},
"subscriptionSeats": {
"message": "Asientos de suscripción"
},
"subscriptionUpdated": {
"message": "Suscripción actualizada"
},
"additionalOptions": {
"message": "Opciones adicionales"
},
"additionalOptionsDesc": {
"message": "Para ayuda adicional en la gestión de tu suscripción, por favor contacta con Atención al Cliente."
},
"subscriptionUserSeatsUnlimitedAutoscale": {
"message": "Los ajustes a su suscripción provocarán cambios prorrateados en su facturación total. Si los usuarios recién invitados exceden sus asientos de suscripción, recibirá inmediatamente un cargo prorrateado para los usuarios adicionales."
},
"subscriptionUserSeatsLimitedAutoscale": {
"message": "Los ajustes a su suscripción provocarán cambios prorrateados en su facturación total. Si los usuarios recién invitados exceden sus asientos de suscripción, recibirás inmediatamente un cargo prorrateado para los usuarios adicionales hasta que alcances tu límite de $MAX$ asientos.",
"placeholders": {
"max": {
"content": "$1",
"example": "50"
}
}
},
"subscriptionFreePlan": {
"message": "No puedes invitar a más de $COUNT$ usuarios sin actualizar tu plan.",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"subscriptionFamiliesPlan": {
"message": "No puede invitar a más de $COUNT$ usuarios sin actualizar su plan. Póngase en contacto con el Servicio de Atención al Cliente para actualizarlo.",
"placeholders": {
"count": {
"content": "$1",
"example": "6"
}
}
},
"subscriptionSponsoredFamiliesPlan": {
"message": "Su suscripción permite un total de $COUNT$ usuarios. Su plan es patrocinado y facturado a una organización externa.",
"placeholders": {
"count": {
"content": "$1",
"example": "6"
}
}
},
"subscriptionMaxReached": {
"message": "Los ajustes de tu suscripción darán como resultado cambios prorrateados en tus facturación total. No puedes invitar a más de $COUNT$ usuarios sin aumentar tus asientos de suscripción.",
"placeholders": {
"count": {
"content": "$1",
"example": "50"
}
}
},
"seatsToAdd": {
"message": "Puesto a añadir"
},
"seatsToRemove": {
"message": "Puestos a quitar"
},
"seatsAddNote": {
"message": "Añadir puestos hará ajustes en el total de tu facturación y se realizará un cargo sobre tu método de pago inmediatamente. El primer cargo se prorrateará por el número de días restantes del ciclo de facturación actual."
},
"seatsRemoveNote": {
"message": "Quitar puestos hará cambios en el total de tu facturación que será prorratada como creditos de cara al siguiente cargo."
},
"adjustedSeats": {
"message": "Ajustados $AMOUNT$ puestos.",
"placeholders": {
"amount": {
"content": "$1",
"example": "15"
}
}
},
"keyUpdated": {
"message": "Clave actualizada"
},
"updateKeyTitle": {
"message": "Actualizar clave"
},
"updateEncryptionKey": {
"message": "Actualizar clave de cifrado"
},
"updateEncryptionKeyShortDesc": {
"message": "Actualmente utilizas un esquema de cifrado desactualizado."
},
"updateEncryptionKeyDesc": {
"message": "Hemos cambiado a unas claves de cifrado más grandes para ofrecer una mayor seguridad y acceso a nuevas características. Actualizar tu clave de cifrado actual es fácil y rápido. Solo necesitas escribir tu contraseña maestra debajo. Esta actualización en algún momento se volverá obligatoria."
},
"updateEncryptionKeyWarning": {
"message": "Una vez actualices tu clave de cifrado, será necesario que cierres sesión y vuelvas a identificarte en todas las aplicaciones de Bitwarden que estés utilizando (como la aplicación móvil o la extensión de navegador). Si la reautenticación falla (la cual descargaría la nueva clave de cifrad) puede producirse corrupción de datos. Intentaremos cerrar tu sesión automáticamente, pero puede tardar un tiempo."
},
"updateEncryptionKeyExportWarning": {
"message": "Cualquier exportación cifrada que hayas guardado también será inválida."
},
"subscription": {
"message": "Suscripción"
},
"loading": {
"message": "Cargando"
},
"upgrade": {
"message": "Mejorar"
},
"upgradeOrganization": {
"message": "Mejorar organización"
},
"upgradeOrganizationDesc": {
"message": "Esta características no está disponible para organizaciones gratuitas. Cambiar a una organización de pago para desbloquear más características."
},
"createOrganizationStep1": {
"message": "Crear organización: Paso 1"
},
"createOrganizationCreatePersonalAccount": {
"message": "Antes de crear tu organización, necesitas tener una cuenta gratuita de uso personal."
},
"refunded": {
"message": "Reembolsado"
},
"nothingSelected": {
"message": "No has seleccionado nada."
},
"acceptPolicies": {
"message": "Al seleccionar esta casilla, acepta lo siguiente:"
},
"acceptPoliciesError": {
"message": "Todavía no has aceptado los términos del servicio y la política de privacidad."
},
"termsOfService": {
"message": "Términos y condiciones del servicio"
},
"privacyPolicy": {
"message": "Política de privacidad"
},
"filters": {
"message": "Filtros"
},
"vaultTimeout": {
"message": "Tiempo de espera de la bóveda"
},
"vaultTimeoutDesc": {
"message": "Elije cuando se agotará el tiempo de espera de tu caja fuerte y se ejecutará la acción seleccionada."
},
"oneMinute": {
"message": "1 minuto"
},
"fiveMinutes": {
"message": "5 minutos"
},
"fifteenMinutes": {
"message": "15 minutos"
},
"thirtyMinutes": {
"message": "30 minutos"
},
"oneHour": {
"message": "1 hora"
},
"fourHours": {
"message": "4 horas"
},
"onRefresh": {
"message": "Al recargar la página"
},
"dateUpdated": {
"message": "Actualizada",
"description": "ex. Date this item was updated"
},
"datePasswordUpdated": {
"message": "Contraseña actualizada",
"description": "ex. Date this password was updated"
},
"organizationIsDisabled": {
"message": "La organización está desactivada."
},
"licenseIsExpired": {
"message": "Licencia expirada."
},
"updatedUsers": {
"message": "Usuarios actualizados"
},
"selected": {
"message": "Seleccionado"
},
"ownership": {
"message": "Propiedad"
},
"whoOwnsThisItem": {
"message": "¿Quién posee este elemento?"
},
"strong": {
"message": "Fuerte",
"description": "ex. A strong password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"good": {
"message": "Bueno",
"description": "ex. A good password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"weak": {
"message": "Débil",
"description": "ex. A weak password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"veryWeak": {
"message": "Muy débil",
"description": "ex. A very weak password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"weakMasterPassword": {
"message": "Contraseña maestra débil"
},
"weakMasterPasswordDesc": {
"message": "La contraseña maestra que ha elegido es débil. Debe usar una contraseña maestra fuerte (o una frase de contraseña) para proteger adecuadamente su cuenta de Bitwarden. ¿Está seguro de que desea utilizar esta contraseña maestra?"
},
"rotateAccountEncKey": {
"message": "También rotar la clave de encriptación de mi cuenta"
},
"rotateEncKeyTitle": {
"message": "Rotar clave de encriptación"
},
"rotateEncKeyConfirmation": {
"message": "¿Está seguro de que desea rotar la clave de encriptación de su cuenta?"
},
"attachmentsNeedFix": {
"message": "Este elemento tiene archivos adjuntos antiguos que deben ser corregidos."
},
"attachmentFixDesc": {
"message": "Este es un archivo adjunto antiguo que necesita ser corregido. Haga clic para obtener más información."
},
"fix": {
"message": "Arreglar",
"description": "This is a verb. ex. 'Fix The Car'"
},
"oldAttachmentsNeedFixDesc": {
"message": "Hay archivos adjuntos antiguos en la caja fuerte que necesitan ser corregidos antes de poder rotar la clave de encriptación de su cuenta."
},
"yourAccountsFingerprint": {
"message": "Frase de la huella digital de su cuenta",
"description": "A 'fingerprint phrase' is a unique word phrase (similar to a passphrase) that a user can use to authenticate their public key with another user, for the purposes of sharing."
},
"fingerprintEnsureIntegrityVerify": {
"message": "Para asegurar la integridad de sus claves de encriptación, por favor verifique la frase de la huella digital del usuario antes de continuar.",
"description": "A 'fingerprint phrase' is a unique word phrase (similar to a passphrase) that a user can use to authenticate their public key with another user, for the purposes of sharing."
},
"dontAskFingerprintAgain": {
"message": "No pida verificar la frase de la huella dactilar de nuevo",
"description": "A 'fingerprint phrase' is a unique word phrase (similar to a passphrase) that a user can use to authenticate their public key with another user, for the purposes of sharing."
},
"free": {
"message": "Gratis",
"description": "Free, as in 'Free beer'"
},
"apiKey": {
"message": "Clave API"
},
"apiKeyDesc": {
"message": "Su clave API puede ser usada para autenticar la API pública de Bitwarden."
},
"apiKeyRotateDesc": {
"message": "Rotar la clave API invalidará la clave anterior. Puede rotar la clave API si cree que la clave actual ya no es segura de usar."
},
"apiKeyWarning": {
"message": "Su clave API tiene acceso completo a la organización. Debe mantenerse en secreto."
},
"userApiKeyDesc": {
"message": "Su clave API puede ser usada para autenticarse en el CLI de Bitwarden."
},
"userApiKeyWarning": {
"message": "Su clave API es un mecanismo alternativo de autenticación. Debe mantenerse en secreto."
},
"oauth2ClientCredentials": {
"message": "Credenciales de cliente OAuth 2.0",
"description": "'OAuth 2.0' is a programming protocol. It should probably not be translated."
},
"viewApiKey": {
"message": "Ver Clave API"
},
"rotateApiKey": {
"message": "Rotar clave API"
},
"selectOneCollection": {
"message": "Debes seleccionar al menos una colección."
},
"couldNotChargeCardPayInvoice": {
"message": "No pudimos realizar el cobro a su tarjeta de crédito. Por favor, vea y pague la factura no pagada que se indica a continuación."
},
"inAppPurchase": {
"message": "Compra desde la aplicación"
},
"cannotPerformInAppPurchase": {
"message": "No puedes realizar esta acción mientras usas un método de pago de compra en la aplicación."
},
"manageSubscriptionFromStore": {
"message": "Debes administrar tu suscripción desde la tienda donde se hizo tu compra en la aplicación."
},
"minLength": {
"message": "Longitud mínima"
},
"clone": {
"message": "Clonar"
},
"masterPassPolicyDesc": {
"message": "Establecer requisitos mínimos para la fortaleza de la contraseña maestra."
},
"twoStepLoginPolicyDesc": {
"message": "Requiere que los usuarios establezcan un inicio de sesión en dos pasos en sus cuentas personales."
},
"twoStepLoginPolicyWarning": {
"message": "Los miembros de la organización que no tengan habilitado el inicio de sesión en dos pasos para su cuenta personal serán eliminados de la organización y recibirán un correo electrónico notificándoles del cambio."
},
"twoStepLoginPolicyUserWarning": {
"message": "Usted es miembro de una organización que requiere que el inicio de sesión en dos pasos esté habilitado en su cuenta de usuario. Si desactiva todos los proveedores de inicio de sesión en dos pasos, será automáticamente eliminado de estas organizaciones."
},
"passwordGeneratorPolicyDesc": {
"message": "Establecer requisitos mínimos para la configuración del generador de contraseñas."
},
"passwordGeneratorPolicyInEffect": {
"message": "Una o más políticas de la organización están afectando su configuración del generador."
},
"masterPasswordPolicyInEffect": {
"message": "Una o más políticas de la organización requieren que su contraseña maestra cumpla con los siguientes requisitos:"
},
"policyInEffectMinComplexity": {
"message": "Puntuación de complejidad mínima $SCORE$",
"placeholders": {
"score": {
"content": "$1",
"example": "4"
}
}
},
"policyInEffectMinLength": {
"message": "Longitud mínima $LENGTH$",
"placeholders": {
"length": {
"content": "$1",
"example": "14"
}
}
},
"policyInEffectUppercase": {
"message": "Contiene uno o más caracteres en mayúsculas"
},
"policyInEffectLowercase": {
"message": "Contiene uno o más caracteres en minúsculas"
},
"policyInEffectNumbers": {
"message": "Contiene uno o más números"
},
"policyInEffectSpecial": {
"message": "Contienen uno o más de los siguientes caracteres especiales $CHARS$",
"placeholders": {
"chars": {
"content": "$1",
"example": "!@#$%^&*"
}
}
},
"masterPasswordPolicyRequirementsNotMet": {
"message": "Su nueva contraseña maestra no cumple con los requisitos de la política."
},
"minimumNumberOfWords": {
"message": "Número mínimo de palabras"
},
"defaultType": {
"message": "Tipo por defecto"
},
"userPreference": {
"message": "Preferencia de usuario"
},
"vaultTimeoutAction": {
"message": "Acción de tiempo de espera de la caja fuerte"
},
"vaultTimeoutActionLockDesc": {
"message": "Una bóveda bloqueada requiere que introduzcas de nuevo tu contraseña maestra para acceder nuevamente."
},
"vaultTimeoutActionLogOutDesc": {
"message": "Cerrar sesión en la bóveda requiere que vuelvas a autenticarte para acceder nuevamente a ella."
},
"lock": {
"message": "Bloquear",
"description": "Verb form: to make secure or inaccesible by"
},
"trash": {
"message": "Papelera",
"description": "Noun: A special folder for holding deleted items that have not yet been permanently deleted"
},
"searchTrash": {
"message": "Buscar en la Papelera"
},
"permanentlyDelete": {
"message": "Eliminar de forma permanente"
},
"permanentlyDeleteSelected": {
"message": "Eliminar selecciones de forma permanente"
},
"permanentlyDeleteItem": {
"message": "Eliminar elemento de forma permanente"
},
"permanentlyDeleteItemConfirmation": {
"message": "¿Estás seguro de eliminar de forma permanente este elemento?"
},
"permanentlyDeletedItem": {
"message": "Elemento eliminado de forma permanente"
},
"permanentlyDeletedItems": {
"message": "Elementos eliminados de forma permanente"
},
"permanentlyDeleteSelectedItemsDesc": {
"message": "Has seleccionado $COUNT$ elemento(s) a eliminar de forma permanente. ¿Estás seguro de que quieres eliminar de forma permanente todos estos elementos?",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"permanentlyDeletedItemId": {
"message": "Elemento $ID$ eliminado de forma permanente.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"restore": {
"message": "Restaurar"
},
"restoreSelected": {
"message": "Restaurar seleccionados"
},
"restoreItem": {
"message": "Restaurar elemento"
},
"restoredItem": {
"message": "Elemento restaurado"
},
"restoredItems": {
"message": "Elementos restaurados"
},
"restoreItemConfirmation": {
"message": "¿Estás seguro de que quieres restaurar este elemento?"
},
"restoreItems": {
"message": "Restaurar elementos"
},
"restoreSelectedItemsDesc": {
"message": "Has seleccionado $COUNT$ elemento(s) para restaurar. ¿Estás seguro de que quieres restaurar todos estos elementos?",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"restoredItemId": {
"message": "Elemento $ID$ restaurado.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"vaultTimeoutLogOutConfirmation": {
"message": "Cerrar sesión eliminará todo el acceso a su bóveda y requiere autenticación en línea después del período de espera. ¿Estás seguro de que quieres usar esta configuración?"
},
"vaultTimeoutLogOutConfirmationTitle": {
"message": "Confirmación de periodo de espera"
},
"hidePasswords": {
"message": "Ocultar contraseñas"
},
"countryPostalCodeRequiredDesc": {
"message": "Requerimos esta información sólo para calcular el impuesto sobre las ventas y la información financiera."
},
"includeVAT": {
"message": "Incluye información IVA/GST (opcional)"
},
"taxIdNumber": {
"message": "ID impuesto IVA/GST"
},
"taxInfoUpdated": {
"message": "Información fiscal actualizada."
},
"setMasterPassword": {
"message": "Establecer contraseña maestra"
},
"ssoCompleteRegistration": {
"message": "Para completar el inicio de sesión con SSO, por favor establezca una contraseña maestra para acceder y proteger su caja fuerte."
},
"identifier": {
"message": "Identificador"
},
"organizationIdentifier": {
"message": "Identificador de la organización"
},
"ssoLogInWithOrgIdentifier": {
"message": "Inicie sesión utilizando el portal de inicio de sesión único de su organización. Introduzca el identificador de su organización para comenzar."
},
"enterpriseSingleSignOn": {
"message": "Inicio de sesión único empresarial"
},
"ssoHandOff": {
"message": "Ya puedes cerrar esta pestaña y continuar en la extensión."
},
"includeAllTeamsFeatures": {
"message": "Todas las características de Equipos y además:"
},
"includeSsoAuthentication": {
"message": "Autenticación SSO vía SAML2.0 y OpenID Connect"
},
"includeEnterprisePolicies": {
"message": "Políticas empresariales"
},
"ssoValidationFailed": {
"message": "Error de validación SSO"
},
"ssoIdentifierRequired": {
"message": "Se requiere un identificador de organización."
},
"unlinkSso": {
"message": "Desenlazar SSO"
},
"unlinkSsoConfirmation": {
"message": "¿Está seguro que desea desvincular SSO para esta organización?"
},
"linkSso": {
"message": "Enlazar SSO"
},
"singleOrg": {
"message": "Organización única"
},
"singleOrgDesc": {
"message": "Restringir a los usuarios de ser capaces de unirse a otras organizaciones."
},
"singleOrgBlockCreateMessage": {
"message": "Su organización actual tiene una política que no le permite unirse a más de una organización. Póngase en contacto con los administradores de su organización o acceda desde una cuenta de Bitwarden diferente."
},
"singleOrgPolicyWarning": {
"message": "Los miembros de la organización que no son dueños o administradores y que ya son miembros de otra organización serán eliminados de su organización."
},
"requireSso": {
"message": "Autenticación de inicio de sesión único"
},
"requireSsoPolicyDesc": {
"message": "Requiere que los usuarios inicien sesión con el método Enterprise Single Sign-On."
},
"prerequisite": {
"message": "Prerequisito"
},
"requireSsoPolicyReq": {
"message": "Es necesario habilitar la política de empresa de la Organización Única antes de activar esta política."
},
"requireSsoPolicyReqError": {
"message": "Política de organización única no habilitada."
},
"requireSsoExemption": {
"message": "Los propietarios y administradores de la organización están exentos de la aplicación de esta política."
},
"sendTypeFile": {
"message": "Archivo"
},
"sendTypeText": {
"message": "Texto"
},
"createSend": {
"message": "Crear nuevo Send",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"editSend": {
"message": "Editar Send",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"createdSend": {
"message": "Send creado",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"editedSend": {
"message": "Send editado",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deletedSend": {
"message": "Send eliminado",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deleteSend": {
"message": "Eliminar Send",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deleteSendConfirmation": {
"message": "¿Estás seguro de eliminar este Send?",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"whatTypeOfSend": {
"message": "¿Qué tipo de Send es este?",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deletionDate": {
"message": "Fecha de eliminación"
},
"deletionDateDesc": {
"message": "El envío se eliminará permanentemente en la fecha y hora especificadas.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"expirationDate": {
"message": "Fecha de Expiración"
},
"expirationDateDesc": {
"message": "Si se establece, el acceso a este envío caducará en la fecha y hora especificadas.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"maxAccessCount": {
"message": "Número máximo de accesos"
},
"maxAccessCountDesc": {
"message": "Si se establece, los usuarios ya no podrán acceder a este envío una vez que se alcance el número máximo de accesos.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"currentAccessCount": {
"message": "Número de accesos actuales"
},
"sendPasswordDesc": {
"message": "Opcionalmente se requiere una contraseña para que los usuarios accedan a este Envío.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendNotesDesc": {
"message": "Notas privadas sobre este Envío.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"disabled": {
"message": "Deshabilitado"
},
"sendLink": {
"message": "Enlace Send",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"copySendLink": {
"message": "Copiar enlace Send",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"removePassword": {
"message": "Eliminar contraseña"
},
"removedPassword": {
"message": "Contraseña Eliminada"
},
"removePasswordConfirmation": {
"message": "¿Está seguro que desea eliminar la contraseña?"
},
"hideEmail": {
"message": "Ocultar mi dirección de correo electrónico a los destinatarios."
},
"disableThisSend": {
"message": "Deshabilita este envío para que nadie pueda acceder a él.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"allSends": {
"message": "Todos los Sends"
},
"maxAccessCountReached": {
"message": "Número máximo de accesos alcanzado",
"description": "This text will be displayed after a Send has been accessed the maximum amount of times."
},
"pendingDeletion": {
"message": "Borrado pendiente"
},
"expired": {
"message": "Caducado"
},
"searchSends": {
"message": "Buscar Sends",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendProtectedPassword": {
"message": "Este Send está protegido con una contraseña. Por favor, escriba la contraseña abajo para continuar.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendProtectedPasswordDontKnow": {
"message": "¿No conoce la contraseña? Pídele al remitente la contraseña necesaria para acceder a este enviar.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendHiddenByDefault": {
"message": "Este Send está oculto por defecto. Puede cambiar su visibilidad usando el botón de abajo.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"downloadFile": {
"message": "Descargar archivo"
},
"sendAccessUnavailable": {
"message": "El envío al que está intentando acceder no existe o ya no está disponible.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"missingSendFile": {
"message": "No se pudo encontrar el archivo asociado con este Send.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"noSendsInList": {
"message": "No hay Sends que listar.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"emergencyAccess": {
"message": "Acceso de emergencia"
},
"emergencyAccessDesc": {
"message": "Conceder y administrar el acceso de emergencia para los contactos de confianza. Los contactos de confianza pueden solicitar acceso a Ver o Tomar su cuenta en caso de emergencia. Visite nuestra página de ayuda para obtener más información y detalles sobre cómo funciona el intercambio de conocimiento cero."
},
"emergencyAccessOwnerWarning": {
"message": "Usted es un propietario de una o más organizaciones. Si concede acceso a la adquisición de un contacto de emergencia, podrán utilizar todos sus permisos como propietario después de una adquisición."
},
"trustedEmergencyContacts": {
"message": "Contactos de emergencia confiables"
},
"noTrustedContacts": {
"message": "Aún no has añadido ningún contacto de emergencia, invita a un contacto de confianza para empezar."
},
"addEmergencyContact": {
"message": "Añadir contacto de emergencia"
},
"designatedEmergencyContacts": {
"message": "Diseñado como contacto de emergencia"
},
"noGrantedAccess": {
"message": "Aún no has sido designado como un contacto de emergencia para nadie."
},
"inviteEmergencyContact": {
"message": "Invitar contacto de emergencia"
},
"editEmergencyContact": {
"message": "Editar contacto de emergencia"
},
"inviteEmergencyContactDesc": {
"message": "Invite a un nuevo contacto de emergencia introduciendo su dirección de correo electrónico de su cuenta de Bitwarden. Si no tienen una cuenta de Bitwarden, se les pedirá que creen una cuenta."
},
"emergencyAccessRecoveryInitiated": {
"message": "Acceso de emergencia iniciado"
},
"emergencyAccessRecoveryApproved": {
"message": "Acceso de emergencia aprobado"
},
"viewDesc": {
"message": "Puede ver todos los elementos en su propia bóveda."
},
"takeover": {
"message": "Takeover"
},
"takeoverDesc": {
"message": "Puede restablecer su cuenta con una nueva contraseña maestra."
},
"waitTime": {
"message": "Tiempo de espera"
},
"waitTimeDesc": {
"message": "Tiempo requerido antes de conceder el acceso automáticamente."
},
"oneDay": {
"message": "1 día"
},
"days": {
"message": "$DAYS$ días",
"placeholders": {
"days": {
"content": "$1",
"example": "1"
}
}
},
"invitedUser": {
"message": "Usuario invitado."
},
"acceptEmergencyAccess": {
"message": "Has sido invitado a ser un contacto de emergencia para el usuario mencionado anteriormente. Para aceptar la invitación, necesitas iniciar sesión o crear una cuenta de Bitwarden."
},
"emergencyInviteAcceptFailed": {
"message": "No se puede aceptar la invitación. Pídele al usuario que envíe una nueva invitación."
},
"emergencyInviteAcceptFailedShort": {
"message": "No se puede aceptar la invitación. $DESCRIPTION$",
"placeholders": {
"description": {
"content": "$1",
"example": "You must enable 2FA on your user account before you can join this organization."
}
}
},
"emergencyInviteAcceptedDesc": {
"message": "Puedes acceder a las opciones de emergencia de este usuario después de que tu identidad haya sido confirmada. Te enviaremos un correo electrónico cuando eso suceda."
},
"requestAccess": {
"message": "Solicitar acceso"
},
"requestAccessConfirmation": {
"message": "¿Está seguro que desea solicitar acceso de emergencia? Se le proporcionará acceso después de $WAITTIME$ día(s) o cuando el usuario apruebe manualmente la solicitud.",
"placeholders": {
"waittime": {
"content": "$1",
"example": "1"
}
}
},
"requestSent": {
"message": "Acceso de emergencia solicitado para $USER$. Te avisaremos por correo electrónico cuando sea posible continuar.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"approve": {
"message": "Aprobar"
},
"reject": {
"message": "Rechazar"
},
"approveAccessConfirmation": {
"message": "¿Estás seguro de que quieres aprobar el acceso de emergencia? Esto permitirá a $USER$ a $ACTION$ tu cuenta.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
},
"action": {
"content": "$2",
"example": "View"
}
}
},
"emergencyApproved": {
"message": "Acceso de emergencia aprobado."
},
"emergencyRejected": {
"message": "Acceso de emergencia rechazado"
},
"passwordResetFor": {
"message": "Restablecimiento de contraseña para $USER$. Ahora puede iniciar sesión usando la nueva contraseña.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"personalOwnership": {
"message": "Propiedad personal"
},
"personalOwnershipPolicyDesc": {
"message": "Requiere que los usuarios guarden los elementos de la bóveda en una organización por eliminando la opción de propiedad personal."
},
"personalOwnershipExemption": {
"message": "Los propietarios y administradores de la organización están exentos de esta política."
},
"personalOwnershipSubmitError": {
"message": "Debido a una política empresarial, usted está restringido a guardar artículos en su bóveda personal. Cambie la opción Propiedad a una organización y elija de entre las colecciones disponibles."
},
"disableSend": {
"message": "Desactivar envío"
},
"disableSendPolicyDesc": {
"message": "No permitir a los usuarios crear o editar un Send de Bitwarden. Eliminar un Send existente todavía está permitido.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"disableSendExemption": {
"message": "Los usuarios de la organización que pueden administrar las políticas de la organización están exentos de esta política."
},
"sendDisabled": {
"message": "Enviar desactivado",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendDisabledWarning": {
"message": "Debido a una política empresarial, sólo puede eliminar un Send existente.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptions": {
"message": "Opciones del Send",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsPolicyDesc": {
"message": "Establecer opciones para crear y editar los Send.",
"description": "'Sends' is a plural noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsExemption": {
"message": "Los usuarios de la organización que pueden administrar las políticas de la organización están exentos del cumplimiento de esta política."
},
"disableHideEmail": {
"message": "No permitir a los usuarios ocultar su dirección de correo electrónico a los destinatarios al crear o editar un Send.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsPolicyInEffect": {
"message": "Las siguientes políticas de organización están actualmente en vigor:"
},
"sendDisableHideEmailInEffect": {
"message": "Los usuarios no pueden ocultar su dirección de correo electrónico a los destinatarios al crear o editar un Send.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"modifiedPolicyId": {
"message": "Política modificada $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Master Password"
}
}
},
"planPrice": {
"message": "Precio del plan"
},
"estimatedTax": {
"message": "Impuesto estimado"
},
"custom": {
"message": "Personalizado"
},
"customDesc": {
"message": "Permite un control más granulado de los permisos de usuario para configuraciones avanzadas."
},
"permissions": {
"message": "Permisos"
},
"accessEventLogs": {
"message": "Acceder a los registros de eventos"
},
"accessImportExport": {
"message": "Acceso importar/exportar"
},
"accessReports": {
"message": "Informes de acceso"
},
"missingPermissions": {
"message": "No tiene los permisos necesarios para realizar esta acción."
},
"manageAllCollections": {
"message": "Administrar todas las colecciones"
},
"createNewCollections": {
"message": "Crear nuevas colecciones"
},
"editAnyCollection": {
"message": "Editar cualquier colección"
},
"deleteAnyCollection": {
"message": "Eliminar cualquier colección"
},
"manageAssignedCollections": {
"message": "Administrar colecciones asignadas"
},
"editAssignedCollections": {
"message": "Editar colecciones asignadas"
},
"deleteAssignedCollections": {
"message": "Eliminar colecciones asignadas"
},
"manageGroups": {
"message": "Administrar grupos"
},
"managePolicies": {
"message": "Administrar políticas"
},
"manageSso": {
"message": "Gestionar SSO"
},
"manageUsers": {
"message": "Administrar usuarios"
},
"manageResetPassword": {
"message": "Gestionar restablecimiento de contraseña"
},
"disableRequiredError": {
"message": "Debe deshabilitar manualmente la política $POLICYNAME$ antes de que esta política pueda ser deshabilitada.",
"placeholders": {
"policyName": {
"content": "$1",
"example": "Single Sign-On Authentication"
}
}
},
"personalOwnershipPolicyInEffect": {
"message": "Una política de organización está afectando sus opciones de propiedad."
},
"personalOwnershipPolicyInEffectImports": {
"message": "Una política de organización ha desactivado la importación de elementos en su caja fuerte personal."
},
"personalOwnershipCheckboxDesc": {
"message": "Desactivar la propiedad personal para los usuarios de la organización"
},
"textHiddenByDefault": {
"message": "Al acceder al Enviar, oculta el texto por defecto",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendNameDesc": {
"message": "Un nombre amigable para describir este Envío.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendTextDesc": {
"message": "El texto que desea enviar."
},
"sendFileDesc": {
"message": "El archivo que desea enviar."
},
"copySendLinkOnSave": {
"message": "Copia el enlace para compartir este envío a mi portapapeles al guardar."
},
"sendLinkLabel": {
"message": "Enviar enlace",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"send": {
"message": "Enviar",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendAccessTaglineProductDesc": {
"message": "Bitwarden Send transmite información sensible y temporal a otros de forma fácil y segura.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendAccessTaglineLearnMore": {
"message": "Aprende más sobre",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read '**Learn more about** Bitwarden Send or sign up to try it today.'"
},
"sendVaultCardProductDesc": {
"message": "Compartir texto o archivos directamente con cualquiera."
},
"sendVaultCardLearnMore": {
"message": "Aprende más",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read '**Learn more**, see how it works, or try it now. '"
},
"sendVaultCardSee": {
"message": "ver",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more, **see** how it works, or try it now.'"
},
"sendVaultCardHowItWorks": {
"message": "cómo funciona",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more, see **how it works**, or try it now.'"
},
"sendVaultCardOr": {
"message": "o",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more, see how it works, **or** try it now.'"
},
"sendVaultCardTryItNow": {
"message": "pruébalo ahora",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more, see how it works, or **try it now**.'"
},
"sendAccessTaglineOr": {
"message": "o",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more about Bitwarden Send **or** sign up to try it today.'"
},
"sendAccessTaglineSignUp": {
"message": "registrarse",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more about Bitwarden Send or **sign up** to try it today.'"
},
"sendAccessTaglineTryToday": {
"message": "pruébalo hoy.",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more about Bitwarden Send or sign up to **try it today.**'"
},
"sendCreatorIdentifier": {
"message": "Usuario $USER_IDENTIFIER$ de Bitwarden compartió contigo",
"placeholders": {
"user_identifier": {
"content": "$1",
"example": "An email address"
}
}
},
"viewSendHiddenEmailWarning": {
"message": "El usuario Bitwarden que creó este Send ha elegido ocultar su dirección de correo electrónico. Deberías asegurarte de que confías en la fuente de este enlace antes de usar o descargar su contenido.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"expirationDateIsInvalid": {
"message": "La fecha de caducidad proporcionada no es válida."
},
"deletionDateIsInvalid": {
"message": "La fecha de eliminación proporcionada no es válida."
},
"expirationDateAndTimeRequired": {
"message": "Se requiere una fecha y hora de caducidad."
},
"deletionDateAndTimeRequired": {
"message": "Se requiere una fecha y hora de eliminación."
},
"dateParsingError": {
"message": "Hubo un error al guardar las fechas de eliminación y caducidad."
},
"webAuthnFallbackMsg": {
"message": "Para verificar su 2FA por favor haga clic en el botón de abajo."
},
"webAuthnAuthenticate": {
"message": "Autenticar WebAuthn"
},
"webAuthnNotSupported": {
"message": "WebAuthn no es compatible con este navegador."
},
"webAuthnSuccess": {
"message": "¡WebAuthn verificado con éxito! Puede cerrar esta pestaña."
},
"hintEqualsPassword": {
"message": "La pista de su contraseña no puede ser la misma que la contraseña."
},
"enrollPasswordReset": {
"message": "Inscribirse en el restablecimiento de contraseña"
},
"enrolledPasswordReset": {
"message": "Inscrito en el restablecimiento de contraseña"
},
"withdrawPasswordReset": {
"message": "Retirar del restablecimiento de contraseña"
},
"enrollPasswordResetSuccess": {
"message": "Inscripción exitosa!"
},
"withdrawPasswordResetSuccess": {
"message": "¡Retiro exitoso!"
},
"eventEnrollPasswordReset": {
"message": "Usuario $ID$ inscrito en la asistencia para restablecer contraseña.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventWithdrawPasswordReset": {
"message": "El usuario $ID$ se retiró de la asistencia para restablecer contraseña.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventAdminPasswordReset": {
"message": "Contraseña maestra restablecida para el usuario $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventResetSsoLink": {
"message": "Restablecer enlace de Inicio de Sesión Único para el usuario $ID$",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"firstSsoLogin": {
"message": "$ID$ ha iniciado sesión usando SSO por primera vez",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"resetPassword": {
"message": "Restablecer contraseña"
},
"resetPasswordLoggedOutWarning": {
"message": "Proceder cerrará la sesión de $NAME$ de su sesión actual, obligándoles a volver a iniciar sesión. Las sesiones activas en otros dispositivos pueden seguir estando activas durante hasta una hora.",
"placeholders": {
"name": {
"content": "$1",
"example": "John Smith"
}
}
},
"thisUser": {
"message": "este usuario"
},
"resetPasswordMasterPasswordPolicyInEffect": {
"message": "Una o más políticas de organización requieren la contraseña maestra para cumplir con los siguientes requisitos:"
},
"resetPasswordSuccess": {
"message": "¡Contraseña restablecida!"
},
"resetPasswordEnrollmentWarning": {
"message": "La inscripción permitirá a los administradores de la organización cambiar su contraseña maestra. ¿Está seguro de que desea inscribirse?"
},
"resetPasswordPolicy": {
"message": "Restablecer contraseña maestra"
},
"resetPasswordPolicyDescription": {
"message": "Permitir a los administradores de la organización restablecer la contraseña maestra de los usuarios de la organización."
},
"resetPasswordPolicyWarning": {
"message": "Los usuarios de la organización tendrán que autoinscribirse o estar inscritos antes de que los administradores puedan restablecer su contraseña maestra."
},
"resetPasswordPolicyAutoEnroll": {
"message": "Inscripción automática"
},
"resetPasswordPolicyAutoEnrollDescription": {
"message": "Todos los usuarios se inscribirán automáticamente en el restablecimiento de contraseña una vez que se acepte su invitación."
},
"resetPasswordPolicyAutoEnrollWarning": {
"message": "Los usuarios que ya están en la organización no estarán inscritos de forma retroactiva en el restablecimiento de contraseña. Necesitarán autoinscribirse antes de que los administradores puedan restablecer su contraseña maestra."
},
"resetPasswordPolicyAutoEnrollCheckbox": {
"message": "Inscribir nuevos usuarios automáticamente"
},
"resetPasswordAutoEnrollInviteWarning": {
"message": "Esta organización tiene una política empresarial que lo inscribirá automáticamente en el restablecimiento de contraseña. La inscripción permitirá a los administradores de la organización cambiar su contraseña maestra."
},
"resetPasswordOrgKeysError": {
"message": "La respuesta de las claves de la organización es nula"
},
"resetPasswordDetailsError": {
"message": "Resetear los detalles de la contraseña es nulo"
},
"trashCleanupWarning": {
"message": "Los artículos que han estado en la papelera de más de 30 días se eliminarán automáticamente."
},
"trashCleanupWarningSelfHosted": {
"message": "Los elementos que han estado en la papelera durante un tiempo se eliminarán automáticamente."
},
"passwordPrompt": {
"message": "Volver a preguntar contraseña maestra"
},
"passwordConfirmation": {
"message": "Confirmación de contraseña maestra"
},
"passwordConfirmationDesc": {
"message": "Esta acción está protegida. Para continuar, vuelva a introducir su contraseña maestra para verificar su identidad."
},
"reinviteSelected": {
"message": "Reenviar invitaciones"
},
"noSelectedUsersApplicable": {
"message": "Esta acción no es aplicable a ninguno de los usuarios seleccionados."
},
"removeUsersWarning": {
"message": "¿Está seguro que desea eliminar los siguientes usuarios? El proceso puede tardar unos segundos en completarse y no puede interrumpirse o cancelarse."
},
"theme": {
"message": "Tema"
},
"themeDesc": {
"message": "Elige un tema para tu caja fuerte web."
},
"themeSystem": {
"message": "Usar tema del sistema"
},
"themeDark": {
"message": "Oscuro"
},
"themeLight": {
"message": "Claro"
},
"confirmSelected": {
"message": "Confirmar Seleccionado"
},
"bulkConfirmStatus": {
"message": "Estado de acción masiva"
},
"bulkConfirmMessage": {
"message": "Confirmada con éxito."
},
"bulkReinviteMessage": {
"message": "Reinvitado con éxito."
},
"bulkRemovedMessage": {
"message": "Eliminado con éxito"
},
"bulkFilteredMessage": {
"message": "Excluido, no aplicable a esta acción."
},
"fingerprint": {
"message": "Huella digital"
},
"removeUsers": {
"message": "Eliminar usuarios"
},
"error": {
"message": "Error"
},
"resetPasswordManageUsers": {
"message": "Administrar usuarios también debe estar habilitado con el permiso de Gestionar Contraseña Restablecer"
},
"setupProvider": {
"message": "Configurador del proveedor"
},
"setupProviderLoginDesc": {
"message": "Ha sido invitado a configurar un nuevo proveedor. Para continuar, debe iniciar sesión o crear una nueva cuenta en Bitwarden."
},
"setupProviderDesc": {
"message": "Por favor, introduzca los siguientes datos para completar la configuración del proveedor. Si tiene alguna duda, le rogamos se ponga en contacto con el servicio de atención al cliente."
},
"providerName": {
"message": "Nombre del proveedor"
},
"providerSetup": {
"message": "El proveedor ha sido configurado."
},
"clients": {
"message": "Clientes"
},
"providerAdmin": {
"message": "Administrador del Proveedor"
},
"providerAdminDesc": {
"message": "El usuario de mayor rango que puede gestionar todos los aspectos de su proveedor, así como acceder y gestionar las organizaciones de los clientes."
},
"serviceUser": {
"message": "Usuario del servicio"
},
"serviceUserDesc": {
"message": "Los usuarios del servicio pueden acceder y gestionar todas las organizaciones de clientes."
},
"providerInviteUserDesc": {
"message": "Invite a un nuevo usuario a su proveedor, introduciendo la dirección de correo electrónico con la que éste se registró en Bitwarden. Si no tiene una cuenta en Bitwarden, se le pedirá que creen una."
},
"joinProvider": {
"message": "Únase al proveedor"
},
"joinProviderDesc": {
"message": "Ha sido invitado a unirte al proveedor que aparece indicado en la parte superior. Para aceptar la invitación, debe iniciar sesión o crear una nueva cuenta de Bitwarden."
},
"providerInviteAcceptFailed": {
"message": "No se puede aceptar la invitación. Pide a un administrador del proveedor que le envíe una nueva invitación."
},
"providerInviteAcceptedDesc": {
"message": "Podrá acceder a este proveedor una vez que un administrador confirme su registro. Le enviaremos un correo electrónico cuando esto suceda."
},
"providerUsersNeedConfirmed": {
"message": "Dispone de usuarios que han aceptado su invitación, pero que aún deben ser confirmados. Los usuarios no tendrán acceso al proveedor hasta que estén confirmados."
},
"provider": {
"message": "Proveedor"
},
"newClientOrganization": {
"message": "Nueva organización del cliente"
},
"newClientOrganizationDesc": {
"message": "Cree una nueva organización de clientes que estará asociada a usted como proveedor. Usted poddrá acceder y gestionar esta organización."
},
"addExistingOrganization": {
"message": "Añadir una organización existente"
},
"myProvider": {
"message": "Mi proveedor"
},
"addOrganizationConfirmation": {
"message": "¿Está seguro que quiere añadir $ORGANIZATION$ como cliente a $PROVIDER$?",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
},
"provider": {
"content": "$2",
"example": "My Provider Name"
}
}
},
"organizationJoinedProvider": {
"message": "La organización se ha añadido con éxito al proveedor"
},
"accessingUsingProvider": {
"message": "Acceso a la organización mediante el proveedor $PROVIDER$",
"placeholders": {
"provider": {
"content": "$1",
"example": "My Provider Name"
}
}
},
"providerIsDisabled": {
"message": "El servicio está desactivado."
},
"providerUpdated": {
"message": "Proveedor actualizado"
},
"yourProviderIs": {
"message": "Su proveedor es $PROVIDER$. Ellos tienen privilegios administrativos y de facturación para su organización.",
"placeholders": {
"provider": {
"content": "$1",
"example": "My Provider Name"
}
}
},
"detachedOrganization": {
"message": "La organización $ORGANIZATION$ ha sido separada de su proveedor.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"detachOrganizationConfirmation": {
"message": "¿Está seguro que desea separar esta organización? La organización continuará existiendo pero ya no será administrada por el proveedor."
},
"add": {
"message": "Añadir"
},
"updatedMasterPassword": {
"message": "Contraseña maestra actualizada"
},
"updateMasterPassword": {
"message": "Actualizar contraseña maestra"
},
"updateMasterPasswordWarning": {
"message": "Su contraseña maestra ha sido cambiada recientemente por un administrador de su organización. Para acceder a la bóveda, debe actualizar su contraseña maestra ahora. Proceder le desconectará de su sesión actual, requiriendo que vuelva a iniciar sesión. Las sesiones activas en otros dispositivos pueden seguir estando activas durante hasta una hora."
},
"masterPasswordInvalidWarning": {
"message": "Su contraseña maestra no cumple con los requisitos de la política de esta organización. Para unirse a la organización, debe actualizar su contraseña maestra ahora. Proceder le desconectará de su sesión actual, requiriendo que vuelva a iniciar sesión. Las sesiones activas en otros dispositivos pueden seguir estando activas durante hasta una hora."
},
"maximumVaultTimeout": {
"message": "Tiempo de espera de la bóveda"
},
"maximumVaultTimeoutDesc": {
"message": "Configurar un de tiempo de espera máximo para la bóveda de todos los usuarios."
},
"maximumVaultTimeoutLabel": {
"message": "Tiempo de espera máximo de la bóveda"
},
"invalidMaximumVaultTimeout": {
"message": "Tiempo de espera máximo de la bóveda inválido."
},
"hours": {
"message": "Horas"
},
"minutes": {
"message": "Minutos"
},
"vaultTimeoutPolicyInEffect": {
"message": "Las políticas de tu organización están afectando el tiempo de espera de tu bóveda. El máximo permitido de espera es de $HOURS$ hora(s) y de $MINUTES$ minuto(s)",
"placeholders": {
"hours": {
"content": "$1",
"example": "5"
},
"minutes": {
"content": "$2",
"example": "5"
}
}
},
"customVaultTimeout": {
"message": "Tiempo de espera personalizado para la bóveda"
},
"vaultTimeoutToLarge": {
"message": "El tiempo de espera de tu bóveda excede la restricción establecida por tu organización."
},
"disablePersonalVaultExport": {
"message": "Desactivar exportación de bóveda personal"
},
"disablePersonalVaultExportDesc": {
"message": "Prohíbe a los usuarios exportar sus datos privados de bóveda."
},
"vaultExportDisabled": {
"message": "Exportación de bóveda desactivada"
},
"personalVaultExportPolicyInEffect": {
"message": "Una o más políticas de tu organización te impiden exportar tu bóveda personal."
},
"selectType": {
"message": "Seleccionar tipo de SSO"
},
"type": {
"message": "Tipo"
},
"openIdConnectConfig": {
"message": "Configuración de OpenID Connect"
},
"samlSpConfig": {
"message": "Configuración del proveedor de servicios SAML"
},
"samlIdpConfig": {
"message": "Configuración del proveedor de identidad SAML"
},
"callbackPath": {
"message": "Ruta de llamada"
},
"signedOutCallbackPath": {
"message": "Ruta de devolución de llamada cerrada"
},
"authority": {
"message": "Autoridad"
},
"clientId": {
"message": "ID de cliente"
},
"clientSecret": {
"message": "Secreto de cliente"
},
"metadataAddress": {
"message": "Dirección de metadatos"
},
"oidcRedirectBehavior": {
"message": "Comportamiento de la redirección de OIDC"
},
"getClaimsFromUserInfoEndpoint": {
"message": "Get claims from user info endpoint"
},
"additionalScopes": {
"message": "Custom Scopes"
},
"additionalUserIdClaimTypes": {
"message": "Custom User ID Claim Types"
},
"additionalEmailClaimTypes": {
"message": "Email Claim Types"
},
"additionalNameClaimTypes": {
"message": "Custom Name Claim Types"
},
"acrValues": {
"message": "Requested Authentication Context Class Reference values"
},
"expectedReturnAcrValue": {
"message": "Expected \"acr\" Claim Value In Response"
},
"spEntityId": {
"message": "SP Entity ID"
},
"spMetadataUrl": {
"message": "SAML 2.0 Metadata URL"
},
"spAcsUrl": {
"message": "Assertion Consumer Service (ACS) URL"
},
"spNameIdFormat": {
"message": "Name ID Format"
},
"spOutboundSigningAlgorithm": {
"message": "Outbound Signing Algorithm"
},
"spSigningBehavior": {
"message": "Signing Behavior"
},
"spMinIncomingSigningAlgorithm": {
"message": "Minimum Incoming Signing Algorithm"
},
"spWantAssertionsSigned": {
"message": "Expect signed assertions"
},
"spValidateCertificates": {
"message": "Validate certificates"
},
"idpEntityId": {
"message": "Entity ID"
},
"idpBindingType": {
"message": "Binding Type"
},
"idpSingleSignOnServiceUrl": {
"message": "Single Sign On Service URL"
},
"idpSingleLogoutServiceUrl": {
"message": "Single Log Out Service URL"
},
"idpX509PublicCert": {
"message": "X509 Public Certificate"
},
"idpOutboundSigningAlgorithm": {
"message": "Outbound Signing Algorithm"
},
"idpAllowUnsolicitedAuthnResponse": {
"message": "Allow unsolicited authentication response"
},
"idpAllowOutboundLogoutRequests": {
"message": "Allow outbound logout requests"
},
"idpSignAuthenticationRequests": {
"message": "Sign authentication requests"
},
"ssoSettingsSaved": {
"message": "Single Sign-On configuration was saved."
},
"sponsoredFamilies": {
"message": "Free Bitwarden Families"
},
"sponsoredFamiliesEligible": {
"message": "You and your family are eligible for Free Bitwarden Families. Redeem with your personal email to keep your data secure even when you are not at work."
},
"sponsoredFamiliesEligibleCard": {
"message": "Redeem your Free Bitwarden for Families plan today to keep your data secure even when you are not at work."
},
"sponsoredFamiliesInclude": {
"message": "El plan de Bitwarden para familias incluye"
},
"sponsoredFamiliesPremiumAccess": {
"message": "Acceso Premium para hasta 6 usuarios"
},
"sponsoredFamiliesSharedCollections": {
"message": "Shared collections for Family secrets"
},
"badToken": {
"message": "The link is no longer valid. Please have the sponsor resend the offer."
},
"reclaimedFreePlan": {
"message": "Reclaimed free plan"
},
"redeem": {
"message": "Redeem"
},
"sponsoredFamiliesSelectOffer": {
"message": "Select the organization you would like sponsored"
},
"familiesSponsoringOrgSelect": {
"message": "Which Free Families offer would you like to redeem?"
},
"sponsoredFamiliesEmail": {
"message": "Enter your personal email to redeem Bitwarden Families"
},
"sponsoredFamiliesLeaveCopy": {
"message": "If you leave or are removed from the sponsoring organization, your Families plan will expire at the end of the billing period."
},
"acceptBitwardenFamiliesHelp": {
"message": "Accept offer for an existing organization or create a new Families organization."
},
"setupSponsoredFamiliesLoginDesc": {
"message": "You've been offered a free Bitwarden Families Plan Organization. To continue, you need to log in to the account that received the offer."
},
"sponsoredFamiliesAcceptFailed": {
"message": "No se puede aceptar la oferta. Por favor, reenvíe el correo electrónico de la oferta desde su cuenta de empresa e inténtelo de nuevo."
},
"sponsoredFamiliesAcceptFailedShort": {
"message": "No se puede aceptar la oferta. $DESCRIPTION$",
"placeholders": {
"description": {
"content": "$1",
"example": "You must have at least one existing Families Organization."
}
}
},
"sponsoredFamiliesOffer": {
"message": "Aceptar Familias Bitwarden gratuito"
},
"sponsoredFamiliesOfferRedeemed": {
"message": "La oferta de Familias Bitwarden gratis ha sido canjeada con éxito"
},
"redeemed": {
"message": "Canjeado"
},
"redeemedAccount": {
"message": "Cuenta canjeada"
},
"revokeAccount": {
"message": "Revocar cuenta $NAME$",
"placeholders": {
"name": {
"content": "$1",
"example": "My Sponsorship Name"
}
}
},
"resendEmailLabel": {
"message": "Reenviar correo electrónico de patrocinios a $NAME$ apadrinamiento",
"placeholders": {
"name": {
"content": "$1",
"example": "My Sponsorship Name"
}
}
},
"freeFamiliesPlan": {
"message": "Plan Familias Gratuito"
},
"redeemNow": {
"message": "Canjear ahora"
},
"recipient": {
"message": "Destinatario"
},
"removeSponsorship": {
"message": "Eliminar patrocinio"
},
"removeSponsorshipConfirmation": {
"message": "Después de eliminar un patrocinio, usted será responsable de esta suscripción y las facturas relacionadas. ¿Está seguro de que desea continuar?"
},
"sponsorshipCreated": {
"message": "Patrocinio creado"
},
"revoke": {
"message": "Revocar"
},
"emailSent": {
"message": "Correo electrónico enviado"
},
"revokeSponsorshipConfirmation": {
"message": "Después de eliminar esta cuenta, el propietario de la organización familiar será responsable de esta suscripción y de las facturas relacionadas. ¿Está seguro de que desea continuar?"
},
"removeSponsorshipSuccess": {
"message": "Patrocinio eliminado"
},
"ssoKeyConnectorUnavailable": {
"message": "No se puede conectar con el Conector de Claves, inténtelo de nuevo más tarde."
},
"keyConnectorUrl": {
"message": "URL del Conector de Claves"
},
"sendVerificationCode": {
"message": "Envía un código de verificación a su correo electrónico"
},
"sendCode": {
"message": "Enviar código"
},
"codeSent": {
"message": "Código enviado"
},
"verificationCode": {
"message": "Código de verificación"
},
"confirmIdentity": {
"message": "Confirme su identidad para continuar."
},
"verificationCodeRequired": {
"message": "El código de verificación es requerido."
},
"invalidVerificationCode": {
"message": "Código de verificación no válido"
},
"convertOrganizationEncryptionDesc": {
"message": "$ORGANIZATION$ está usando SSO con un servidor de claves autoalojado. Una contraseña maestra ya no es necesaria para iniciar sesión para los miembros de esta organización.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"leaveOrganization": {
"message": "Abandonar organización"
},
"removeMasterPassword": {
"message": "Eliminar contraseña maestra"
},
"removedMasterPassword": {
"message": "Contraseña maestra eliminada."
},
"allowSso": {
"message": "Permitir autenticación SSO"
},
"allowSsoDesc": {
"message": "Una vez configurado, su configuración será guardada y los miembros podrán autenticarse usando sus credenciales de proveedor de identidad."
},
"ssoPolicyHelpStart": {
"message": "Activar el",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Enable the SSO Authentication policy to require all members to log in with SSO.'"
},
"ssoPolicyHelpLink": {
"message": "Política de autenticación SSO",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Enable the SSO Authentication policy to require all members to log in with SSO.'"
},
"ssoPolicyHelpEnd": {
"message": "para requerir que todos los miembros inicien sesión con SSO.",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Enable the SSO Authentication policy to require all members to log in with SSO.'"
},
"ssoPolicyHelpKeyConnector": {
"message": "Se requieren políticas de autenticación de SSO y de una Única Organización para configurar el descifrado del Conector de Claves."
},
"memberDecryptionOption": {
"message": "Opciones de descifrado de miembros"
},
"memberDecryptionPassDesc": {
"message": "Una vez autenticados, los miembros descifrarán los datos de la bóveda usando sus contraseñas maestras."
},
"keyConnector": {
"message": "Conector de claves"
},
"memberDecryptionKeyConnectorDesc": {
"message": "Conecte el inicio de sesión con SSO a su servidor de claves de descifrado autoalojado. Usando esta opción, los miembros no necesitarán usar sus contraseñas maestras para descifrar datos de bóveda. Póngase en contacto con el soporte de Bitwarden para asistencia en la configuración."
},
"keyConnectorPolicyRestriction": {
"message": "Está habilitado \"Iniciar sesión con SSO y el descifrado del Conectore de claves\" Esta política sólo se aplicará a propietarios y administradores."
},
"enabledSso": {
"message": "SSO habilitado"
},
"disabledSso": {
"message": "SSO desactivado"
},
"enabledKeyConnector": {
"message": "Conector de claves habilitado"
},
"disabledKeyConnector": {
"message": "Conector de claves desactivado"
},
"keyConnectorWarning": {
"message": "Una vez que los miembros comiencen a usar el Conector de claves, su Organización no puede revertir a la descifración de Contraseña Maestra. Proceda sólo si está cómodamente desplegando y gestionando un servidor clave."
},
"migratedKeyConnector": {
"message": "Migrado al Conector de Clave"
},
"paymentSponsored": {
"message": "Por favor, proporcione un método de pago para asociar con la organización. No se preocupe, no le cobraremos nada a menos que elija características adicionales o que su patrocinio expire. "
},
"orgCreatedSponsorshipInvalid": {
"message": "La oferta de patrocinio ha caducado. Puede eliminar la organización creada para evitar un cargo al final de su prueba de 7 días. De lo contrario, puede cerrar esta petición para mantener la organización y asumir la responsabilidad de facturar."
},
"newFamiliesOrganization": {
"message": "Nueva organización de familias"
},
"acceptOffer": {
"message": "Aceptar oferta"
},
"sponsoringOrg": {
"message": "Organización patrocinadora"
},
"keyConnectorTest": {
"message": "Probar"
},
"keyConnectorTestSuccess": {
"message": "¡Éxito! Conector de clave alcanzado."
},
"keyConnectorTestFail": {
"message": "No se puede acceder al conector de clave. Compruebe la URL."
},
"sponsorshipTokenHasExpired": {
"message": "La oferta de patrocinio expiró."
},
"freeWithSponsorship": {
"message": "GRATIS con patrocinio"
},
"formErrorSummaryPlural": {
"message": "$COUNT$ fields above need your attention.",
"placeholders": {
"count": {
"content": "$1",
"example": "5"
}
}
},
"formErrorSummarySingle": {
"message": "1 field above needs your attention."
},
"fieldRequiredError": {
"message": "$FIELDNAME$ is required.",
"placeholders": {
"fieldname": {
"content": "$1",
"example": "Full name"
}
}
},
"required": {
"message": "required"
},
"idpSingleSignOnServiceUrlRequired": {
"message": "Required if Entity ID is not a URL."
},
"openIdOptionalCustomizations": {
"message": "Optional Customizations"
},
"openIdAuthorityRequired": {
"message": "Required if Authority is not valid."
},
"separateMultipleWithComma": {
"message": "Separate multiple with a comma."
},
"sessionTimeout": {
"message": "Su sesión ha expirado. Por favor, vuelva e intente iniciar sesión de nuevo."
},
"exportingPersonalVaultTitle": {
"message": "Exportando bóveda personal"
},
"exportingOrganizationVaultTitle": {
"message": "Exportando bóveda de organización"
},
"exportingPersonalVaultDescription": {
"message": "Solo se exportarán los elementos de la bóveda personal asociados con $EMAIL$. Los elementos de la bóveda de la organización no se incluirán.",
"placeholders": {
"email": {
"content": "$1",
"example": "name@example.com"
}
}
},
"exportingOrganizationVaultDescription": {
"message": "Solo se exportará la bóveda de la organización asociada con $ORGANIZATION$. No se incluirán objetos y elementos personales de otras organizaciones.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"backToReports": {
"message": "Back to Reports"
},
"generator": {
"message": "Generator"
},
"whatWouldYouLikeToGenerate": {
"message": "What would you like to generate?"
},
"passwordType": {
"message": "Password Type"
},
"regenerateUsername": {
"message": "Regenerate Username"
},
"generateUsername": {
"message": "Generate Username"
},
"usernameType": {
"message": "Username Type"
},
"plusAddressedEmail": {
"message": "Plus Addressed Email",
"description": "Username generator option that appends a random sub-address to the username. For example: address+subaddress@email.com"
},
"plusAddressedEmailDesc": {
"message": "Use your email provider's sub-addressing capabilities."
},
"catchallEmail": {
"message": "Catch-all Email"
},
"catchallEmailDesc": {
"message": "Use your domain's configured catch-all inbox."
},
"random": {
"message": "Random"
},
"randomWord": {
"message": "Random Word"
},
"service": {
"message": "Service"
}
}
| bitwarden/web/src/locales/es/messages.json/0 | {
"file_path": "bitwarden/web/src/locales/es/messages.json",
"repo_id": "bitwarden",
"token_count": 61240
} | 162 |
{
"pageTitle": {
"message": "$APP_NAME$ tīmekļa glabātava",
"description": "The title of the website in the browser window.",
"placeholders": {
"app_name": {
"content": "$1",
"example": "Bitwarden"
}
}
},
"whatTypeOfItem": {
"message": "Kāda veida vienums tas ir?"
},
"name": {
"message": "Nosaukums"
},
"uri": {
"message": "URI"
},
"uriPosition": {
"message": "URI $POSITION$",
"description": "A listing of URIs. Ex: URI 1, URI 2, URI 3, etc.",
"placeholders": {
"position": {
"content": "$1",
"example": "2"
}
}
},
"newUri": {
"message": "Jauns URI"
},
"username": {
"message": "Lietotājvārds"
},
"password": {
"message": "Parole"
},
"newPassword": {
"message": "Jauna parole"
},
"passphrase": {
"message": "Paroles vārdkopa"
},
"notes": {
"message": "Piezīmes"
},
"customFields": {
"message": "Pielāgoti lauki"
},
"cardholderName": {
"message": "Kartes īpašnieka vārds"
},
"number": {
"message": "Numurs"
},
"brand": {
"message": "Zīmols"
},
"expiration": {
"message": "Derīgums"
},
"securityCode": {
"message": "Drošības kods (CVV)"
},
"identityName": {
"message": "Identitātes nosaukums"
},
"company": {
"message": "Uzņēmums"
},
"ssn": {
"message": "Personas kods"
},
"passportNumber": {
"message": "Pases numurs"
},
"licenseNumber": {
"message": "Autovadītāja apliecības numurs"
},
"email": {
"message": "E-pasts"
},
"phone": {
"message": "Tālrunis"
},
"january": {
"message": "Janvāris"
},
"february": {
"message": "Februāris"
},
"march": {
"message": "Marts"
},
"april": {
"message": "Aprīlis"
},
"may": {
"message": "Maijs"
},
"june": {
"message": "Jūnijs"
},
"july": {
"message": "Jūlijs"
},
"august": {
"message": "Augusts"
},
"september": {
"message": "Septembris"
},
"october": {
"message": "Oktobris"
},
"november": {
"message": "Novembris"
},
"december": {
"message": "Decembris"
},
"title": {
"message": "Uzruna"
},
"mr": {
"message": "K-gs"
},
"mrs": {
"message": "K-dze"
},
"ms": {
"message": "Jk-dze"
},
"dr": {
"message": "Dr."
},
"expirationMonth": {
"message": "Derīguma mēnesis"
},
"expirationYear": {
"message": "Derīguma gads"
},
"authenticatorKeyTotp": {
"message": "Autentificētāja atslēga (TOTP)"
},
"folder": {
"message": "Mape"
},
"newCustomField": {
"message": "Jauns pielāgotais lauks"
},
"value": {
"message": "Vērtība"
},
"dragToSort": {
"message": "Vilkt, lai kārtotu"
},
"cfTypeText": {
"message": "Teksts"
},
"cfTypeHidden": {
"message": "Paslēpts"
},
"cfTypeBoolean": {
"message": "Patiesuma vērtība"
},
"cfTypeLinked": {
"message": "Saistīts",
"description": "This describes a field that is 'linked' (related) to another field."
},
"remove": {
"message": "Noņemt"
},
"unassigned": {
"message": "Nav piešķirts"
},
"noneFolder": {
"message": "Nav mapes",
"description": "This is the folder for uncategorized items"
},
"addFolder": {
"message": "Pievienot mapi"
},
"editFolder": {
"message": "Labot mapi"
},
"baseDomain": {
"message": "Pamata domēns",
"description": "Domain name. Ex. website.com"
},
"domainName": {
"message": "Domēna vārds",
"description": "Domain name. Ex. website.com"
},
"host": {
"message": "Saimniekdators",
"description": "A URL's host value. For example, the host of https://sub.domain.com:443 is 'sub.domain.com:443'."
},
"exact": {
"message": "Tiešs"
},
"startsWith": {
"message": "Sākas ar"
},
"regEx": {
"message": "Regulārā izteiksme",
"description": "A programming term, also known as 'RegEx'."
},
"matchDetection": {
"message": "Atbilstības noteikšana",
"description": "URI match detection for auto-fill."
},
"defaultMatchDetection": {
"message": "Noklusējuma atbilstības noteikšana",
"description": "Default URI match detection for auto-fill."
},
"never": {
"message": "Nekad"
},
"toggleVisibility": {
"message": "Pārslēgt redzamību"
},
"toggleCollapse": {
"message": "Pārslēgt sakļaušanu",
"description": "Toggling an expand/collapse state."
},
"generatePassword": {
"message": "Veidot paroli"
},
"checkPassword": {
"message": "Pārbaudīt, vai parole ir bijusi nopludināta."
},
"passwordExposed": {
"message": "Šī parole datu pārkāpumos ir atklāta $VALUE$ reizi(es). To vajag mainīt.",
"placeholders": {
"value": {
"content": "$1",
"example": "2"
}
}
},
"passwordSafe": {
"message": "Šī parole netika atrasta nevienā no zināmajiem datu pārkāpumiem. Tai vajadzētu būt droši izmantojamai."
},
"save": {
"message": "Saglabāt"
},
"cancel": {
"message": "Atcelt"
},
"canceled": {
"message": "Atcelts"
},
"close": {
"message": "Aizvērt"
},
"delete": {
"message": "Dzēst"
},
"favorite": {
"message": "Izlasē"
},
"unfavorite": {
"message": "Izņemt no izlases"
},
"edit": {
"message": "Labot"
},
"searchCollection": {
"message": "Meklēt krājumā"
},
"searchFolder": {
"message": "Meklēt mapē"
},
"searchFavorites": {
"message": "Meklēt izlasē"
},
"searchType": {
"message": "Meklēt veidu",
"description": "Search item type"
},
"searchVault": {
"message": "Meklēt glabātavā"
},
"allItems": {
"message": "Visi vienumi"
},
"favorites": {
"message": "Izlase"
},
"types": {
"message": "Veidi"
},
"typeLogin": {
"message": "Pierakstīšanās vienums"
},
"typeCard": {
"message": "Karte"
},
"typeIdentity": {
"message": "Identitāte"
},
"typeSecureNote": {
"message": "Droša piezīme"
},
"typeLoginPlural": {
"message": "Pierakstīšanās vienumi"
},
"typeCardPlural": {
"message": "Kartes"
},
"typeIdentityPlural": {
"message": "Identitātes"
},
"typeSecureNotePlural": {
"message": "Drošās piezīmes"
},
"folders": {
"message": "Mapes"
},
"collections": {
"message": "Krājumi"
},
"firstName": {
"message": "Vārds"
},
"middleName": {
"message": "Citi vārdi"
},
"lastName": {
"message": "Uzvārds"
},
"fullName": {
"message": "Pilnais vārds"
},
"address1": {
"message": "Adrese 1"
},
"address2": {
"message": "Adrese 2"
},
"address3": {
"message": "Adrese 3"
},
"cityTown": {
"message": "Pilsēta / ciems"
},
"stateProvince": {
"message": "Novads / pagasts"
},
"zipPostalCode": {
"message": "Pasta indekss"
},
"country": {
"message": "Valsts"
},
"shared": {
"message": "Kopīgots"
},
"attachments": {
"message": "Pielikumi"
},
"select": {
"message": "Atlasīt"
},
"addItem": {
"message": "Pievienot vienumu"
},
"editItem": {
"message": "Labot vienumu"
},
"viewItem": {
"message": "Skatīt vienumu"
},
"ex": {
"message": "piem.",
"description": "Short abbreviation for 'example'."
},
"other": {
"message": "Cits"
},
"share": {
"message": "Kopīgot"
},
"moveToOrganization": {
"message": "Pārvietot uz apvienību"
},
"valueCopied": {
"message": "$VALUE$ ievietota starpliktuvē",
"description": "Value has been copied to the clipboard.",
"placeholders": {
"value": {
"content": "$1",
"example": "Password"
}
}
},
"copyValue": {
"message": "Ievietot vērtību starpliktuvē",
"description": "Copy value to clipboard"
},
"copyPassword": {
"message": "Ievietot paroli starpliktuvē",
"description": "Copy password to clipboard"
},
"copyUsername": {
"message": "Ievietot lietotājvārdu starpliktuvē",
"description": "Copy username to clipboard"
},
"copyNumber": {
"message": "Ievietot numuru starpliktuvē",
"description": "Copy credit card number"
},
"copySecurityCode": {
"message": "Ievietot drošības kodu starpliktuvē",
"description": "Copy credit card security code (CVV)"
},
"copyUri": {
"message": "Ievietot URI starpliktuvē",
"description": "Copy URI to clipboard"
},
"myVault": {
"message": "Mana glabātava"
},
"vault": {
"message": "Glabātava"
},
"moveSelectedToOrg": {
"message": "Pārvietot atzīmēto uz apvienību"
},
"deleteSelected": {
"message": "Izdzēst atlasītos"
},
"moveSelected": {
"message": "Pārvietot atlasītos"
},
"selectAll": {
"message": "Atlasīt visu"
},
"unselectAll": {
"message": "Noņemt atlasi"
},
"launch": {
"message": "Palaist"
},
"newAttachment": {
"message": "Pievienot jaunu pielikumu"
},
"deletedAttachment": {
"message": "Pielikums izdzēsts"
},
"deleteAttachmentConfirmation": {
"message": "Vai tiešām izdzēst šo pielikumu?"
},
"attachmentSaved": {
"message": "Pielikums tika saglabāts."
},
"file": {
"message": "Datne"
},
"selectFile": {
"message": "Atlasīt datni."
},
"maxFileSize": {
"message": "Lielākais pieļaujamais datnes izmērs ir 500 MB."
},
"updateKey": {
"message": "Šo iespēju nevar izmantot, kamēr nav atjaunināta šifrēšanas atslēga."
},
"addedItem": {
"message": "Vienums pievienots"
},
"editedItem": {
"message": "Vienums labots"
},
"movedItemToOrg": {
"message": "$ITEMNAME$ pārvietots uz $ORGNAME$",
"placeholders": {
"itemname": {
"content": "$1",
"example": "Secret Item"
},
"orgname": {
"content": "$2",
"example": "Company Name"
}
}
},
"movedItemsToOrg": {
"message": "Atzīmētie vienumi pārvietoti uz $ORGNAME$",
"placeholders": {
"orgname": {
"content": "$1",
"example": "Company Name"
}
}
},
"deleteItem": {
"message": "Izdzēst vienumu"
},
"deleteFolder": {
"message": "Izdzēst mapi"
},
"deleteAttachment": {
"message": "Izdzēst pielikumu"
},
"deleteItemConfirmation": {
"message": "Vai tiešām pārvietot uz atkritni?"
},
"deletedItem": {
"message": "Vienums pārvietots uz atkritni"
},
"deletedItems": {
"message": "Vienumi pārvietoti uz atkritni"
},
"movedItems": {
"message": "Vienumi pārvietoti"
},
"overwritePasswordConfirmation": {
"message": "Vai tiešām pārrakstīt esošo paroli?"
},
"editedFolder": {
"message": "Mape labota"
},
"addedFolder": {
"message": "Mape pievienota"
},
"deleteFolderConfirmation": {
"message": "Vai tiešām izdzēst šo mapi?"
},
"deletedFolder": {
"message": "Mape izdzēsta"
},
"loggedOut": {
"message": "Izrakstījies"
},
"loginExpired": {
"message": "Pierakstīšanās sesija ir beigusies."
},
"logOutConfirmation": {
"message": "Vai tiešām izrakstīties?"
},
"logOut": {
"message": "Izrakstīties"
},
"ok": {
"message": "Labi"
},
"yes": {
"message": "Jā"
},
"no": {
"message": "Nē"
},
"loginOrCreateNewAccount": {
"message": "Pieraksties vai izveido jaunu kontu, lai piekļūtu drošajai glabātavai!"
},
"createAccount": {
"message": "Izveidot kontu"
},
"logIn": {
"message": "Pierakstīties"
},
"submit": {
"message": "Iesniegt"
},
"emailAddressDesc": {
"message": "E-pasta adrese būs jāizmanto, lai pierakstītos."
},
"yourName": {
"message": "Vārds"
},
"yourNameDesc": {
"message": "Kā mums Tevi uzrunāt?"
},
"masterPass": {
"message": "Galvenā parole"
},
"masterPassDesc": {
"message": "Galvenā parole ir parole, kas tiek izmantota, lai piekļūtu glabātavai. Ir ļoti svarīgi, ka tā netiek aizmirsta, jo tādā gadījumā to nav iespējams atgūt."
},
"masterPassHintDesc": {
"message": "Galvenās paroles norāde var palīdzēt atcerēties paroli, ja tā ir aizmirsta."
},
"reTypeMasterPass": {
"message": "Atkārtoti ievadīt galveno paroli"
},
"masterPassHint": {
"message": "Galvenās paroles norāde (nav nepieciešama)"
},
"masterPassHintLabel": {
"message": "Galvenās paroles norāde"
},
"settings": {
"message": "Iestatījumi"
},
"passwordHint": {
"message": "Paroles norāde"
},
"enterEmailToGetHint": {
"message": "Norādīt konta e-pasta adresi, lai saņemtu galvenās paroles norādi."
},
"getMasterPasswordHint": {
"message": "Saņemt galvenās paroles norādi"
},
"emailRequired": {
"message": "Ir jānorāda e-pasta adrese."
},
"invalidEmail": {
"message": "Nederīga e-pasta adrese."
},
"masterPassRequired": {
"message": "Ir jānorāda galvenā parole."
},
"masterPassLength": {
"message": "Galvenajai parolei ir jābūt vismaz 8 rakstzīmes garai."
},
"masterPassDoesntMatch": {
"message": "Galvenās paroles apstiprinājums nesakrīt."
},
"newAccountCreated": {
"message": "Tavs jaunais konts ir izveidots. Tagad Tu vari pierakstīties."
},
"masterPassSent": {
"message": "Galvenās paroles norāde ir nosūtīta e-pastā."
},
"unexpectedError": {
"message": "Ir radusies neparedzēta kļūda."
},
"emailAddress": {
"message": "E-pasta adrese"
},
"yourVaultIsLocked": {
"message": "Glabātava ir slēgta. Nepieciešams norādīt galveno paroli, lai turpinātu."
},
"unlock": {
"message": "Atslēgt"
},
"loggedInAsEmailOn": {
"message": "Pierakstījies $HOSTNAME$ kā $EMAIL$.",
"placeholders": {
"email": {
"content": "$1",
"example": "name@example.com"
},
"hostname": {
"content": "$2",
"example": "bitwarden.com"
}
}
},
"invalidMasterPassword": {
"message": "Nederīga galvenā parole"
},
"lockNow": {
"message": "Aizslēgt"
},
"noItemsInList": {
"message": "Nav vienumu, ko parādīt."
},
"noCollectionsInList": {
"message": "Nav krājumu, ko parādīt."
},
"noGroupsInList": {
"message": "Nav kopu, ko parādīt."
},
"noUsersInList": {
"message": "Nav lietotāju, ko parādīt."
},
"noEventsInList": {
"message": "Nav notikumu, ko parādīt."
},
"newOrganization": {
"message": "Jauna apvienība"
},
"noOrganizationsList": {
"message": "Tu neesi iekļauts nevienā apvienībā. Apvienības sniedz iespēju droši kopīgot vienumus ar citiem lietotājiem."
},
"versionNumber": {
"message": "Laidiens $VERSION_NUMBER$",
"placeholders": {
"version_number": {
"content": "$1",
"example": "1.2.3"
}
}
},
"enterVerificationCodeApp": {
"message": "Ievadi 6 ciparu apstiprinājuma kodu no autentificētāja lietotnes!"
},
"enterVerificationCodeEmail": {
"message": "Ievadi 6 ciparu apstiprinājuma kodu, kas tika nosūtīts uz $EMAIL$!",
"placeholders": {
"email": {
"content": "$1",
"example": "example@gmail.com"
}
}
},
"verificationCodeEmailSent": {
"message": "E-pasts apstiprināšanai nosūtīts uz $EMAIL$.",
"placeholders": {
"email": {
"content": "$1",
"example": "example@gmail.com"
}
}
},
"rememberMe": {
"message": "Atcerēties mani"
},
"sendVerificationCodeEmailAgain": {
"message": "Atkārtoti nosūtīt apstiprinājuma kodu"
},
"useAnotherTwoStepMethod": {
"message": "Izmantot citu divpakāpju pierakstīšanās veidu"
},
"insertYubiKey": {
"message": "Ievieto savu YubiKey datora USB ligzdā un pieskaries tā pogai!"
},
"insertU2f": {
"message": "Ievieto savu drošības atslēgu datora USB ligzdā! Ja tai ir poga, pieskaries tai!"
},
"loginUnavailable": {
"message": "Pierakstīšanās nav pieejama"
},
"noTwoStepProviders": {
"message": "Šim kontam ir iespējota divpakāpju pierakstīšanās, bet šajā pārlūkā netiek atbalstīts neviens no uzstādītajiem divpakāpju pārbaudes nodrošinātājiem."
},
"noTwoStepProviders2": {
"message": "Lūgums izmantot atbalstītu tīmekļa pārlūku (piemēram Chrome) un/vai pievienot papildus nodrošinātājus, kas tiek labāk atbalstīti dažādos pārlūkos (piemēram autentificētāja lietotni)."
},
"twoStepOptions": {
"message": "Divpakāpju pierakstīšanās iespējas"
},
"recoveryCodeDesc": {
"message": "Zaudēta piekļuve visiem divpakāpju nodrošinātājiem? Izmanto atkopšanas kodus, lai atspējotu visus sava konta divpakāpju nodrošinātājus!"
},
"recoveryCodeTitle": {
"message": "Atgūšanas kods"
},
"authenticatorAppTitle": {
"message": "Autentificētāja lietotne"
},
"authenticatorAppDesc": {
"message": "Izmanto autentificētāja lietotni (piemēram, Authy vai Google autentifikators), lai izveidotu laikā balstītus apstiprinājuma kodus!",
"description": "'Authy' and 'Google Authenticator' are product names and should not be translated."
},
"yubiKeyTitle": {
"message": "YubiKey OTP drošības atslēga"
},
"yubiKeyDesc": {
"message": "Izmanto YubiKey, lai piekļūtu savam kontam! Darbojas ar YubiKey 4. un 5. sērijas un NEO ierīcēm."
},
"duoDesc": {
"message": "Apstiprini ar Duo Security, izmantojot Duo Mobile lietotni, īsziņu, tālruņa zvanu vai U2F drošības atslēgu!",
"description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated."
},
"duoOrganizationDesc": {
"message": "Apstiprini ar Duo Security savā apvienībā, izmantojot Duo Mobile lietotni, īsziņu, tālruņa zvanu vai U2F drošības atslēgu!",
"description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated."
},
"u2fDesc": {
"message": "Izmantot jebkuru FIDO U2F atbalstošu drošības atslēgu, lai piekļūtu kontam."
},
"u2fTitle": {
"message": "FIDO U2F drošības atslēga"
},
"webAuthnTitle": {
"message": "FIDO2 WebAuthn"
},
"webAuthnDesc": {
"message": "Izmantot jebkuru WebAuthn atbalstošu drošības atslēgu, lai piekļūtu kontam."
},
"webAuthnMigrated": {
"message": "(Pārgājis no FIDO)"
},
"emailTitle": {
"message": "E-pasts"
},
"emailDesc": {
"message": "Apstiprinājuma kodi tiks nosūtīti e-pastā."
},
"continue": {
"message": "Turpināt"
},
"organization": {
"message": "Apvienība"
},
"organizations": {
"message": "Apvienības"
},
"moveToOrgDesc": {
"message": "Izvēlies apvienību, uz kuru pārvietot šo vienumu. Pārvietošana nodod šī vienuma piederību apvienībai. Tu vairs nebūsi šī vienuma tiešais īpašnieks pēc tā pārvietošanas."
},
"moveManyToOrgDesc": {
"message": "Izvēlies apvienību, uz kuru pārvietot šos vienumus. Pārvietošana nodod šo vienumu piederību apvienībai. Tu vairs nebūsi šo vienumu tiešais īpašnieks pēc to pārvietošanas."
},
"collectionsDesc": {
"message": "Labot krājumus, ar kuriem šis vienums ir kopīgots. Tikai apvienības lietotāji, kam ir piekļuve šiem krājumiem, redzēs šo vienumu."
},
"deleteSelectedItemsDesc": {
"message": "Izdzēšanai ir atlasīts(i) $COUNT$ vienums(i). Vai tiešām izdzēst tos visus?",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"moveSelectedItemsDesc": {
"message": "Izvēlēties mapi, uz kuru pārvietot atlasīto(s) $COUNT$ vienumu(s).",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"moveSelectedItemsCountDesc": {
"message": "Ir atzīmēts(i) $COUNT$ vienums(i). $MOVEABLE_COUNT$ vienums(i) var tikt pārvietoti uz apvienību, bet $NONMOVEABLE_COUNT$ nē.",
"placeholders": {
"count": {
"content": "$1",
"example": "10"
},
"moveable_count": {
"content": "$2",
"example": "8"
},
"nonmoveable_count": {
"content": "$3",
"example": "2"
}
}
},
"verificationCodeTotp": {
"message": "Apstiprinājuma kods (TOTP)"
},
"copyVerificationCode": {
"message": "Ievietot apstiprinājuma kodu starpliktuvē"
},
"warning": {
"message": "Brīdinājums"
},
"confirmVaultExport": {
"message": "Apstiprināt glabātavas satura izgūšanu"
},
"exportWarningDesc": {
"message": "Šī izguve satur glabātavas datus nešifrētā veidā. Izdoto datni nevajadzētu glabāt vai sūtīt nedrošos veidos (piemēram, e-pastā). Izdzēst to uzreiz pēc izmantošanas."
},
"encExportKeyWarningDesc": {
"message": "Šī izguve šifrē datus ar konta šifrēšanas atslēgu. Ja tā jebkad tiks mainīta, izvadi vajadzētu veikt vēlreiz, jo vairs nebūs iespējams atšifrēt šo datni."
},
"encExportAccountWarningDesc": {
"message": "Katram Bitwarden kontam ir neatkārtojamas šifrēšanas atslēgas, tādēļ nav iespējams ievietot šifrētu izguvi citā kontā."
},
"export": {
"message": "Izgūšana"
},
"exportVault": {
"message": "Izgūt glabātavas saturu"
},
"fileFormat": {
"message": "Datnes veids"
},
"exportSuccess": {
"message": "Glabātavas saturs ir izgūts."
},
"passwordGenerator": {
"message": "Paroļu veidotājs"
},
"minComplexityScore": {
"message": "Mazākais pieļaujamais sarežģītības novērtējums"
},
"minNumbers": {
"message": "Mazākais pieļaujamais ciparu skaits"
},
"minSpecial": {
"message": "Mazākais pieļaujamais īpašo rakstzīmju skaits",
"description": "Minimum Special Characters"
},
"ambiguous": {
"message": "Izvairīties no viegli sajaucamām rakstzīmēm"
},
"regeneratePassword": {
"message": "Pārizveidot paroli"
},
"length": {
"message": "Garums"
},
"numWords": {
"message": "Vārdu skaits"
},
"wordSeparator": {
"message": "Vārdu atdalītājs"
},
"capitalize": {
"message": "Izmantot lielos sākumburtus",
"description": "Make the first letter of a work uppercase."
},
"includeNumber": {
"message": "Iekļaut ciparu"
},
"passwordHistory": {
"message": "Paroles izmaiņu vēsture"
},
"noPasswordsInList": {
"message": "Nav paroļu, ko parādīt."
},
"clear": {
"message": "Notīrīt",
"description": "To clear something out. example: To clear browser history."
},
"accountUpdated": {
"message": "Konts atjaunināts"
},
"changeEmail": {
"message": "Mainīt e-pasta adresi"
},
"changeEmailTwoFactorWarning": {
"message": "Turpinot tiks mainīta konta e-pasta adrese. Netiks mainīta tā e-pasta adrese, kas tiek izmantota divpakāpju apstiprinājumam. To var mainīt divpakāpju pieteikšanās iestatījumos."
},
"newEmail": {
"message": "Jauna e-pasta adrese"
},
"code": {
"message": "Kods"
},
"changeEmailDesc": {
"message": "Uz e-pasta adresi $EMAIL$ ir nosūtīts apstiprinājuma kods. Lūgums pārbaudīt e-pastu, vai tas ir saņemts, un ievadīt kodu zemāk esošajā laukā, lai pabeigtu e-pasta adreses maiņu.",
"placeholders": {
"email": {
"content": "$1",
"example": "john.smith@example.com"
}
}
},
"loggedOutWarning": {
"message": "Tiks veikta izrakstīšanās no pašreizējās sesijas, un pēc tam būs nepieciešams pierakstīties. Citās ierīcēs darbojošās sesijas var būt spēkā līdz vienai stundai."
},
"emailChanged": {
"message": "E-pasta adrese nomainīta"
},
"logBackIn": {
"message": "Lūgums atkārtoti pierakstīties."
},
"logBackInOthersToo": {
"message": "Lūgums pierakstīties atkārtoti. Ja tiek izmantotas citas Bitwarden lietotnes, ir nepieciešams izrakstīties un atkārtoti pierakstīties arī tajās."
},
"changeMasterPassword": {
"message": "Mainīt galveno paroli"
},
"masterPasswordChanged": {
"message": "Galvenā parole nomainīta"
},
"currentMasterPass": {
"message": "Pašreizējā galvenā parole"
},
"newMasterPass": {
"message": "Jaunā galvenā parole"
},
"confirmNewMasterPass": {
"message": "Apstiprināt jauno galveno paroli"
},
"encKeySettings": {
"message": "Šifrēšanas atslēgas iestatījumi"
},
"kdfAlgorithm": {
"message": "KDF algoritms"
},
"kdfIterations": {
"message": "KDF atkārtojumi"
},
"kdfIterationsDesc": {
"message": "Lielāks KDF atkārtojumu skaits var palīdzēt aizsargāt galveno paroli no pārlases uzbrukumiem. Ieteicamā vērtība ir $VALUE$ vai lielāka.",
"placeholders": {
"value": {
"content": "$1",
"example": "100,000"
}
}
},
"kdfIterationsWarning": {
"message": "Iestatot pārāk lielu KDF atkārtojumu skaitu var novest pie vājas veiktspējas, kad notiek pierakstīšanās Bitwarden (un atslēgšana) ierīcēs ar lēnākiem procesoriem. Ir ieteicams secīgi palielināt vērtību par $INCREMENT$ un tad pārbaudīt ietekmi visās ierīcēs.",
"placeholders": {
"increment": {
"content": "$1",
"example": "50,000"
}
}
},
"changeKdf": {
"message": "Mainīt KDF"
},
"encKeySettingsChanged": {
"message": "Šifrēšanas atslēgas iestatījumi mainīti"
},
"dangerZone": {
"message": "Bīstamā sadaļa"
},
"dangerZoneDesc": {
"message": "Piesardzību, šīs darbības nav atsaucamas!"
},
"deauthorizeSessions": {
"message": "Padarīt sesijas spēkā neesošas"
},
"deauthorizeSessionsDesc": {
"message": "Vai ir raizes par to, ka pierakstīšanās kontā ir notikusi citā ierīcē? Turpināt zemāk, lai atsauktu pierakstīšanos visos datoros un ierīcēs, kas iepriekš ir izmantoti. Šis solis ir nepieciešams, ja tika izmantots koplietošanas dators vai nejauši saglabāta parole nepiederošā ierīcē. Šis solis notīrīs arī visas iepriekš iegaumētās divpakāpju pierakstīšanās sesijas."
},
"deauthorizeSessionsWarning": {
"message": "Tiks veikta izrakstīšanās no pašreizējāš sesijas, un pēc tam būs nepieciešams atkārtoti pierakstīties. Būs nepieciešama arī divpakāpju pierakstīšanās, ja tā ir iespējota. Citās ierīcēs darbojošās sesijas var būt spēkā līdz vienai stundai."
},
"sessionsDeauthorized": {
"message": "Visu sesiju darbība ir atsaukta"
},
"purgeVault": {
"message": "Iztīrīt glabātavu"
},
"purgedOrganizationVault": {
"message": "Apvienības glabātava iztīrīta."
},
"vaultAccessedByProvider": {
"message": "Glabātavai piekļuva sniedzējs."
},
"purgeVaultDesc": {
"message": "Turpnāt zemāk, lai izdzēstu visus glabātavas vienumus un mapes. Vienumi, kas pieder apvienībai un kas tiek koplietoti, netiks izdzēsti."
},
"purgeOrgVaultDesc": {
"message": "Turpināt zemāk, lai izdzēstu visus apvienības glabātavas vienumus."
},
"purgeVaultWarning": {
"message": "Glabātavas iztīrīšana ir paliekoša. To nevar tikt atsaukta."
},
"vaultPurged": {
"message": "Glabātava tika iztīrīta."
},
"deleteAccount": {
"message": "Dzēst kontu"
},
"deleteAccountDesc": {
"message": "Turpināt zemāk, lai izdzēstu kontu un visus saistītos datus."
},
"deleteAccountWarning": {
"message": "Konta dzēšana ir paliekoša. To nevar atsaukt."
},
"accountDeleted": {
"message": "Konts izdzēsts"
},
"accountDeletedDesc": {
"message": "Konts ir slēgts, un visi saistītie dati ir izdzēsti."
},
"myAccount": {
"message": "Mans konts"
},
"tools": {
"message": "Rīki"
},
"importData": {
"message": "Ievietot datus"
},
"importError": {
"message": "Ievietošanas kļūda"
},
"importErrorDesc": {
"message": "Ir nepilnības ievietojamajos datos. Lūgums novērst zemāk uzskaitītās kļūdas avota datnē un mēģināt vēlreiz."
},
"importSuccess": {
"message": "Dati ir veiksmīgi ievietoti glabātavā."
},
"importWarning": {
"message": "Dati tiks ievietoti $ORGANIZATION$. Tie var tikt kopīgoti ar citiem apvienības dalībniekiem. Vai turpināt?",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"importFormatError": {
"message": "Dati nav pareizā veidolā. Lūgums pārbaudīt ievietošanas datni un mēģināt vēlreiz."
},
"importNothingError": {
"message": "Nekas netika ievietots."
},
"importEncKeyError": {
"message": "Kļūda izguves datnes atšifrēšanā. Izmantotā atslēga neatbilst tai, kas tika izmantota satura izgūšanai."
},
"selectFormat": {
"message": "Atlasīt ievietošanas datnes veidolu"
},
"selectImportFile": {
"message": "Atlasīt ievietošanas datni"
},
"orCopyPasteFileContents": {
"message": "vai ievietot starpliktuvē un ielīmēt ievietošanas datnes saturu"
},
"instructionsFor": {
"message": "Norādījumi $NAME$",
"description": "The title for the import tool instructions.",
"placeholders": {
"name": {
"content": "$1",
"example": "LastPass (csv)"
}
}
},
"options": {
"message": "Iespējas"
},
"optionsDesc": {
"message": "Pielāgot tīmekļa glabātavas lietošanas pieredzi."
},
"optionsUpdated": {
"message": "Iespējas atjauninātas"
},
"language": {
"message": "Valoda"
},
"languageDesc": {
"message": "Nomainīt tīmekļa glabātavā izmantoto valodu."
},
"disableIcons": {
"message": "Atspējot tīmekļa vietņu ikonas"
},
"disableIconsDesc": {
"message": "Tīmekļa vietņu ikonas nodrošina atpazīstamu attēlu pie katra glabātavas pieteikšanās vienuma."
},
"enableGravatars": {
"message": "Iespējot Gravatārus",
"description": "'Gravatar' is the name of a service. See www.gravatar.com"
},
"enableGravatarsDesc": {
"message": "Izmantot no gravatar.com ielādētus avatāra attēlus."
},
"enableFullWidth": {
"message": "Iespējot pilna platuma izkārtojumu",
"description": "Allows scaling the web vault UI's width"
},
"enableFullWidthDesc": {
"message": "Ļauj tīmekļa glabātavai aizņemt visu pārlūka loga platumu."
},
"default": {
"message": "Noklusējums"
},
"domainRules": {
"message": "Domēnu nosacījumi"
},
"domainRulesDesc": {
"message": "Ja viens pierakstīšanās vienums tiek izmantots dažādos tīmekļa vietņu domēnos, tīmekļa vietni var atzīmēt kā \"līdzvērtīgu\". \"Vispārējie\" domēni jau ir Bitwarden izveidoti."
},
"globalEqDomains": {
"message": "Vispārēji vienlīdzīgie domēni"
},
"customEqDomains": {
"message": "Pielāgoti vienlīdzīgie domēni"
},
"exclude": {
"message": "Izslēgt"
},
"include": {
"message": "Iekļaut"
},
"customize": {
"message": "Pielāgot"
},
"newCustomDomain": {
"message": "Jauns pielāgotais domēns"
},
"newCustomDomainDesc": {
"message": "Jāievada ar komatiem atdalīts domēnu saraksts. Ir atļauti tikai \"pamata\" domēni. Neievadīt apakšdomēnus. Piemēram, ievadīt \"google.com\" \"www.google.com\" vietā. Ir iespējams ievadīt arī \"androidapp://package.name\", lai saistītu Android lietotni ar citiem tīmekļa vietņu domēniem."
},
"customDomainX": {
"message": "Pielāgotais domēns $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"domainsUpdated": {
"message": "Domēni atjaunināti"
},
"twoStepLogin": {
"message": "Divpakāpju pierakstīšanās"
},
"twoStepLoginDesc": {
"message": "Nodrošināt kontu, pieprasot papildus darbību pierakstoties."
},
"twoStepLoginOrganizationDesc": {
"message": "Pieprasīt divpakāpju pierakstīšanos apvienības lietotājiem, uzstādot nodrošinātājus apvienības līmenī."
},
"twoStepLoginRecoveryWarning": {
"message": "Divpakāpju pierakstīšanās var pastāvīgi liegt piekļuvi Bitwarden kontam. Atkopšanas kods ļauj piekļūt tam gadījumā, kad vairs nav iespējams izmantot ierasto divpakāpju pierakstīšanās nodrošinātāju (piemēram, ir pazaudēta ierīce). Bitwarden atbalsts nevarēs palīdzēt, ja tiks pazaudēta piekļuve kontam. Ir ieteicams, ka atkopšanas kods tiek pierakstīts vai izdrukāts un turēts drošā vietā."
},
"viewRecoveryCode": {
"message": "Skatīt atkopšanas kodu"
},
"providers": {
"message": "Nodrošinātāji",
"description": "Two-step login providers such as YubiKey, Duo, Authenticator apps, Email, etc."
},
"enable": {
"message": "Iespējot"
},
"enabled": {
"message": "Iespējots"
},
"premium": {
"message": "Premium",
"description": "Premium Membership"
},
"premiumMembership": {
"message": "Premium dalība"
},
"premiumRequired": {
"message": "Nepieciešams Premium"
},
"premiumRequiredDesc": {
"message": "Ir nepieciešama Premium dalība, lai izmantotu šo iespēju."
},
"youHavePremiumAccess": {
"message": "Tev ir Premium piekļuve"
},
"alreadyPremiumFromOrg": {
"message": "Tev jau ir piekļuve Premium iespējām no apvienības, kuras dalībnieks Tu esi."
},
"manage": {
"message": "Pārvaldīt"
},
"disable": {
"message": "Atspējot"
},
"twoStepLoginProviderEnabled": {
"message": "Šis divpakāpju pierakstīšanās nodrošinātājs ir iespējots kontā."
},
"twoStepLoginAuthDesc": {
"message": "Ievadīt galveno paroli, lai mainītu divpakāpju pierakstīšanās iestatījumus."
},
"twoStepAuthenticatorDesc": {
"message": "Sekot šiem soļiem, lai uzstādīt divpakāpju pierakstīšanos ar autentificētāja lietotni:"
},
"twoStepAuthenticatorDownloadApp": {
"message": "Jālejupielādē divpakāpju autentificētāja lietotne"
},
"twoStepAuthenticatorNeedApp": {
"message": "Ir nepieciešama divpakāpju autentificētāja lietotne? Lejupielādē vienu no sekojošām"
},
"iosDevices": {
"message": "iOS ierīces"
},
"androidDevices": {
"message": "Android ierīces"
},
"windowsDevices": {
"message": "Windows ierīces"
},
"twoStepAuthenticatorAppsRecommended": {
"message": "Šīs ir ieteicamās lietotnes, bet darbosies arī citas autentificētāja lietotnes."
},
"twoStepAuthenticatorScanCode": {
"message": "Nolasīt šo kvadrātkodu ar autentificētāja lietotni"
},
"key": {
"message": "Atslēga"
},
"twoStepAuthenticatorEnterCode": {
"message": "Ievadīt lietotnes izveidoto 6 ciparu apstiprināšanas kodu"
},
"twoStepAuthenticatorReaddDesc": {
"message": "Ja ir vajadzība pievienot citās ierīcēs, zemāk ir kvadrātkods (vai atslēga), kas ir izmantojams autentificētāja lietotnē."
},
"twoStepDisableDesc": {
"message": "Vai tiešām atspējot šo divpakāpju pierakstīšanās nodrošinātāju?"
},
"twoStepDisabled": {
"message": "Divpakāpju pierakstīšanāš nodrošinātājs atspējots."
},
"twoFactorYubikeyAdd": {
"message": "Pievienot jaunu YubiKey kontam"
},
"twoFactorYubikeyPlugIn": {
"message": "YubiKey ir jāievieto datora USB ligzdā."
},
"twoFactorYubikeySelectKey": {
"message": "Jāizvēlas pirmais tukšais zemāk esošais YubiKey ievades lauks."
},
"twoFactorYubikeyTouchButton": {
"message": "Jāpieskaras YubiKey pogai."
},
"twoFactorYubikeySaveForm": {
"message": "Saglabāt veidlapu."
},
"twoFactorYubikeyWarning": {
"message": "Platformas ierobežojumu dēļ YubiKey nevar izmantot visās Bitwarden lietotnēs. Ir ieteicams iespējot vēl kādu divpakāpju pierakstīšanās nodrošinātāju, lai varētu piekļūt kontam, kad nevar izmantot YubiKey. Atbalstītās platformas:"
},
"twoFactorYubikeySupportUsb": {
"message": "Tīmekļa glabātava, darbvirsmas lietotne, CLI un visi pārlūku paplašinājums ierīcēs ar USB ligzdu, kas pieņem YubiKey."
},
"twoFactorYubikeySupportMobile": {
"message": "Tālruņa lietotnes ierīcē ar NFC iespējām vai datu ligzdu, kas pieņem YubiKey."
},
"yubikeyX": {
"message": "YubiKey $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"u2fkeyX": {
"message": "U2F atslēga $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"webAuthnkeyX": {
"message": "WebAuthn atslēga $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"nfcSupport": {
"message": "NFC atbalsts"
},
"twoFactorYubikeySupportsNfc": {
"message": "Viena no atslēgām atbalsta NFC."
},
"twoFactorYubikeySupportsNfcDesc": {
"message": "Ja kāda no YubiKey atbalsta NFC (kā, piemēram, YubiKey NEO), pārvietojamajās ierīcēs tiks attēlota uzvedne, kad vien tiks noteikta NFC pieejamība."
},
"yubikeysUpdated": {
"message": "YubiKey atjauninātas"
},
"disableAllKeys": {
"message": "Atspējot visas atslēgas"
},
"twoFactorDuoDesc": {
"message": "Ievadīt Bitwarden lietotnes informāciju no Duo pārvaldības rīka."
},
"twoFactorDuoIntegrationKey": {
"message": "Iekļaušanas atslēga"
},
"twoFactorDuoSecretKey": {
"message": "Slepenā atslēga"
},
"twoFactorDuoApiHostname": {
"message": "API saimniekdatora nosaukums"
},
"twoFactorEmailDesc": {
"message": "Sekot šiem soļiem, lai uzstādīt divpakāpju pierakstīšanos ar e-pastu:"
},
"twoFactorEmailEnterEmail": {
"message": "Ievadīt e-pasta adresi, uz kuru saņemt apstiprināšanas kodus"
},
"twoFactorEmailEnterCode": {
"message": "Ievadīt e-pastā saņemto 6 ciparu apstiprinājuma kodu"
},
"sendEmail": {
"message": "Nosūtīt e-pastu"
},
"twoFactorU2fAdd": {
"message": "Pievienot FIDO U2F drošības atslēgu kontam"
},
"removeU2fConfirmation": {
"message": "Vai tiešām noņemt šo drošības atslēgu?"
},
"twoFactorWebAuthnAdd": {
"message": "Pievienot kontam WebAuthn drošības atslēgu"
},
"readKey": {
"message": "Nolasīt atslēgu"
},
"keyCompromised": {
"message": "Atslēgas drošība ir ietekmēta."
},
"twoFactorU2fGiveName": {
"message": "Piešķirt drošības atslēgai vienkāršu nosaukumu, lai tā būtu vieglāk nosakāma."
},
"twoFactorU2fPlugInReadKey": {
"message": "Ievietot drošības atslēgu datora USB ligzdā un nospiest pogu \"Nolasīt atslēgu\"."
},
"twoFactorU2fTouchButton": {
"message": "Ja drošības atslēgai ir poga, tai ir jāpieskaras."
},
"twoFactorU2fSaveForm": {
"message": "Saglabāt veidlapu."
},
"twoFactorU2fWarning": {
"message": "Platformas ierobežojumu dēļ FIDO U2F nevar izmantot visās Bitwarden lietotnēs. Ir Ieteicams iespējot vēl kādu divpakāpju pierakstīšanās nodrošinātāju, lai varētu piekļūt kontam, kad FIDO U2F nevar izmantot. Atbalstītās platformas:"
},
"twoFactorU2fSupportWeb": {
"message": "Tīmekļa glabātava un pārlūku paplašinājums galddatorā/klēpjdatorā ar U2F iespējotu pārlūku (Chrome, Opera, Vivaldi vai Firefox ar iespējotu FIDO U2F)."
},
"twoFactorU2fWaiting": {
"message": "Tiek gaidīts, līdz tiks veikta pieskaršanās drošības atslēgas pogai"
},
"twoFactorU2fClickSave": {
"message": "Nospist zemāk esošo pogu \"Saglabāt\", lai iespējotu šo drošības atslēgu divpakāpju pierakstīšanās pārbaudei."
},
"twoFactorU2fProblemReadingTryAgain": {
"message": "Radās sarežģījumi, nolasot drošības atslēgu. Jāmēģina vēlreiz."
},
"twoFactorWebAuthnWarning": {
"message": "Platformas ierobežojumu dēļ WebAuth nevar izmantot visās Bitwarden lietotnēs. Ir ieteicams iespējot vēl kādu divpakāpju pierakstīšanās nodrošinātāju, lai varētu piekļūt kontam, kad nav iespējams izmantot WebAuth. Atbalstītās platformas:"
},
"twoFactorWebAuthnSupportWeb": {
"message": "Tīmekļa glabātava un pārlūku paplašinājums galddatorā/klēpjdatorā ar WebAuthn iespējotu pārlūku (Chrome, Opera, Vivaldi vai Firefox ar iespējotu FIDO U2F)."
},
"twoFactorRecoveryYourCode": {
"message": "Bitwarden divpakāpju pierakstīšanās atkopšanas kods"
},
"twoFactorRecoveryNoCode": {
"message": "Vēl nav iespējots neviens divpakāpju pierakstīšanās nodrošinātāju. Kad tas būs izdarīts, šeit varēs apskatīt atkopšanas kodu."
},
"printCode": {
"message": "Izdrukāt kodu",
"description": "Print 2FA recovery code"
},
"reports": {
"message": "Pārskati"
},
"reportsDesc": {
"message": "Noteikt un novērst drošības nepilnības tiešsaistes kontos klikšķinot uz zemāk esošajām atskaitēm."
},
"unsecuredWebsitesReport": {
"message": "Nedrošu tīmekļa vietņu pārskats"
},
"unsecuredWebsitesReportDesc": {
"message": "Nedrošu tīmekļa vietņu, kuru adrese sākas ar http://, apmeklēšana var būt bīstama. Ja tīmekļa vietne to nodrošina, vienmēr ir ieteicams tai piekļūt, izmantojot adresi ar https://, lai savienojums būtu šifrēts."
},
"unsecuredWebsitesFound": {
"message": "Atrastas nedrošās tīmekļa vietnes"
},
"unsecuredWebsitesFoundDesc": {
"message": "Glabātavā tika atrasts(i) $COUNT$ vienums(i) ar nedrošām adresēm. Ir ieteicams tās mainīt uz URI ar https://, ja tīmekļa vietne to nodrošina.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noUnsecuredWebsites": {
"message": "Nevienam glabātavas vienumam nav nedrošu URI."
},
"inactive2faReport": {
"message": "Neizmantoto 2FA pārskats"
},
"inactive2faReportDesc": {
"message": "Divfaktoru autentificēšanās (2FA) ir būtisks drošības iestatījums, kas palīdz nodrošināt kontus. Ja tīmekļa vietne to piedāvā, vienmēr vajadzētu iespējot divfaktoru autentificēšanos."
},
"inactive2faFound": {
"message": "Atrastie pierakstīšanās vienumi bez 2FA"
},
"inactive2faFoundDesc": {
"message": "Glabātavā tika atrasta(s) $COUNT$ tīmekļa vietne(s), kurās nav uzstādīta divfaktoru autentificēšanās (vadoties pēc twofactorauth.org). Lai labāk aizsargātu šos kontus, ir ieteicams iespējot divfaktoru autentificēšanos.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noInactive2fa": {
"message": "Glabātavā netika atrasta neviena tīmekļa vietne bez uzstādītas divfaktoru autentificēšanās."
},
"instructions": {
"message": "Norādes"
},
"exposedPasswordsReport": {
"message": "Atklāto paroļu pārskats"
},
"exposedPasswordsReportDesc": {
"message": "Atklātās paroles ir paroles, kas ir atrastas zināmos datu pārkāpumos, kuras urķi ir publicējuši vai pārdod tumšajā tīmeklī."
},
"exposedPasswordsFound": {
"message": "Atrastas atklātās paroles"
},
"exposedPasswordsFoundDesc": {
"message": "Glabātavā tika atrasts(i) $COUNT$ vienums(i), kuros ir paroles, kas ir atklātas zināmos datu pārkāpumos. Vienumus vajadzētu mainīt, lai izmantotu jaunu paroli.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noExposedPasswords": {
"message": "Glabātavā nav vienumu, kam būtu paroles, kas ir atklātas zināmos datu pārkāpumos."
},
"checkExposedPasswords": {
"message": "Pārbaudīt atklātās paroles"
},
"exposedXTimes": {
"message": "Atklātas $COUNT$ reizi(-es)",
"placeholders": {
"count": {
"content": "$1",
"example": "52"
}
}
},
"weakPasswordsReport": {
"message": "Vājo paroļu pārskats"
},
"weakPasswordsReportDesc": {
"message": "Vājas paroles var viegli uzminēt urķi un automatizētie rīki, kas tiek izmantoti paroļu uzlaušanā. Bitwarden paroļu veidotājs var palīdzēt izveidot spēcīgas paroles."
},
"weakPasswordsFound": {
"message": "Atrastas vājas paroles"
},
"weakPasswordsFoundDesc": {
"message": "Glabātavā tika atrasts(i) $COUNT$ vienums(i) ar parolēm, kas nav spēcīgas. Tos vajadzētu atjaunināt, lai izmantotu spēcīgākas paroles.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noWeakPasswords": {
"message": "Glabātavā nav vienumu ar vājām parolēm."
},
"reusedPasswordsReport": {
"message": "Vairākkārt izmantoto paroļu pārskats"
},
"reusedPasswordsReportDesc": {
"message": "Ja izmantota pakalpojuma drošība ir ietekmēta, vienādas paroles izmantošana citur rada urķiem iespēju viegli iegūt piekļuvi citiem tiešsaistes kontiem. Katrā kontā vai pakalpojumā ir ieteicams izmantot paroli, kas nav izmantota citur."
},
"reusedPasswordsFound": {
"message": "Atrastās vairākkārt izmantotās paroles"
},
"reusedPasswordsFoundDesc": {
"message": "Glabātavā tika atrasta(s) $COUNT$ parole(s), kas tiek vairākkārt izmantotas. Ir ieteicams tās nomainīt uz vērtību, kas neatkārtojas citur.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noReusedPasswords": {
"message": "Glabātavā nav pierakstīšanās vienumu ar vairākkārt izmantotām parolēm."
},
"reusedXTimes": {
"message": "Vairākkārt izmantota(s) $COUNT$ reizi(es)",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"dataBreachReport": {
"message": "Datu pārākumu pārskats"
},
"breachDesc": {
"message": "\"Pārkāpums\" ir notikums, kurā urķi ir nelikumīgi piekļuvuši tās datiem un tad tos ir publicējuši. Jāpārskata datu veidi, kas ir ietekmēti (e-pasta adreses, paroles, bankas kartes utt.) un jāveic atbilstošas darbības, piemēram, paroļu nomaiņa."
},
"breachCheckUsernameEmail": {
"message": "Jāpārbauda jebkurš lietotājvārds vai e-pasta adrese, kas tiek izmantota."
},
"checkBreaches": {
"message": "Pārbaudīt datu pārkāpumus"
},
"breachUsernameNotFound": {
"message": "$USERNAME$ netika atrasts nevienā zināmā datu noplūdē.",
"placeholders": {
"username": {
"content": "$1",
"example": "user@example.com"
}
}
},
"goodNews": {
"message": "Labas ziņas",
"description": "ex. Good News, No Breached Accounts Found!"
},
"breachUsernameFound": {
"message": "$USERNAME$ tika atrasts $COUNT$ (dažādos) datu pārkāpumā(os) tīmeklī.",
"placeholders": {
"username": {
"content": "$1",
"example": "user@example.com"
},
"count": {
"content": "$2",
"example": "7"
}
}
},
"breachFound": {
"message": "Atrasti datu pārkāpumos iekļuvušie konti"
},
"compromisedData": {
"message": "Datu pārkāpumos iesaistītie dati"
},
"website": {
"message": "Tīmekļa vietne"
},
"affectedUsers": {
"message": "Ietekmētie lietotāji"
},
"breachOccurred": {
"message": "Ir bijis datu pārkāpums"
},
"breachReported": {
"message": "Par datu pārkāpumu ir ziņots"
},
"reportError": {
"message": "Radusies kļūda pārskata lādēšanā. Lūgums mēģināt vēlreiz"
},
"billing": {
"message": "Norēķini"
},
"accountCredit": {
"message": "Konta kredīts",
"description": "Financial term. In the case of Bitwarden, a positive balance means that you owe money, while a negative balance means that you have a credit (Bitwarden owes you money)."
},
"accountBalance": {
"message": "Konta bilance",
"description": "Financial term. In the case of Bitwarden, a positive balance means that you owe money, while a negative balance means that you have a credit (Bitwarden owes you money)."
},
"addCredit": {
"message": "Pievienot kredītu",
"description": "Add more credit to your account's balance."
},
"amount": {
"message": "Daudzums",
"description": "Dollar amount, or quantity."
},
"creditDelayed": {
"message": "Pievienotais kredīts būs redzams kontā, kad maksājums būs pilnībā apstrādāts. Daži norēķinu veidi aizkavējas un to apstrāde var aizņemt vairāk laika nekā citiem."
},
"makeSureEnoughCredit": {
"message": "Lūgums pārliecināties, ka kontā ir pieejams pietiekami daudz kredīta šim pirkumam. Ja kontā nav pieejams pietiekami daudz kredīta, tiks izmantots noklusējuma norēķinu veids, lai segtu starpību. Kredītu kontam var pievienot norēķinu sadaļā."
},
"creditAppliedDesc": {
"message": "Konta kredīts var tikt izmantots, lai veiktu pirkumus. Viss pieejamais kredīts tiks automātiski izmantots kontam veidotajiem rēķiniem."
},
"goPremium": {
"message": "Iegūt Premium",
"description": "Another way of saying \"Get a premium membership\""
},
"premiumUpdated": {
"message": "Tu esi pārgājis uz Premium."
},
"premiumUpgradeUnlockFeatures": {
"message": "Kontu var uzlabot ar Premium dalību un piekļūt lieliskām papildiespējām."
},
"premiumSignUpStorage": {
"message": "1 GB šifrētas krātuves datņu pielikumiem."
},
"premiumSignUpTwoStep": {
"message": "Tādas papildus divpakāpju pierakstīšanās iespējas kā YubiKey, FIDO U2F un Duo."
},
"premiumSignUpEmergency": {
"message": "Ārkārtas piekļuve"
},
"premiumSignUpReports": {
"message": "Paroļu higiēnas, kontu veselības un datu pārkāpumu atskaites, lai uzturētu glabātavu drošu."
},
"premiumSignUpTotp": {
"message": "TOTP apstiprinājuma kodu (2FA) veidotājs piekļuves ierakstiem glabātavā."
},
"premiumSignUpSupport": {
"message": "Priekšrocīgs lietotāju atbalsts."
},
"premiumSignUpFuture": {
"message": "Visas nākotnes Premium iespējas. Vairāk drīzumā!"
},
"premiumPrice": {
"message": "Viss par tikai $PRICE$ gadā!",
"placeholders": {
"price": {
"content": "$1",
"example": "$10"
}
}
},
"addons": {
"message": "Papildinājumi"
},
"premiumAccess": {
"message": "Premium piekļuve"
},
"premiumAccessDesc": {
"message": "Ir iespējams pievienot Premium piekļuvi visiem apvienības dalībniekiem par $PRICE$/$INTERVAL$.",
"placeholders": {
"price": {
"content": "$1",
"example": "$3.33"
},
"interval": {
"content": "$2",
"example": "'month' or 'year'"
}
}
},
"additionalStorageGb": {
"message": "Papildus krātuve (GB)"
},
"additionalStorageGbDesc": {
"message": "# papildus GB"
},
"additionalStorageIntervalDesc": {
"message": "Pašreizējais plāns iever $SIZE$ šifrētas datņu krātuves. Ir iespējams pievienot papildus krātuvi par $PRICE$ GB / $INTERVAL$.",
"placeholders": {
"size": {
"content": "$1",
"example": "1 GB"
},
"price": {
"content": "$2",
"example": "$4.00"
},
"interval": {
"content": "$3",
"example": "'month' or 'year'"
}
}
},
"summary": {
"message": "Kopsavilkums"
},
"total": {
"message": "Kopā"
},
"year": {
"message": "gadā"
},
"month": {
"message": "mēnesī"
},
"monthAbbr": {
"message": "mēn.",
"description": "Short abbreviation for 'month'"
},
"paymentChargedAnnually": {
"message": "Summa no apmaksas veida tiks iekasēta nekavējoties un atkārtoti ik gadu. To var atcelt jebkurā laikā."
},
"paymentCharged": {
"message": "Summa no apmaksas veida tiks iekasēta nekavējoties un atkārtoti katru $INTERVAL$. To var atcelt jebkurā laikā.",
"placeholders": {
"interval": {
"content": "$1",
"example": "month or year"
}
}
},
"paymentChargedWithTrial": {
"message": "Pašreizējā plānā ir iekļauts bezmaksas 7 dienu izmēģinājuma laiks. Izvēlētais apmaksas veids netiks izmantots līdz izmēģinājuma beigā. Norēķini notiks katru $INTERVAL$. To var atcelt jebkurā brīdī."
},
"paymentInformation": {
"message": "Maksājuma informācija"
},
"billingInformation": {
"message": "Norēķinu informācija"
},
"creditCard": {
"message": "Maksājumu karte"
},
"paypalClickSubmit": {
"message": "Nospiest PayPal pogu, lai pierakstītos PayPal kontā, pēc tam jāspiež poga \"Iesniegt\", lai turpinātu."
},
"cancelSubscription": {
"message": "Atcelt abonementu"
},
"subscriptionCanceled": {
"message": "Abonements ir atcelts."
},
"pendingCancellation": {
"message": "Tiek gaidīta atcelšana"
},
"subscriptionPendingCanceled": {
"message": "Abonements ir atzīmēts atcelšanai pašreizējā norēķinu perioda beigās."
},
"reinstateSubscription": {
"message": "Atjaunot abonementu"
},
"reinstateConfirmation": {
"message": "Vai tiešām noņemt abonementa atcelšanas pieprasījumu un atjaunot abonementu?"
},
"reinstated": {
"message": "Abonements tika atjaunots."
},
"cancelConfirmation": {
"message": "Vai tiešām atcelt? Tiks zaudēta piekļuve visām abonementa iespējām pēc pašreizējā norēķinu laika posma beigām."
},
"canceledSubscription": {
"message": "Abonements ir atcelts."
},
"neverExpires": {
"message": "Nekad nebeidzas"
},
"status": {
"message": "Stāvoklis"
},
"nextCharge": {
"message": "Nākamais maksājums"
},
"details": {
"message": "Izklāsts"
},
"downloadLicense": {
"message": "Lejupielādēt licenci"
},
"updateLicense": {
"message": "Atjaunināt licenci"
},
"updatedLicense": {
"message": "Atjauninātā licence"
},
"manageSubscription": {
"message": "Pārvaldīt abonementus"
},
"storage": {
"message": "Krātuve"
},
"addStorage": {
"message": "Pievienot krātuvi"
},
"removeStorage": {
"message": "Noņemt krātuvi"
},
"subscriptionStorage": {
"message": "Pašreizējam abonementam ir $MAX_STORAGE$ GB šifrētas datņu krātuves. Pašreiz izmantotais apjoms ir $USED_STORAGE$.",
"placeholders": {
"max_storage": {
"content": "$1",
"example": "4"
},
"used_storage": {
"content": "$2",
"example": "65 MB"
}
}
},
"paymentMethod": {
"message": "Apmaksas veids"
},
"noPaymentMethod": {
"message": "Nav norādīts apmaksas veids."
},
"addPaymentMethod": {
"message": "Pievienot apmaksas veidu"
},
"changePaymentMethod": {
"message": "Mainīt apmaksas veidu"
},
"invoices": {
"message": "Rēķini"
},
"noInvoices": {
"message": "Nav rēķinu."
},
"paid": {
"message": "Apmaksāts",
"description": "Past tense status of an invoice. ex. Paid or unpaid."
},
"unpaid": {
"message": "Neapmaksāts",
"description": "Past tense status of an invoice. ex. Paid or unpaid."
},
"transactions": {
"message": "Darījumi",
"description": "Payment/credit transactions."
},
"noTransactions": {
"message": "Nav darījumu."
},
"chargeNoun": {
"message": "Apmaksa",
"description": "Noun. A charge from a payment method."
},
"refundNoun": {
"message": "Atmaksa",
"description": "Noun. A refunded payment that was charged."
},
"chargesStatement": {
"message": "Visas apmaksas parādīsies izrakstā kā $STATEMENT_NAME$.",
"placeholders": {
"statement_name": {
"content": "$1",
"example": "BITWARDEN"
}
}
},
"gbStorageAdd": {
"message": "Krātuves GB, ko pievienot"
},
"gbStorageRemove": {
"message": "Krātuves GB, ko noņemt"
},
"storageAddNote": {
"message": "Krātuves izmēra palielināšana ietekmēs norēķinu kopējo apjomu, un uzreiz tiks veikta apmaksa ar norādīto maksājumu veidu. Pirmās apmaksas lielums būs atbilstošs atlikušajai pašreizējā norēķinu laika posma daļai."
},
"storageRemoveNote": {
"message": "Krātuves apjoma samazināšana ietekmēs apmaksas apjomu, kas tiks piešķirts kā kredīts, kas atbilst atlikušajam laikam līdz nākamajam apmaksas laika posmam."
},
"adjustedStorage": {
"message": "Tika mainīts(i) $AMOUNT$ GB krātuves.",
"placeholders": {
"amount": {
"content": "$1",
"example": "5"
}
}
},
"contactSupport": {
"message": "Sazinieties ar klientu atbalstu"
},
"updatedPaymentMethod": {
"message": "Apmaksas veids atjaunināts."
},
"purchasePremium": {
"message": "Iegādāties Premium"
},
"licenseFile": {
"message": "Licences datne"
},
"licenseFileDesc": {
"message": "Licences datne tiks nosaukta apmēram šādi: $FILE_NAME$",
"placeholders": {
"file_name": {
"content": "$1",
"example": "bitwarden_premium_license.json"
}
}
},
"uploadLicenseFilePremium": {
"message": "Lai uzlabotu kontu ar Premium dalību, ir nepieciešams augšupielādēt derīgu licences datni."
},
"uploadLicenseFileOrg": {
"message": "Lai izveidotu pašizvietotu apvienību, ir nepieciešams augšupielādēt derīgu licences datni."
},
"accountEmailMustBeVerified": {
"message": "Ir jāapstiprina konta e-pasta adrese."
},
"newOrganizationDesc": {
"message": "Apvienības sniedz iespēju kopīgot daļu no glabātavas ar citiem, kā arī pārvaldīt saistītos lietotājus tādos veidojumos kā ģimene, maza vienība vai liels uzņēmums."
},
"generalInformation": {
"message": "Vispārīga informācija"
},
"organizationName": {
"message": "Apvienības nosaukums"
},
"accountOwnedBusiness": {
"message": "Šis konts pieder uzņēmumam."
},
"billingEmail": {
"message": "E-pasta adrese norēķiniem"
},
"businessName": {
"message": "Uzņēmuma nosaukums"
},
"chooseYourPlan": {
"message": "Izvēlēties plānu"
},
"users": {
"message": "Lietotāji"
},
"userSeats": {
"message": "Lietotāju vietas"
},
"additionalUserSeats": {
"message": "Papildus lietotāju vietas"
},
"userSeatsDesc": {
"message": "# lietotāju vietas"
},
"userSeatsAdditionalDesc": {
"message": "Pašreizējā plānā ir iekļauta(s) $BASE_SEATS$ lietotāju vieta(s). Papildus lietotājus var pievienot par $SEAT_PRICE$ mēnesī par katru.",
"placeholders": {
"base_seats": {
"content": "$1",
"example": "5"
},
"seat_price": {
"content": "$2",
"example": "$2.00"
}
}
},
"userSeatsHowManyDesc": {
"message": "Cik daudz lietotāju vietas ir nepieciešamas? Vēlāk ir iespējams pievienot papildus vietas, ja nepieciešams."
},
"planNameFree": {
"message": "Bezmaksas",
"description": "Free as in 'free beer'."
},
"planDescFree": {
"message": "Pārbaudei vai personīgai izmantošanai, lai kopīgotu ar $COUNT$ citiem lietotājiem.",
"placeholders": {
"count": {
"content": "$1",
"example": "1"
}
}
},
"planNameFamilies": {
"message": "Ģimenes"
},
"planDescFamilies": {
"message": "Personīgai izmantošanai, lai kopīgotu ar ģimeni un draugiem."
},
"planNameTeams": {
"message": "Vienības"
},
"planDescTeams": {
"message": "Uzņēmumiem un citām apvienībām."
},
"planNameEnterprise": {
"message": "Uzņēmējdarbība"
},
"planDescEnterprise": {
"message": "Uzņēmumiem un citām lielām apvienībām."
},
"freeForever": {
"message": "Vienmēr bezmaksas"
},
"includesXUsers": {
"message": "ietver $COUNT$ lietotāju(s)",
"placeholders": {
"count": {
"content": "$1",
"example": "5"
}
}
},
"additionalUsers": {
"message": "Papildus lietotāji"
},
"costPerUser": {
"message": "$COST$ par lietotāju",
"placeholders": {
"cost": {
"content": "$1",
"example": "$3"
}
}
},
"limitedUsers": {
"message": "Ierobežots līdz $COUNT$ lietotājiem (ieskaitot Tevi)",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"limitedCollections": {
"message": "Ierobežots līdz $COUNT$ krājumiem",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"addShareLimitedUsers": {
"message": "Pievieno un kopīgo ar līdz $COUNT$ lietotājiem",
"placeholders": {
"count": {
"content": "$1",
"example": "5"
}
}
},
"addShareUnlimitedUsers": {
"message": "Pievieno un kopīgo ar neierobežotu lietotāju skaitu"
},
"createUnlimitedCollections": {
"message": "Izveido neierobežotu daudzumu krājumu"
},
"gbEncryptedFileStorage": {
"message": "$SIZE$ šifrēta datņu krātuve",
"placeholders": {
"size": {
"content": "$1",
"example": "1 GB"
}
}
},
"onPremHostingOptional": {
"message": "Pašizvietošana (nav nepieciešama)"
},
"usersGetPremium": {
"message": "Lietotāji saņem piekļuvi Premium iespējām"
},
"controlAccessWithGroups": {
"message": "Pārvaldi lietotāju piekļuvi ar kopām"
},
"syncUsersFromDirectory": {
"message": "Sinhronizē lietotājus un kopas no direktorija"
},
"trackAuditLogs": {
"message": "Seko lietotāju darbībām pārbaudes žurnālos"
},
"enforce2faDuo": {
"message": "Ieviest 2FA ar Duo"
},
"priorityCustomerSupport": {
"message": "Priekšrocīgs lietotāju atbalsts"
},
"xDayFreeTrial": {
"message": "$COUNT$ dienu bezmaksas izmēģinājums, atcelt var jebkurā brīdī",
"placeholders": {
"count": {
"content": "$1",
"example": "7"
}
}
},
"monthly": {
"message": "Katru mēnesi"
},
"annually": {
"message": "Katru gadu"
},
"basePrice": {
"message": "Pamata cena"
},
"organizationCreated": {
"message": "Apvienība izveidota"
},
"organizationReadyToGo": {
"message": "Jaunā apvienība ir gatava darbam!"
},
"organizationUpgraded": {
"message": "Apvienība tika uzlabota."
},
"leave": {
"message": "Pamest"
},
"leaveOrganizationConfirmation": {
"message": "Vai tiešām pamest šo apvienību?"
},
"leftOrganization": {
"message": "Apvienība ir pamesta."
},
"defaultCollection": {
"message": "Noklusējuma krājums"
},
"getHelp": {
"message": "Saņemt palīdzību"
},
"getApps": {
"message": "Iegūt lietotnes"
},
"loggedInAs": {
"message": "Pierakstījies kā"
},
"eventLogs": {
"message": "Notikumu žurnāli"
},
"people": {
"message": "Cilvēki"
},
"policies": {
"message": "Nosacījumi"
},
"singleSignOn": {
"message": "Vienotā pierakstīšanās (Single Sign-On)"
},
"editPolicy": {
"message": "Labot nosacījumus"
},
"groups": {
"message": "Kopas"
},
"newGroup": {
"message": "Jauna kopa"
},
"addGroup": {
"message": "Pievienot kopu"
},
"editGroup": {
"message": "Labot kopu"
},
"deleteGroupConfirmation": {
"message": "Vai tiešām vēlaties dzēst šo kopu?"
},
"removeUserConfirmation": {
"message": "Vai tiešām noņemt šo lietotāju?"
},
"removeUserConfirmationKeyConnector": {
"message": "Uzmanību! Šim lietotājam ir nepieciešams Key Connector, lai pārvaldītu šifrēšanu. Lietotāja noņemšana no apvienības neatgriezeniski atspējos viņa kontu. Šī darbība nevar tikt atdarīta. Vai turpināt?"
},
"externalId": {
"message": "Ārējais ID"
},
"externalIdDesc": {
"message": "Ārējo ID var izmanto kā atsauci vai kā saikni starp šo līdzekli un ārēju sistēmu, piemēram, lietotāju direktoriju."
},
"accessControl": {
"message": "Piekļuves pārraudzība"
},
"groupAccessAllItems": {
"message": "Šī kopa var piekļūt visiem vienumiem un mainīt tos."
},
"groupAccessSelectedCollections": {
"message": "Šī kopa var piekļūt tikai izvēlētajiem krājumiem."
},
"readOnly": {
"message": "Tikai lasāms"
},
"newCollection": {
"message": "Jauns krājums"
},
"addCollection": {
"message": "Pievienot krājumu"
},
"editCollection": {
"message": "Labot krājumu"
},
"deleteCollectionConfirmation": {
"message": "Vai tiešām izdzēst šo krājumu?"
},
"editUser": {
"message": "Labot lietotāju"
},
"inviteUser": {
"message": "Uzaicināt lietotāju"
},
"inviteUserDesc": {
"message": "Uziacināt apvienībā jaunu lietotāju, zemāk esošajā laukā ievadot viņa Bitwarden konta e-pasta adresi. Ja viņam vēl nav Bitwarden konta, tiks vaicāts izveidot jaunu."
},
"inviteMultipleEmailDesc": {
"message": "Ir iespējams vienlaicīgi uzaicināt līdz $COUNT$ lietotājiem, atdalot to e-pasta adreses ar komatiem.",
"placeholders": {
"count": {
"content": "$1",
"example": "20"
}
}
},
"userUsingTwoStep": {
"message": "Šis lietotājs izmanto divpakāpju pierakstīšanos, lai aizsargātu savu kontu."
},
"userAccessAllItems": {
"message": "Šis lietotājs var piekļūt visiem vienumiem un mainīt tos."
},
"userAccessSelectedCollections": {
"message": "Šis lietotājs var piekļūt tikai pie atlasītajiem krājumiem."
},
"search": {
"message": "Meklēt"
},
"invited": {
"message": "Uzaicināts"
},
"accepted": {
"message": "Pieņemts"
},
"confirmed": {
"message": "Apstiprināts"
},
"clientOwnerEmail": {
"message": "Pasūtītāja īpašnieka e-pasta adrese"
},
"owner": {
"message": "Īpašnieks"
},
"ownerDesc": {
"message": "Lietotājs ar augstākajām piekļuves tiesībām, kurš var pārvaldīt visu apvienībā."
},
"clientOwnerDesc": {
"message": "Šim lietotājam būtu jābūt neatkarīgam no sniedzēja. Ja sniedzējs tiek atdalīts no apvienības, šis lietotājs saglabās tās īpašumtiesības."
},
"admin": {
"message": "Pārvaldnieks"
},
"adminDesc": {
"message": "Pārvaldnieki var piekļūt un pārvaldīt visus apvienības vienumus, krājumus un lietotājus."
},
"user": {
"message": "Lietotājs"
},
"userDesc": {
"message": "Parasts lietotājs ar piekļuvi piešķirtajiem apvienības krājumiem."
},
"manager": {
"message": "Vadītājs"
},
"managerDesc": {
"message": "Vadītāji var piekļūt un pārvaldīt piešķirtos apvienības krājumus."
},
"all": {
"message": "Visi"
},
"refresh": {
"message": "Atsvaidzināt"
},
"timestamp": {
"message": "Laikspiedols"
},
"event": {
"message": "Notikums"
},
"unknown": {
"message": "Nezināms"
},
"loadMore": {
"message": "Ielādēt vairāk"
},
"mobile": {
"message": "Tālrunis",
"description": "Mobile app"
},
"extension": {
"message": "Paplašinājums",
"description": "Browser extension/addon"
},
"desktop": {
"message": "Darbvirsma",
"description": "Desktop app"
},
"webVault": {
"message": "Tīmekļa glabātava"
},
"loggedIn": {
"message": "Pierakstījies."
},
"changedPassword": {
"message": "Konta parole nomainīta."
},
"enabledUpdated2fa": {
"message": "Divpakāpju pierakstīšanās iespējota/atjaunināta."
},
"disabled2fa": {
"message": "Divpakāpju pierakstīšanās atspējota."
},
"recovered2fa": {
"message": "Konts atkopts no divpakāpju pierakstīšanās."
},
"failedLogin": {
"message": "Pierakstīšanās mēģinājums neizdevās nepareizas paroles dēļ."
},
"failedLogin2fa": {
"message": "Pierakstīšanās mēģinājums neizdevās nepareizas divpakāpju pierakstīšanās dēļ."
},
"exportedVault": {
"message": "Glabātavas saturs izgūts."
},
"exportedOrganizationVault": {
"message": "Izgūts apvienības glabātavas saturs."
},
"editedOrgSettings": {
"message": "Laboti apvienības iestatījumi."
},
"createdItemId": {
"message": "Izveidots vienums $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"editedItemId": {
"message": "Labots vienums $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"deletedItemId": {
"message": "Vienumu $ID$ pārvietots uz atkritni.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"movedItemIdToOrg": {
"message": "Vienums $ID$ tika pārvietots uz apvienību.",
"placeholders": {
"id": {
"content": "$1",
"example": "'Google'"
}
}
},
"viewedItemId": {
"message": "Skatīts vienums $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedPasswordItemId": {
"message": "Skatīta vienuma $ID$ parole.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedHiddenFieldItemId": {
"message": "Skatīts vienuma $ID$ slēpts lauks.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedSecurityCodeItemId": {
"message": "Skatīts vienuma $ID$ drošības kods.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedPasswordItemId": {
"message": "Vienuma $ID$ parole ievietota starpliktuvē.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedHiddenFieldItemId": {
"message": "Vienuma $ID$ slēpts lauks ievietots starpliktuvē.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedSecurityCodeItemId": {
"message": "Vienuma $ID$ drošības kods ievietots starpliktuvē.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"autofilledItemId": {
"message": "Automātiski aizpildīts vienums $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"createdCollectionId": {
"message": "Izveidots krājums $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"editedCollectionId": {
"message": "Labots krājums $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"deletedCollectionId": {
"message": "Izdzēsts krājums $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"editedPolicyId": {
"message": "Labots nosacījumu kopums $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Master Password"
}
}
},
"createdGroupId": {
"message": "Izveidota kopa $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"editedGroupId": {
"message": "Labota kopa $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"deletedGroupId": {
"message": "Izdzēsta kopa $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"removedUserId": {
"message": "Noņemts lietotājs $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"createdAttachmentForItem": {
"message": "Izveidots pielikumu vienumam $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"deletedAttachmentForItem": {
"message": "Izdzēsts pielikums vienumam $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"editedCollectionsForItem": {
"message": "Laboti krājumi vienumam $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"invitedUserId": {
"message": "Uzaicināts lietotājs $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"confirmedUserId": {
"message": "Apstiprināts lietotājs $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"editedUserId": {
"message": "Labots lietotājs $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"editedGroupsForUser": {
"message": "Labotas kopas lietotājam $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"unlinkedSsoUser": {
"message": "Atsaistīta vienotā pieteikšanās lietotājam $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"createdOrganizationId": {
"message": "Izveidota apvienība $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"addedOrganizationId": {
"message": "Pievienota apvienība $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"removedOrganizationId": {
"message": "Noņemta apvienība $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"accessedClientVault": {
"message": "Piekļūts apvienības $ID$ glabātavai.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"device": {
"message": "Ierīce"
},
"view": {
"message": "Skatīt"
},
"invalidDateRange": {
"message": "Nederīgs datumu apgabals."
},
"errorOccurred": {
"message": "Radusies kļūda."
},
"userAccess": {
"message": "Lietotāja piekļuve"
},
"userType": {
"message": "Lietotāja veids"
},
"groupAccess": {
"message": "Kopu piekļuve"
},
"groupAccessUserDesc": {
"message": "Labot kopas, kurās ir iekļauts šis lietotājs."
},
"invitedUsers": {
"message": "Uzaicināts(i) lietotājs(i)."
},
"resendInvitation": {
"message": "Atkārtoti nosūtīt uzaicinājumu"
},
"resendEmail": {
"message": "Atkārtoti nosūtīt e-pastu"
},
"hasBeenReinvited": {
"message": "$USER$ tika atkārtoti uzaicināts.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"confirm": {
"message": "Apstiprināt"
},
"confirmUser": {
"message": "Apstiprināt lietotāju"
},
"hasBeenConfirmed": {
"message": "$USER$ tika apstiprināts.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"confirmUsers": {
"message": "Apstiprināt lietotājus"
},
"usersNeedConfirmed": {
"message": "Ir lietotāji, kas nav pieņēmuši uzaicinājumu, bet joprojām ir jāapstiprina. Lietotājiem nebūs piekļuves apvienībai, līdz tie nebūs apstiprināti."
},
"startDate": {
"message": "Sākuma datums"
},
"endDate": {
"message": "Beigu datums"
},
"verifyEmail": {
"message": "Apstiprināt e-pastu"
},
"verifyEmailDesc": {
"message": "Ir jāapstiprina konta e-pasta adrese, lai piekļūtu visām iespējām."
},
"verifyEmailFirst": {
"message": "Vispirms ir jāapstiprina konta e-pasta adrese."
},
"checkInboxForVerification": {
"message": "Jāpārbauda e-pasts, vai tajā ir ziņojums ar apstiprinājuma saiti."
},
"emailVerified": {
"message": "E-pasta adrese ir apstiprināta."
},
"emailVerifiedFailed": {
"message": "Nevarēja apstiprināt e-pasta adresi. Var mēģināt sūtīt atkārtotu apstiprinājuma e-pasta ziņojumu."
},
"emailVerificationRequired": {
"message": "Nepieciešama e-pasta adreses apstiprināšana"
},
"emailVerificationRequiredDesc": {
"message": "Ir jāapstiprina e-pasta adrese, lai izmantotu šo iespēju."
},
"updateBrowser": {
"message": "Atjaunināt pārlūku"
},
"updateBrowserDesc": {
"message": "Tiek izmantots neatbalstīts tīmekļa pārlūks. Tīmekļa glabātava var darboties nepareizi."
},
"joinOrganization": {
"message": "Pievienoties apvienībai"
},
"joinOrganizationDesc": {
"message": "Tu esi uzaicināts pievienoties augstāk norādītajai apvienībai. Lai to pieņemtu, jāpierakstās vai jāizveido jauns Bitwarden konts."
},
"inviteAccepted": {
"message": "Uzaicinājums pieņemts"
},
"inviteAcceptedDesc": {
"message": "Piekļūt apvienībai varēs, kad tās pārvaldnieks apstiprinās dalību. Tiks nosūtīts e-pasta ziņojums, kad tas notiks."
},
"inviteAcceptFailed": {
"message": "Nav iespējams pieņemt uzaicinājumu. Jālūdz apvienības pārvaldniekam nosūtīt jaunu."
},
"inviteAcceptFailedShort": {
"message": "Neizdevās pieņemt uzaicinājumu. $DESCRIPTION$",
"placeholders": {
"description": {
"content": "$1",
"example": "You must enable 2FA on your user account before you can join this organization."
}
}
},
"rememberEmail": {
"message": "Atcerēties e-pasta adresi"
},
"recoverAccountTwoStepDesc": {
"message": "Ja kontam nevar piekļūt ar ierastajiem divpakāpju pierakstīšanās veidiem, var izmantot atkopšanas kodu, lai atspējotu visus konta divpakāpju pierakstīšanās nodrošinātājus."
},
"recoverAccountTwoStep": {
"message": "Atkopt konta divpakāpju pierakstīšanos"
},
"twoStepRecoverDisabled": {
"message": "Divpakāpju pierakstīšanās kontā ir atspējota."
},
"learnMore": {
"message": "Uzzināt vairāk"
},
"deleteRecoverDesc": {
"message": "Ievadīt e-pasta adresi zemāk esošajā laukā, lai atkoptu un izdzēstu kontu."
},
"deleteRecoverEmailSent": {
"message": "Ja konts pastāv, tika nosūtīts e-pasta ziņojums ar turpmākām norādēm."
},
"deleteRecoverConfirmDesc": {
"message": "Tika pieprasīts dzēst Bitwarden kontu. Nospiest zemāk esošo pogu, lai apstiprinātu."
},
"myOrganization": {
"message": "Mana apvienība"
},
"deleteOrganization": {
"message": "Izdzēst apvienību"
},
"deletingOrganizationContentWarning": {
"message": "Ir jāievada galvenā parole, lai apstiprinātu $ORGANIZATION$ un saistīto datu dzēšanu. $ORGANIZATION$ glabātavas dati iekļauj:",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"deletingOrganizationActiveUserAccountsWarning": {
"message": "Pēc dzēšanas lietotāju konti joprojām darbosies, bet tie vairs nebūs saistīti ar šo apvienību."
},
"deletingOrganizationIsPermanentWarning": {
"message": "$ORGANIZATION$ dzēšana ir paliekoša un neatgriezeniska.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"organizationDeleted": {
"message": "Apvienība izdzēsta"
},
"organizationDeletedDesc": {
"message": "Apvienība un visi ar to saistītie dati ir izdzēsti."
},
"organizationUpdated": {
"message": "Apvienība atjaunināta"
},
"taxInformation": {
"message": "Nodokļu informācija"
},
"taxInformationDesc": {
"message": "Klientiem, kas atrodas ASV, pasta indeksu ir nepieciešams norādīt, lai izpildītu pārdošanas nodokļa prasības, un citām valstīm var norādīt nodokļu maksātāja numuru (VAT/GST) un/vai adresi kas, būs redzama rēķinos."
},
"billingPlan": {
"message": "Plāns",
"description": "A billing plan/package. For example: families, teams, enterprise, etc."
},
"changeBillingPlan": {
"message": "Mainīt plānu",
"description": "A billing plan/package. For example: families, teams, enterprise, etc."
},
"changeBillingPlanUpgrade": {
"message": "Uzlabot kontu uz citu plānu var norādot informāciju zemāk. Lūgums pārliecinieties, ka kontam ir pievienots derīgs apmaksas veids.",
"description": "A billing plan/package. For example: families, teams, enterprise, etc."
},
"invoiceNumber": {
"message": "Rēķins #$NUMBER$",
"description": "ex. Invoice #79C66F0-0001",
"placeholders": {
"number": {
"content": "$1",
"example": "79C66F0-0001"
}
}
},
"viewInvoice": {
"message": "Skatīt rēķinu"
},
"downloadInvoice": {
"message": "Lejupielādēt rēķinu"
},
"verifyBankAccount": {
"message": "Apstiprināt bankas kontu"
},
"verifyBankAccountDesc": {
"message": "Bankas kontā ir veiktas divas niecīga apjoma iemaksas (var būt nepieciešama 1 - 2 darba dienas, līdz tās tiks saņemtas). Šie daudzumi ir jāievada, lai apstiprinātu bankas kontu."
},
"verifyBankAccountInitialDesc": {
"message": "Apmaksa no bankas konta ir pieejama tikai Amerikas Savienoto Valstu klientiem. Būs nepieciešams apstiprināt bankas kontu. Tiks veiktas divas niecīga apjoma iemaksas nākamās 1 - 2 darba dienu laikā. To apjoms būs jāievada apvienības norēķinu sadaļā, lai apstiprinātu bankas kontu."
},
"verifyBankAccountFailureWarning": {
"message": "Ja neizdosies apstiprināt bankas kontu, tiks kavēts maksājums, un abonements tiks atspējots."
},
"verifiedBankAccount": {
"message": "Bankas konts tika apstiprināts."
},
"bankAccount": {
"message": "Bankas konts"
},
"amountX": {
"message": "Summa $COUNT$",
"description": "Used in bank account verification of micro-deposits. Amount, as in a currency amount. Ex. Amount 1 is $2.00, Amount 2 is $1.50",
"placeholders": {
"count": {
"content": "$1",
"example": "1"
}
}
},
"routingNumber": {
"message": "Maršrutēšanas numurs",
"description": "Bank account routing number"
},
"accountNumber": {
"message": "Konta numurs"
},
"accountHolderName": {
"message": "Konta īpašnieks vārds"
},
"bankAccountType": {
"message": "Konta veids"
},
"bankAccountTypeCompany": {
"message": "Uzņēmums (uzņēmējdarbība)"
},
"bankAccountTypeIndividual": {
"message": "Persona (personīgs)"
},
"enterInstallationId": {
"message": "Ievadīt uzstādīšanas ID"
},
"limitSubscriptionDesc": {
"message": "Uzstāda abonentu skaita ierobežojumu. Kad tas tiks sasniegts, nebūs iespējams uzaicināt jaunus lietotājus."
},
"maxSeatLimit": {
"message": "Lielākais iespējamais vietu skaits (var nenorādīt)",
"description": "Upper limit of seats to allow through autoscaling"
},
"maxSeatCost": {
"message": "Lielākā iespējamā vietas cena"
},
"addSeats": {
"message": "Pievienot vietas",
"description": "Seat = User Seat"
},
"removeSeats": {
"message": "Noņemt vietas",
"description": "Seat = User Seat"
},
"subscriptionDesc": {
"message": "Abonementa pielāgojumi izvērtīsies attiecīgās izmaiņās kopējā rēķinā. Ja jauno uzaicināto lietotāju skaits pārsniedz abonementu vietas, nekavējoties tiks veikts atbilstošs maksājums par papildu lietotājiem."
},
"subscriptionUserSeats": {
"message": "Pašreizējais abonements pieļaujamais lietotāju skaits ir līdz $COUNT$.",
"placeholders": {
"count": {
"content": "$1",
"example": "50"
}
}
},
"limitSubscription": {
"message": "Ierobežot abonēšanu (pēc izvēles)"
},
"subscriptionSeats": {
"message": "Abonementu skaits"
},
"subscriptionUpdated": {
"message": "Abonements atjaunināts"
},
"additionalOptions": {
"message": "Papildu iespējas"
},
"additionalOptionsDesc": {
"message": "Papildu palīdzības saņemšanai abonementa pārvaldībā lūgums sazināties ar klientu atbalstu."
},
"subscriptionUserSeatsUnlimitedAutoscale": {
"message": "Abonementa pielāgojumi izvērtīsies attiecīgās izmaiņās kopējā rēķinā. Ja jauno uzaicināto lietotāju skaits pārsniedz abonementu vietas, nekavējoties tiks veikts atbilstošs maksājums par papildu lietotājiem."
},
"subscriptionUserSeatsLimitedAutoscale": {
"message": "Abonementa pielāgojumi izvērtīsies attiecīgās izmaiņās kopējā rēķinā. Ja jauno uzaicināto lietotāju skaits pārsniedz abonementu vietas, nekavējoties tiks veikts atbilstošs maksājums par papildu lietotājiem līdz tiks sasniegts $MAX$ vietu ierobežojums.",
"placeholders": {
"max": {
"content": "$1",
"example": "50"
}
}
},
"subscriptionFreePlan": {
"message": "Nevar uzaicināt vairāk kā $COUNT$ lietotāju(s) bez plāna paaugstināšanas.",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"subscriptionFamiliesPlan": {
"message": "Nevar uzaicināt vairāk kā $COUNT$ lietotāju(s) bez plāna paaugstināšanas. Lūgums sazināties ar klientu atbalstu, lai to izdarītu.",
"placeholders": {
"count": {
"content": "$1",
"example": "6"
}
}
},
"subscriptionSponsoredFamiliesPlan": {
"message": "Abonements pieļauj $COUNT$ lietotāju(s). Plānu ir apmaksāts un norēķinus veic ārēja apvienība.",
"placeholders": {
"count": {
"content": "$1",
"example": "6"
}
}
},
"subscriptionMaxReached": {
"message": "Abonementa pielāgojumi izvērtīsies attiecīgās izmaiņās kopējā rēķinā. Nav iespējams uzaicināt vairāk kā $COUNT$ lietotājus bez abonementu vietu skaita palielināšanas.",
"placeholders": {
"count": {
"content": "$1",
"example": "50"
}
}
},
"seatsToAdd": {
"message": "Vietas, ko pievienot"
},
"seatsToRemove": {
"message": "Vietas, ko noņemt"
},
"seatsAddNote": {
"message": "Lietotāju vietu pievienošana ietekmēs norēķinu kopējo apjomu, un uzreiz tiks veikta apmaksa ar norādīto maksājumu veidu. Pirmās apmaksas lielums būs atbilstošs atlikušajai pašreizējā norēķinu laika posma daļai."
},
"seatsRemoveNote": {
"message": "Lietotāju vietu mazināšana mainīs jūsu kopsummu, kas tiks atgriezta kā kredīti nākamai norēķinu apmaksai."
},
"adjustedSeats": {
"message": "Pielāgota(s) $AMOUNT$ lietotāju vieta(s).",
"placeholders": {
"amount": {
"content": "$1",
"example": "15"
}
}
},
"keyUpdated": {
"message": "Atslēga atjaunināta"
},
"updateKeyTitle": {
"message": "Atjaunināt atslēgu"
},
"updateEncryptionKey": {
"message": "Atjaunināt šifrēšanas atslēgu"
},
"updateEncryptionKeyShortDesc": {
"message": "Pašreiz tiek izmantots novecojis šifrēšanas veids."
},
"updateEncryptionKeyDesc": {
"message": "Tiek izmantotas garākas šifrēšanas atslēgas, kas nodrošina labāku drošību un piekļuvi jaunākām iespējām. Šifrēšanas atslēgas atjaunināšana ir ātra un vienkārša. Zemāk ir tikai jāievada galvenā parole. Ar laiku šis atjauninājums kļūs nepieciešams."
},
"updateEncryptionKeyWarning": {
"message": "Pēc šifrēšanas atslēgas atjaunināšanas ir nepieciešams izrakstīties un tad pierakstīties visās Bitwarden lietotnēs, kas pašreiz tiek izmantotas (piemēram, tālruņa lietotnē vai pārlūku paplašinājumā). Ja tas netiks darīts (tā tiek lejupielādēta jaunā šifrēšanas atslēga), dati var tikt bojāti. Tiks veikts automātiskās izrakstīšanās mēģinājums, tomēr tas var notikt ar aizkavi."
},
"updateEncryptionKeyExportWarning": {
"message": "Arī katra šifrētā izguve, kas ir saglabāta, kļūs nederīga."
},
"subscription": {
"message": "Abonements"
},
"loading": {
"message": "Ielādē"
},
"upgrade": {
"message": "Uzlabot"
},
"upgradeOrganization": {
"message": "Uzlabot apvienību"
},
"upgradeOrganizationDesc": {
"message": "Šī iespēja nav pieejama bezmaksas apvienībām. Maksas plāna izvēle sniedz plašākas iespējas."
},
"createOrganizationStep1": {
"message": "Apvienības izveidošana: 1. solis"
},
"createOrganizationCreatePersonalAccount": {
"message": "Pirms apvienības izveidošanas, vispirms ir nepieciešams izveidot bezmaksas personīgo kontu."
},
"refunded": {
"message": "Atmaksa veikta"
},
"nothingSelected": {
"message": "Nekas nav atlasīts."
},
"acceptPolicies": {
"message": "Atzīmējot šo rūtiņu, Tu piekrīti sekojošajam:"
},
"acceptPoliciesError": {
"message": "Nav pieņemti izmantošanas nosacījumi un privātuma politika."
},
"termsOfService": {
"message": "Izmantošanas nosacījumi"
},
"privacyPolicy": {
"message": "Privātuma nosacījumi"
},
"filters": {
"message": "Atlases"
},
"vaultTimeout": {
"message": "Glabātavas noildze"
},
"vaultTimeoutDesc": {
"message": "Izvēlēties, kad glabātavai iestāsies noildze un tiks izpildīta atlasītā darbība."
},
"oneMinute": {
"message": "1 minūte"
},
"fiveMinutes": {
"message": "5 minūtes"
},
"fifteenMinutes": {
"message": "15 minūtes"
},
"thirtyMinutes": {
"message": "30 minūtes"
},
"oneHour": {
"message": "1 stunda"
},
"fourHours": {
"message": "4 stundas"
},
"onRefresh": {
"message": "Pēc pārlūka pārlādes"
},
"dateUpdated": {
"message": "Atjaunināts",
"description": "ex. Date this item was updated"
},
"datePasswordUpdated": {
"message": "Parole atjaunināta",
"description": "ex. Date this password was updated"
},
"organizationIsDisabled": {
"message": "Apvienība ir atspējota."
},
"licenseIsExpired": {
"message": "Ir beidzies licences izmantošanas laiks."
},
"updatedUsers": {
"message": "Lietotāji atjaunināti"
},
"selected": {
"message": "Atlasīts"
},
"ownership": {
"message": "Īpašumtiesības"
},
"whoOwnsThisItem": {
"message": "Kam pieder šis vienums?"
},
"strong": {
"message": "Spēcīga",
"description": "ex. A strong password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"good": {
"message": "Laba",
"description": "ex. A good password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"weak": {
"message": "Vāja",
"description": "ex. A weak password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"veryWeak": {
"message": "Ļoti vāja",
"description": "ex. A very weak password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"weakMasterPassword": {
"message": "Vāja galvenā parole"
},
"weakMasterPasswordDesc": {
"message": "Izvēlētā galvenā parole ir vāja. Ir ieteicams izmantot spēcīgu galveno paroli (vai paroles vārdu salikumu), lai pienācīgi aizsargātu Bitwarden kontu. Vai tiešām izmanto šo galveno paroli?"
},
"rotateAccountEncKey": {
"message": "Mainīt arī konta šifrēšanas atslēgu"
},
"rotateEncKeyTitle": {
"message": "Mainīt šifrēšanas atslēgu"
},
"rotateEncKeyConfirmation": {
"message": "Vai tiešām mainīt konta šifrēšanas atslēgu?"
},
"attachmentsNeedFix": {
"message": "Šim vienumam ir veci datņu pielikumi, kas ir jāsalabo."
},
"attachmentFixDesc": {
"message": "Šis ir vecs datnes pielikums, kas ir jāsalabo. Klikšķināt, lai uzzinātu vairāk."
},
"fix": {
"message": "Salabot",
"description": "This is a verb. ex. 'Fix The Car'"
},
"oldAttachmentsNeedFixDesc": {
"message": "Glabātavā atrodas veci datņu pielikumi, kas ir jāsalabo, pirms tiek veikta konta šifrēšanas atslēgu maiņa."
},
"yourAccountsFingerprint": {
"message": "Konta atpazīšanas vārdkopa",
"description": "A 'fingerprint phrase' is a unique word phrase (similar to a passphrase) that a user can use to authenticate their public key with another user, for the purposes of sharing."
},
"fingerprintEnsureIntegrityVerify": {
"message": "Lai pārliecinātos par šifrēšanas atslēgu neskartību, lūgums pirms turpināšanas pārbaudīt lietotāja atpazīšanas vārdkopu.",
"description": "A 'fingerprint phrase' is a unique word phrase (similar to a passphrase) that a user can use to authenticate their public key with another user, for the purposes of sharing."
},
"dontAskFingerprintAgain": {
"message": "Vairs nevaicāt pārbaudīt atpazīšanas vārdkopu",
"description": "A 'fingerprint phrase' is a unique word phrase (similar to a passphrase) that a user can use to authenticate their public key with another user, for the purposes of sharing."
},
"free": {
"message": "Bezmaksas",
"description": "Free, as in 'Free beer'"
},
"apiKey": {
"message": "API atslēga"
},
"apiKeyDesc": {
"message": "API atslēga var tikt izmantota, lai autentificētos Bitwarden publiskā API izmantošanai."
},
"apiKeyRotateDesc": {
"message": "API atslēgas mainīšana padarīs nederīgu iepriekšējo. Pašreizējo API atslēgu var mainīt, ja ir aizdomas, ka tā vairs nav droša izmantošanai."
},
"apiKeyWarning": {
"message": "API atslēga nodrošina pilnīgu piekļuvi apvienībai. To vajadzētu glabāt noslēpumā."
},
"userApiKeyDesc": {
"message": "API atslēga var tikt izmantota, lai autentificētos Bitwarden CLI."
},
"userApiKeyWarning": {
"message": "API atslēga ir papildus autentificēšanās risinājums. To vajadzētu glabāt noslēpumā."
},
"oauth2ClientCredentials": {
"message": "OAuth 2.0 klienta akreditācijas dati",
"description": "'OAuth 2.0' is a programming protocol. It should probably not be translated."
},
"viewApiKey": {
"message": "Skatīt API atslēgu"
},
"rotateApiKey": {
"message": "Mainīt API atslēgu"
},
"selectOneCollection": {
"message": "Ir jāizvēlas vismaz viens krājums."
},
"couldNotChargeCardPayInvoice": {
"message": "Nebija iespējams veikt apmaksu ar norādīto karti. Lūgums apskatīt un apmaksāt zemāk norādīto rēķinu."
},
"inAppPurchase": {
"message": "Pirkšana lietotnē"
},
"cannotPerformInAppPurchase": {
"message": "Šī darbība nevar tikt veikta, izmantojot pirkšana lietotnē apmaksas veidu."
},
"manageSubscriptionFromStore": {
"message": "Abonements ir jāpārvalda veikalā, kurā tika veikts pirkums lietotnē."
},
"minLength": {
"message": "Mazākais pieļaujamais garums"
},
"clone": {
"message": "Pavairot"
},
"masterPassPolicyDesc": {
"message": "Uzstādīt galvenās paroles stipruma mazākās izpildāmās prasības."
},
"twoStepLoginPolicyDesc": {
"message": "Pieprasīt lietotājiem uzstādīt divpakāpju pierakstīšanos personīgajiem kontiem."
},
"twoStepLoginPolicyWarning": {
"message": "Apvienības dalībnieki, kuri nav īpašnieki vai pārvaldītāji un kuriem nav iespējota divpakāpju pierakstīšanās personīgajam kontam, tiks noņemti, un viņiem tiks nosūtīts e-pasta ziņojums par izmaiņām."
},
"twoStepLoginPolicyUserWarning": {
"message": "Tu esi apvienību, kas pieprasa lietotāju kontā iespējot divpakāpju pierakstīšanos, dalībnieks. Ja tiks atspējoti visi divpakāpju pierakstīšanās nodrošinātāji, Tu automātiski tiksi noņemts šīm apvienībām."
},
"passwordGeneratorPolicyDesc": {
"message": "Uzstādīt paroļu veidotāja uzstādījumu mazākās izpildāmās prasības."
},
"passwordGeneratorPolicyInEffect": {
"message": "Viens vai vairāki apvienības nosacījumi ietekmē veidotāja iestatījumus."
},
"masterPasswordPolicyInEffect": {
"message": "Vienā vai vairākos apvienības nosacījumos ir norādīts, ka galvenajai parolei ir jāatbilst šādām prasībām:"
},
"policyInEffectMinComplexity": {
"message": "Mazākais pieļaujamais sarežģītības novērtējums ir $SCORE$",
"placeholders": {
"score": {
"content": "$1",
"example": "4"
}
}
},
"policyInEffectMinLength": {
"message": "Mazākais pieļaujamais garums ir $LENGTH$",
"placeholders": {
"length": {
"content": "$1",
"example": "14"
}
}
},
"policyInEffectUppercase": {
"message": "Satur vienu vai vairākus lielos burtus"
},
"policyInEffectLowercase": {
"message": "Satur vienu vai vairākus mazos burtus"
},
"policyInEffectNumbers": {
"message": "Satur vienu vai vairākus ciparus"
},
"policyInEffectSpecial": {
"message": "Satur vienu vai vairākas no šīm īpašajām rakstzīmēm: $CHARS$",
"placeholders": {
"chars": {
"content": "$1",
"example": "!@#$%^&*"
}
}
},
"masterPasswordPolicyRequirementsNotMet": {
"message": "Jaunā galvenā parole neatbilst nosacījumu prasībām."
},
"minimumNumberOfWords": {
"message": "Mazākais pieļaujamais vārdu skaits"
},
"defaultType": {
"message": "Noklusējuma veids"
},
"userPreference": {
"message": "Lietotāja izvēle"
},
"vaultTimeoutAction": {
"message": "Glabātavas noildzes darbība"
},
"vaultTimeoutActionLockDesc": {
"message": "Ir nepieciešams atkārtoti ievadīt galveno paroli, lai piekļūt aizslēgtai glabātavai."
},
"vaultTimeoutActionLogOutDesc": {
"message": "Pēc izrakstīšanās no glabātavas ir nepieciešams tai pieslēgties atkārtoti."
},
"lock": {
"message": "Aizslēgt",
"description": "Verb form: to make secure or inaccesible by"
},
"trash": {
"message": "Atkritne",
"description": "Noun: A special folder for holding deleted items that have not yet been permanently deleted"
},
"searchTrash": {
"message": "Meklēt atkritnē"
},
"permanentlyDelete": {
"message": "Neatgriezeniski izdzēst"
},
"permanentlyDeleteSelected": {
"message": "Neatgriezeniski izdzēst atlasīto"
},
"permanentlyDeleteItem": {
"message": "Neatgriezeniski izdzēst vienumu"
},
"permanentlyDeleteItemConfirmation": {
"message": "Vai tiešām neatgriezeniski izdzēst šo vienumu?"
},
"permanentlyDeletedItem": {
"message": "Vienums neatgriezeniski izdzēsts"
},
"permanentlyDeletedItems": {
"message": "Vienum neatgriezeniski izdzēsti"
},
"permanentlyDeleteSelectedItemsDesc": {
"message": "Neatgriezeniskai izdzēšanai ir atlasīts(i) $COUNT$ vienums(i). Vai tiešām izdzēst tos visus?",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"permanentlyDeletedItemId": {
"message": "Vienums $ID$ neatgriezeniski izdzēsts.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"restore": {
"message": "Atjaunot"
},
"restoreSelected": {
"message": "Atjaunot atlasīto"
},
"restoreItem": {
"message": "Atjaunot vienumu"
},
"restoredItem": {
"message": "Vienums atjaunots"
},
"restoredItems": {
"message": "Vienumi atjaunoti"
},
"restoreItemConfirmation": {
"message": "Vai tiešām atjaunot šo vienumu?"
},
"restoreItems": {
"message": "Atjaunot vienumus"
},
"restoreSelectedItemsDesc": {
"message": "Atjaunošanai ir atlasīts(i) $COUNT$ vienums(i). Vai tiešām atjaunot tos visus?",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"restoredItemId": {
"message": "Vienums $ID$ atjaunots.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"vaultTimeoutLogOutConfirmation": {
"message": "Izrakstīšanās noņems piekļuvi glabātavai un pieprasa tiešsaistes pierakstīšanos pēc noildzes laika. Vai tiešām izmantot šo iestatījumu?"
},
"vaultTimeoutLogOutConfirmationTitle": {
"message": "Noildzes darbības apstiprināšana"
},
"hidePasswords": {
"message": "Slēpt paroles"
},
"countryPostalCodeRequiredDesc": {
"message": "Šī informācija ir nepieciešama tikai tirdzniecības nodokļa aprēķināšanai un finanšu atskaitēm."
},
"includeVAT": {
"message": "Iekļaut VAT/GST informāciju (nav nepieciešama)"
},
"taxIdNumber": {
"message": "VAT/GST nodokļu maksātāja numurs"
},
"taxInfoUpdated": {
"message": "Nodokļu informācija atjaunināta."
},
"setMasterPassword": {
"message": "Uzstādīt galveno paroli"
},
"ssoCompleteRegistration": {
"message": "Lai pabeigtu vienotās pieteikšanās uzstādīšanu, ir jānorāda galvenā parole, lai piekļūtu glabātavai un aizsargātu to."
},
"identifier": {
"message": "Identifikators"
},
"organizationIdentifier": {
"message": "Apvienības identifikators"
},
"ssoLogInWithOrgIdentifier": {
"message": "Pierakstīties, izmantojot apvienības vienotās pieteikšanās portālu. Lūgums ievadīt apvienības identifikatoru, lai sāktu."
},
"enterpriseSingleSignOn": {
"message": "Uzņēmuma vienotā pierakstīšanās"
},
"ssoHandOff": {
"message": "Šo cilni tagad var aizvērt un turpināt paplašinājumā."
},
"includeAllTeamsFeatures": {
"message": "Visas vienību iespējas, kā arī:"
},
"includeSsoAuthentication": {
"message": "Vienotā autentificēšanās ar SAML 2.0 un OpenID Connect"
},
"includeEnterprisePolicies": {
"message": "Uzņēmuma nosacījumi"
},
"ssoValidationFailed": {
"message": "SSO pārbaude neizdevās"
},
"ssoIdentifierRequired": {
"message": "Ir nepieciešams apvienības identifikators."
},
"unlinkSso": {
"message": "Atsaistīt SSO"
},
"unlinkSsoConfirmation": {
"message": "Vai tiešām atsaistīt vienoto pieteikšanos šai apvienībai?"
},
"linkSso": {
"message": "Piesaistīt SSO"
},
"singleOrg": {
"message": "Viena vienīga apvienība"
},
"singleOrgDesc": {
"message": "Ierobežo lietotāju iespēju pievienoties citām apvienībām."
},
"singleOrgBlockCreateMessage": {
"message": "Tavā pašreizējā apvienībā ir nosacījums, kas neļauj pievienoties vairāk kā vienai. Lūdzu, sazinies ar savas apvienības pārvaldniekiem vai piesakies no cita Bitwarden konta!"
},
"singleOrgPolicyWarning": {
"message": "Apvienības dalībnieki, kas nav īpašnieki vai pārvaldītāji un jau ir dalībnieki citā apvienībā, tiks atbrīvoti."
},
"requireSso": {
"message": "Vienotās pieteikšanās autentificēšana"
},
"requireSsoPolicyDesc": {
"message": "Norāda, ka lietotājiem ir jāpierakstās ar uzņēmuma vienoto pieteikšanos."
},
"prerequisite": {
"message": "Priekšnosacījumi"
},
"requireSsoPolicyReq": {
"message": "Vienas vienīgas apvienības uzņēmuma nosacījumiem ir jābūt iespējotai pirms šī nosacījuma uzstādīšanas."
},
"requireSsoPolicyReqError": {
"message": "Vienas vienīgas apvienības nosacījumi nav iespējoti."
},
"requireSsoExemption": {
"message": "Uz apvienības īpašniekiem un pārvaldītājiem neattiecas šīs nosacījumu kopas piemērošana."
},
"sendTypeFile": {
"message": "Datne"
},
"sendTypeText": {
"message": "Teksts"
},
"createSend": {
"message": "Izveidot jaunu \"Send\"",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"editSend": {
"message": "Labot \"Send\"",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"createdSend": {
"message": "\"Send\" izveidots",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"editedSend": {
"message": "\"Send\" labots",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deletedSend": {
"message": "\"Send\" izdzēsts",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deleteSend": {
"message": "Dzēst \"Send\"",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deleteSendConfirmation": {
"message": "Vai tiešām izdzēst šo \"Send\"?",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"whatTypeOfSend": {
"message": "Kāds veids ir šim \"Send\"?",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deletionDate": {
"message": "Dzēšanas datums"
},
"deletionDateDesc": {
"message": "\"Send\" tiks pastāvīgi izdzēsts norādītajā dienā un laikā.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"expirationDate": {
"message": "Derīguma beigu datums"
},
"expirationDateDesc": {
"message": "Ja uzstādīts, piekļuve šim \"Send\" beigsies norādītajā dienā un laikā.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"maxAccessCount": {
"message": "Lielākais pieļaujamais piekļuvju skaits"
},
"maxAccessCountDesc": {
"message": "Ja uzstādīts, lietotāji nevarēs piekļūt šim \"Send\", kad tiks sasniegts lielākais pieļaujamais piekļūšanas reižu skaits.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"currentAccessCount": {
"message": "Pašreizējais piekļuvju skaits"
},
"sendPasswordDesc": {
"message": "Pēc izvēles pieprasīt lietotājiem paroli, lai viņi varētu piekļūt šim \"Send\".",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendNotesDesc": {
"message": "Personīgās piezīmes par šo \"Send\".",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"disabled": {
"message": "Atspējots"
},
"sendLink": {
"message": "\"Send\" saite",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"copySendLink": {
"message": "Ievietot \"Send\" saiti starpliktuvē",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"removePassword": {
"message": "Noņemt paroli"
},
"removedPassword": {
"message": "Parole noņemta"
},
"removePasswordConfirmation": {
"message": "Vai tiešām noņemt paroli?"
},
"hideEmail": {
"message": "Slēpt e-pasta adresi no saņēmējiem."
},
"disableThisSend": {
"message": "Atspējot šo \"Send\", lai neviens tam nevarētu piekļūt.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"allSends": {
"message": "Visi \"Send\""
},
"maxAccessCountReached": {
"message": "Sasniegts lielākais pieļaujamais piekļuvju skaits",
"description": "This text will be displayed after a Send has been accessed the maximum amount of times."
},
"pendingDeletion": {
"message": "Gaida dzēšanu"
},
"expired": {
"message": "Beidzies izmantošanas laiks"
},
"searchSends": {
"message": "Meklēt \"Send\"",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendProtectedPassword": {
"message": "Šis \"Send\" ir aizsargāts ar paroli. Lūgums ievadīt paroli, lai varētu turpināt.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendProtectedPasswordDontKnow": {
"message": "Nezini paroli? Vaicā to sūtītājam, lai varētu piekļūt šim \"Send\"!",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendHiddenByDefault": {
"message": "Šis \"Send\" pēc noklusējuma ir paslēpts. Tā redzamību var pārslēgt ar zemāk esošo pogu.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"downloadFile": {
"message": "Lejupielādēt datni"
},
"sendAccessUnavailable": {
"message": "\"Send\", kam mēģini piekļūt, nepastāv vai arī nav vairs pieejams.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"missingSendFile": {
"message": "Ar šo \"Send\" saistīto datni nevarēja atrast.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"noSendsInList": {
"message": "Nav \"Send\", ko parādīt.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"emergencyAccess": {
"message": "Ārkārtas piekļuve"
},
"emergencyAccessDesc": {
"message": "Nodrošināt un pārvaldīt ārkārtas piekļuvi uzticamām kontaktpersonām. Tās var pieprasīt piekļuvi vai nu skatīt, vai arī pārņemt kontu ārkārtas gadījumā. Mūsu palīdzības lapā var uzzināt vairāk par to, kā darbojas bezzināšanu kopīgošana."
},
"emergencyAccessOwnerWarning": {
"message": "Tu esi vienas vai vairāku apvienību īpašnieks. Ja sniegsi pārņemšanas piekļuvi ārkārtas kontaktpersonām, tās arī varēs izmantot visas īpašnieka tiesības pēc pārņemšanas."
},
"trustedEmergencyContacts": {
"message": "Uzticamas ārkārtas kontaktpersonas"
},
"noTrustedContacts": {
"message": "Vēl nav pievienots neviena ārkārtas kontaktpersona. Uzaicini kādu, lai uzsāktu!"
},
"addEmergencyContact": {
"message": "Pievienot ārkārtas kontaktpersonu"
},
"designatedEmergencyContacts": {
"message": "Norādīta kā ārkārtas kontaktpersona"
},
"noGrantedAccess": {
"message": "Tu vēl neesi norādīts kā kāda ārkārtas kontaktpersona."
},
"inviteEmergencyContact": {
"message": "Uzaicināt ārkārtas kontaktpersonu"
},
"editEmergencyContact": {
"message": "Labot ārkārtas kontaktpersonu"
},
"inviteEmergencyContactDesc": {
"message": "Uzaicināt jaunu ārkārtas kontaktpersonu, norādot tās Bitwarden konta e-pasta adresi zemāk esošajā ievades laukā. Ja kontaktpersonai vēl nav Bitwarden konta, tai tiks vaicāts izveidot jaunu."
},
"emergencyAccessRecoveryInitiated": {
"message": "Uzsākta ārkārtas piekļuve"
},
"emergencyAccessRecoveryApproved": {
"message": "Ārkārtas piekļuve apstiprināta"
},
"viewDesc": {
"message": "Var apskatīt visus glabātavas vienumus."
},
"takeover": {
"message": "Pārņemšana"
},
"takeoverDesc": {
"message": "Var atiestatīt kontu ar jaunu galveno paroli."
},
"waitTime": {
"message": "Gaidīšanas laiks"
},
"waitTimeDesc": {
"message": "Nepieciešamais laiks, pirms automātiski atļaut piekļuvi."
},
"oneDay": {
"message": "1 diena"
},
"days": {
"message": "$DAYS$ dienas",
"placeholders": {
"days": {
"content": "$1",
"example": "1"
}
}
},
"invitedUser": {
"message": "Lietotājs uzaicināts."
},
"acceptEmergencyAccess": {
"message": "Tu esi uzaicināts kļūt par ārkārtas kontaktpersonu augstāk norādītajam lietotājam. Lai apstiprinātu uzaicinājumu, ir nepieciešams pierakstīties vai izveidot jaunu Bitwarden kontu."
},
"emergencyInviteAcceptFailed": {
"message": "Nav iespējams apstiprināt uzaicinājumu. Lūdz lietotājam nosūtīt jaunu!"
},
"emergencyInviteAcceptFailedShort": {
"message": "Nav iespējams apstiprināt uzaicinājumu. $DESCRIPTION$",
"placeholders": {
"description": {
"content": "$1",
"example": "You must enable 2FA on your user account before you can join this organization."
}
}
},
"emergencyInviteAcceptedDesc": {
"message": "Šī lietotāja ārkārtas iespējas būs pieejamas pēc tam, kad būs apliecināta Tava identitāte. Tiks nosūtīts e-pasta paziņojums, kad tas notiks."
},
"requestAccess": {
"message": "Pieprasīt piekļuvi"
},
"requestAccessConfirmation": {
"message": "Vai tiešām pieprasīt ārkārtas piekļuvi? Tā tiks nodrošināta pēc $WAITTIME$ dienas(ām) vai pēc tam, kad lietotājs apstiprinās pieprasījumu.",
"placeholders": {
"waittime": {
"content": "$1",
"example": "1"
}
}
},
"requestSent": {
"message": "Ārkārtas piekļuve ir pieprasīta lietotājam $USER$. Tiks nosūtīts e-pasta paziņojums, kad būs iespējams turpināt.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"approve": {
"message": "Apstiprināt"
},
"reject": {
"message": "Noraidīt"
},
"approveAccessConfirmation": {
"message": "Vai tiešām apstiprināt ārkārtas piekļuvi? Tā ļaus lietotājam $USER$ Tavā kontā veikt šādas darbības: $ACTION$.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
},
"action": {
"content": "$2",
"example": "View"
}
}
},
"emergencyApproved": {
"message": "Ārkārtas piekļuve apstiprināta."
},
"emergencyRejected": {
"message": "Ārkārtas piekļuve noraidīta"
},
"passwordResetFor": {
"message": "Parole atiestatīta lietotājam $USER$. Tagad var pierakstīties ar jauno paroli.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"personalOwnership": {
"message": "Personīgās īpašumtiesības"
},
"personalOwnershipPolicyDesc": {
"message": "Pieprasa lietotājus piesaistīt glabātavas vienumus apvienībai, noņemot personīgo īpašumtiesību iespēju."
},
"personalOwnershipExemption": {
"message": "Uz apvienības īpašniekiem un pārvaldītājiem neattiecas šīs nosacījumu kopas piemērošana."
},
"personalOwnershipSubmitError": {
"message": "Uzņēmuma nosacījumi liedz saglabāt vienumus privātajā glabātavā. Ir jānorāda piederība apvienībai un jāizvēlas kāds no pieejamajiem krājumiem."
},
"disableSend": {
"message": "Atspējot \"Send\""
},
"disableSendPolicyDesc": {
"message": "Neļaut lietotājiem izveidot vai labot Bitwarden \"Send\". Esošu \"Send\" dzēšana joprojām ir iespējama.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"disableSendExemption": {
"message": "Apvienību lietotāji, kas var pārvaldīt apvienības nosacījumu kopas, nav pakļauti šīs nosacījumu kopas piemērošanai."
},
"sendDisabled": {
"message": "\"Send\" atspējots",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendDisabledWarning": {
"message": "Uzņēmuma nosacījumu kopas dēļ ir tikai iespējams dzēst esošu \"Send\".",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptions": {
"message": "\"Send\" iestatījumi",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsPolicyDesc": {
"message": "Uzstādīt iestatījumus \"Send\" izveidošanai un labošanai.",
"description": "'Sends' is a plural noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsExemption": {
"message": "Apvienību lietotāji, kas var pārvaldīt apvienības nosacījumu kopas, nav pakļauti šīs nosacījumu kopas piemērošanai."
},
"disableHideEmail": {
"message": "Neļaut lietotājiem slēpt e-pasta adresi no saņēmējiem, kad tiek izveidots vai labots \"Send\".",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsPolicyInEffect": {
"message": "Ir spēkā zemāk uzskaitītie apvienības nosacījumi:"
},
"sendDisableHideEmailInEffect": {
"message": "Lietotājiem nav ļauts slēpt e-pasta adresi no saņēmējiem, kad tiek izveidots vai labots \"Send\".",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"modifiedPolicyId": {
"message": "Nosacījums $ID$ izmainīts.",
"placeholders": {
"id": {
"content": "$1",
"example": "Master Password"
}
}
},
"planPrice": {
"message": "Plāna cena"
},
"estimatedTax": {
"message": "Aptuvenais nodokļa aprēķins"
},
"custom": {
"message": "Pielāgots"
},
"customDesc": {
"message": "Nodrošina izvērstāku lietotāju tiesību pārvaldību sarežģītākos uzstādījumos."
},
"permissions": {
"message": "Atļaujas"
},
"accessEventLogs": {
"message": "Piekļūt notikumu žurnāla ierakstiem"
},
"accessImportExport": {
"message": "Piekļūt ievietošanai/izgūšanai"
},
"accessReports": {
"message": "Piekļūt atskaitēm"
},
"missingPermissions": {
"message": "Trūkst nepieciešamo atļauju, lai veiktu šo darbību."
},
"manageAllCollections": {
"message": "Pārvaldīt visus krājumus"
},
"createNewCollections": {
"message": "Izvaidot jaunus krājumus"
},
"editAnyCollection": {
"message": "Labot jebkuru krājumu"
},
"deleteAnyCollection": {
"message": "Izdzēst jebkuru kolekciju"
},
"manageAssignedCollections": {
"message": "Pārvaldīt norīkotos krājumus"
},
"editAssignedCollections": {
"message": "Labot norīkotos krājumus"
},
"deleteAssignedCollections": {
"message": "Izdzēst norīkotos krājumus"
},
"manageGroups": {
"message": "Pārvaldīt kopas"
},
"managePolicies": {
"message": "Pārvaldīt nosacījumus"
},
"manageSso": {
"message": "Pārvaldīt vienoto pieteikšanos"
},
"manageUsers": {
"message": "Pārvaldīt lietotājus"
},
"manageResetPassword": {
"message": "Pārvaldīt paroles atiestatīšanu"
},
"disableRequiredError": {
"message": "Vispirms pašrocīgi ir jāatspējo nosacījums $POLICYNAME$, lai varētu atspējot šo.",
"placeholders": {
"policyName": {
"content": "$1",
"example": "Single Sign-On Authentication"
}
}
},
"personalOwnershipPolicyInEffect": {
"message": "Apvienības nosacījumi ietekmē Tavas īpašumtiesību iespējas."
},
"personalOwnershipPolicyInEffectImports": {
"message": "Apvienības nosacījums neļauj ievietot ārējos vienumus personīgajā glabātavā."
},
"personalOwnershipCheckboxDesc": {
"message": "Atspējot personīgās īpašumtiesības apvienības lietotājiem"
},
"textHiddenByDefault": {
"message": "Kad piekļūst šim \"Send\", pēc noklusējuma paslēpt saturu",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendNameDesc": {
"message": "Lasāms nosaukums, kas apraksta šo \"Send\".",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendTextDesc": {
"message": "Teksts, kuru ir vēlme nosūtīt."
},
"sendFileDesc": {
"message": "Datne, kuru ir vēlme nosūtīt."
},
"copySendLinkOnSave": {
"message": "Saglabājot ievietot šī \"Send\" saiti starpliktuvē."
},
"sendLinkLabel": {
"message": "\"Send\" saite",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"send": {
"message": "\"Send\"",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendAccessTaglineProductDesc": {
"message": "Bitwarden \"Send\" vienkārši un droši pārsūta citiem slepenu un īslaicīgu informāciju.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendAccessTaglineLearnMore": {
"message": "Uzzināt vairāk par",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read '**Learn more about** Bitwarden Send or sign up to try it today.'"
},
"sendVaultCardProductDesc": {
"message": "Tieša teksta vai datņu kopīgošana ar jebkuru."
},
"sendVaultCardLearnMore": {
"message": "Uzzināt vairāk",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read '**Learn more**, see how it works, or try it now. '"
},
"sendVaultCardSee": {
"message": "skatīt",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more, **see** how it works, or try it now.'"
},
"sendVaultCardHowItWorks": {
"message": ", kā tas darbojas",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more, see **how it works**, or try it now.'"
},
"sendVaultCardOr": {
"message": "vai",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more, see how it works, **or** try it now.'"
},
"sendVaultCardTryItNow": {
"message": "izmēģināt tagad",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more, see how it works, or **try it now**.'"
},
"sendAccessTaglineOr": {
"message": "vai",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more about Bitwarden Send **or** sign up to try it today.'"
},
"sendAccessTaglineSignUp": {
"message": "pieteikties",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more about Bitwarden Send or **sign up** to try it today.'"
},
"sendAccessTaglineTryToday": {
"message": "izmēģinātu šodien.",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more about Bitwarden Send or sign up to **try it today.**'"
},
"sendCreatorIdentifier": {
"message": "Bitwarden lietotājs $USER_IDENTIFIER$ kopīgoja sekojošo",
"placeholders": {
"user_identifier": {
"content": "$1",
"example": "An email address"
}
}
},
"viewSendHiddenEmailWarning": {
"message": "Bitwarden lietotājs, kurš izveidoja šo \"Send\", ir izvēlējies slēpt savu e-pasta adresi. Ir jāpārliecinās par avota uzticamību, pirms tiek izmantots vai lejupielādēts tā saturs.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"expirationDateIsInvalid": {
"message": "Norādītais derīguma beigu datums nav derīgs."
},
"deletionDateIsInvalid": {
"message": "Norādītais dzēšanas datums nav derīgs."
},
"expirationDateAndTimeRequired": {
"message": "Ir jānorāda derīguma beigu datums un laiks."
},
"deletionDateAndTimeRequired": {
"message": "Ir jānorāda dzēšanas datums un laiks."
},
"dateParsingError": {
"message": "Atgadījās kļūda, saglabājot dzēšanas un derīguma beigu datumus."
},
"webAuthnFallbackMsg": {
"message": "Lai apstiprinātu 2FA, lūgums klikšķināt uz zemāk esošās pogas."
},
"webAuthnAuthenticate": {
"message": "Autentificēt WebAuthn"
},
"webAuthnNotSupported": {
"message": "WebAuthn šajā pārlūkā netiek atbalstīts."
},
"webAuthnSuccess": {
"message": "<strong>WebAuthn tika veiksmīgi apstiprināts.</strong><br>Šo cilni var aizvērt."
},
"hintEqualsPassword": {
"message": "Paroles norāde nedrīkst būt tāda pati kā parole."
},
"enrollPasswordReset": {
"message": "Pievienot paroles atiestatīšanās sarakstam"
},
"enrolledPasswordReset": {
"message": "Pievienots paroles atiestatīšanās sarakstam"
},
"withdrawPasswordReset": {
"message": "Izņemt no paroles atiestatīšanas saraksta"
},
"enrollPasswordResetSuccess": {
"message": "Pievienošana bija veiksmīga."
},
"withdrawPasswordResetSuccess": {
"message": "Izņemšana bija veiksmīga."
},
"eventEnrollPasswordReset": {
"message": "Lietotājs $ID$ tika pievienots paroles atiestatīšanas atbalsta sarakstam.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventWithdrawPasswordReset": {
"message": "Lietotājs $ID$ tika izņemts no paroles atiestatīšanas atbalsta saraksta.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventAdminPasswordReset": {
"message": "Lietotāja $ID$ galvenā parole tika atiestatīta.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventResetSsoLink": {
"message": "Atiestatīt vienotās pierakstīšānās saiti lietotājam $ID$",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"firstSsoLogin": {
"message": "$ID$ pirmo reizi pierakstījās izmantojot vienoto pieteikšanos",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"resetPassword": {
"message": "Atiestatīt paroli"
},
"resetPasswordLoggedOutWarning": {
"message": "Turpināšana izrakstīs $NAME$ no pašreizējās sesijas, un pēc tam būs nepieciešams pierakstīties. Citās ierīcēs darbojošās sesijas var būt spēkā līdz vienai stundai.",
"placeholders": {
"name": {
"content": "$1",
"example": "John Smith"
}
}
},
"thisUser": {
"message": "šo lietotāju"
},
"resetPasswordMasterPasswordPolicyInEffect": {
"message": "Vienā vai vairākos apvienības nosacījumos ir norādīts, ka galvenajai parolei ir jāatbilst šādām prasībām:"
},
"resetPasswordSuccess": {
"message": "Peroles atiestatīšana bija veiksmīga"
},
"resetPasswordEnrollmentWarning": {
"message": "Ievietošana sarakstā ļaus apvienības pārvaldniekiem mainīt galveno paroli. Vai tiešām ievietot sarakstā?"
},
"resetPasswordPolicy": {
"message": "Galvenās paroles atiestatīšana"
},
"resetPasswordPolicyDescription": {
"message": "Ļaut apvienības pārvaldniekiem atiestatīt lietotāju galveno paroli."
},
"resetPasswordPolicyWarning": {
"message": "Apvienības lietotājiem pašiem būs sevi jāievieto sarakstā vai viņiem jābūt automātiski ievietotiem sarakstā, pirms pārvaldnieki var atiestatīt galveno paroli."
},
"resetPasswordPolicyAutoEnroll": {
"message": "Automātiska ievietošana sarakstā"
},
"resetPasswordPolicyAutoEnrollDescription": {
"message": "Visi lietotāji tiks automātiski ievietoti paroles atiestatīšanas sarakstā, tiklīdz viņi apstiprinās uzaicinājumu."
},
"resetPasswordPolicyAutoEnrollWarning": {
"message": "Apvienībā jau esošie lietotāji netiks ar atpakaļejošu spēku ievietoti paroles atiestatīšanas sarakstā. Viņiem būs tas jāizdara pašiem, pirms pārvaldnieki varēs atiestatīt viņu galveno paroli."
},
"resetPasswordPolicyAutoEnrollCheckbox": {
"message": "Automātiski ievietot sarakstā jaunos lietotājus"
},
"resetPasswordAutoEnrollInviteWarning": {
"message": "Šajā apvienībā ir uzņēmuma nosacījums, kas automātiski ievieto lietotājus paroles atiestatīšanas sarakstā. Tas ļauj apvienības pārvaldniekiem mainīt lietotāju galveno paroli."
},
"resetPasswordOrgKeysError": {
"message": "Apvienības atslēgu atbilde ir `null`"
},
"resetPasswordDetailsError": {
"message": "Paroles atiestatīšanas informācijas atbilde ir `null`"
},
"trashCleanupWarning": {
"message": "Šifri, kas atkritnē atrodas vairāk nekā 30 dienas, tiks izdzēsti."
},
"trashCleanupWarningSelfHosted": {
"message": "Šifri, kas atkritnē atrodas jau kādu laika posmu, tiks izdzēsti."
},
"passwordPrompt": {
"message": "Galvenās paroles pārvaicāšana"
},
"passwordConfirmation": {
"message": "Galvenās paroles apstiprināšana"
},
"passwordConfirmationDesc": {
"message": "Šī darbība ir aizsargāta. Lai turpinātu, ir jāievada galvenā parole, lai apstiprinātu identitāti."
},
"reinviteSelected": {
"message": "Atkārtoti nosūtīt uzaicinājumus"
},
"noSelectedUsersApplicable": {
"message": "Šī darbība nav attiecināma uz nevienu no atlasītajiem lietotājiem."
},
"removeUsersWarning": {
"message": "Vai tiešām noņemt šos lietotājus? Tas var aizņemt dažas sekundes un nevar tikt pārtraukts vai atcelts."
},
"theme": {
"message": "Izskats"
},
"themeDesc": {
"message": "Izvēlēties tīmekļa glabātavas izskatu."
},
"themeSystem": {
"message": "Izmantot sistēmas izskatu"
},
"themeDark": {
"message": "Tumšs"
},
"themeLight": {
"message": "Gaišs"
},
"confirmSelected": {
"message": "Apstiprināt atlasīto"
},
"bulkConfirmStatus": {
"message": "Apjoma darbību stāvoklis"
},
"bulkConfirmMessage": {
"message": "Veiksmīgi apstiprināts."
},
"bulkReinviteMessage": {
"message": "Uzaicinājums veiksmīgi nosūtīts atkārtoti."
},
"bulkRemovedMessage": {
"message": "Veiksmīgi noņemts"
},
"bulkFilteredMessage": {
"message": "Nav iekļauts, tādēļ nav piemērojams šai darbībai."
},
"fingerprint": {
"message": "Pirkstu nospiedums"
},
"removeUsers": {
"message": "Noņemt lietotājus"
},
"error": {
"message": "Kļūda"
},
"resetPasswordManageUsers": {
"message": "Lietotāju pārvaldīšanai ir jābūt iespējotai arī ar paroļu atiestatīšanas pārvaldīšanas atļauju"
},
"setupProvider": {
"message": "Sniedzēja iestatīšana"
},
"setupProviderLoginDesc": {
"message": "Ir saņemts uzaicinājums iestatīt jaunu sniedzēju. Lai turpinātu, ir nepieciešams pierakstīties vai izveidot jaunu Bitwarden kontu."
},
"setupProviderDesc": {
"message": "Lūgums zemāk norādīt nepieciešamo, lai pabeigtu sniedzēja iestatīšanu. Jautājumu gadījumā jāsazinās ar klientu atbalstu."
},
"providerName": {
"message": "Sniedzēja nosaukums"
},
"providerSetup": {
"message": "Sniedzējs ir iestatīts."
},
"clients": {
"message": "Pasūtītāji"
},
"providerAdmin": {
"message": "Sniedzēja pārvaldnieks"
},
"providerAdminDesc": {
"message": "Augstākās piekļuves lietotājs, kurš var pilnībā pārvaldīt sniedzēju, kā arī piekļūt pasūtītāju apvienībām un tās pārvaldīt."
},
"serviceUser": {
"message": "Pakalpojuma lietotājs"
},
"serviceUserDesc": {
"message": "Apkalpes lietotāji var piekļūt visām pasūtītāju apvienībām un tās pārvaldīt."
},
"providerInviteUserDesc": {
"message": "Uziacināt jaunu sniedzēja lietotāju, zemāk esošajā laukā ievadot viņa Bitwarden konta e-pasta adresi. Ja viņam vēl nav Bitwarden konta, tiks vaicāts izveidot jaunu."
},
"joinProvider": {
"message": "Pievienoties sniedzējam"
},
"joinProviderDesc": {
"message": "Tu esi uzaicināts pievienoties augstāk norādītajam sniedzējam. Lai to pieņemtu, jāpierakstās vai jāizveido jauns Bitwarden konts."
},
"providerInviteAcceptFailed": {
"message": "Nav iespējams pieņemt uzaicinājumu. Jālūdz sniedzēja pārvaldniekam nosūtīt jaunu."
},
"providerInviteAcceptedDesc": {
"message": "Piekļūt sniedzējam būs iespējams, kad tās pārvaldnieks apstiprinās dalību. Tiks nosūtīts e-pasta ziņojums, kad tas notiks."
},
"providerUsersNeedConfirmed": {
"message": "Ir lietotāji, kas nav pieņēmuši uzaicinājumu, bet joprojām ir jāapstiprina. Lietotājiem nebūs piekļuves sniedzējam, līdz tie nebūs apstiprināti."
},
"provider": {
"message": "Sniedzējs"
},
"newClientOrganization": {
"message": "Jauna sniedzēja apvienība"
},
"newClientOrganizationDesc": {
"message": "Izveidot jaunu pasūtītāja apvienību, kas būs piesaistīta šim kontam kā sniedzējam. Tas nodrošinās iespēju piekļūt šai apvienībai un to pārvaldīt."
},
"addExistingOrganization": {
"message": "Pievienot esošo apvienību"
},
"myProvider": {
"message": "Mans sniedzējs"
},
"addOrganizationConfirmation": {
"message": "Vai tiešām pievienot $ORGANIZATION$ kā pasūtītāju $PROVIDER$?",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
},
"provider": {
"content": "$2",
"example": "My Provider Name"
}
}
},
"organizationJoinedProvider": {
"message": "Apvienība tika veiksmīgi pievienota sniedzējam"
},
"accessingUsingProvider": {
"message": "Piekļūst apvienībai ar sniedzēju $PROVIDER$",
"placeholders": {
"provider": {
"content": "$1",
"example": "My Provider Name"
}
}
},
"providerIsDisabled": {
"message": "Sniedzējs ir atspējots."
},
"providerUpdated": {
"message": "Sniedzējs atjaunināts"
},
"yourProviderIs": {
"message": "Tavs nodrošinātājs ir $PROVIDER$. Tam apvienībā ir pārvaldīšanas (tajā skaitā izmaksu) tiesības.",
"placeholders": {
"provider": {
"content": "$1",
"example": "My Provider Name"
}
}
},
"detachedOrganization": {
"message": "Apvienība $ORGANIZATION$ tika atdalīta no sniedzēja.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"detachOrganizationConfirmation": {
"message": "Vai tiešām atdalīt šo apvienību? Tā turpinās pastāvēt, bet to vairs nepārvaldīs sniedzējs."
},
"add": {
"message": "Pievienot"
},
"updatedMasterPassword": {
"message": "Galvenā parole atjaunināta"
},
"updateMasterPassword": {
"message": "Atjaunināt galveno paroli"
},
"updateMasterPasswordWarning": {
"message": "Apvienības pārvaldnieks nesen nomainīja galveno paroli. Lai piekļūtu glabātavai, tā ir jāatjaunina. Turpinot tiks izbeigta pašreizējā sesija un tiks pieprasīta atkārtota pierakstīšanās. Esošās sesijas citās iekārtās var turpināt darboties līdz vienai stundai."
},
"masterPasswordInvalidWarning": {
"message": "Galvenā parole neatbilst apvienības nosacījumu prasībām. Lai pievienotos apvienībai, ir nepieciešams atjaunināt galveno paroli. Turpinot notiks izrakstīšanās no pašreizējās sesijas, pieprasot atkal pierakstīties. Esošās sesijas citās iekārtās var turpināt darboties līdz vienai stundai."
},
"maximumVaultTimeout": {
"message": "Glabātavas noildze"
},
"maximumVaultTimeoutDesc": {
"message": "Uzstādīt lielāko iespējamo glabātavas noildzi visiem lietotājiem."
},
"maximumVaultTimeoutLabel": {
"message": "Lielākā iespējamā glabātavas noildze"
},
"invalidMaximumVaultTimeout": {
"message": "Nederīga lielākās iespējamās glabātavas noildzes vērtība."
},
"hours": {
"message": "Stundas"
},
"minutes": {
"message": "Minūtes"
},
"vaultTimeoutPolicyInEffect": {
"message": "Apvienības nosacījumi ietekmē glabātavas noildzi. Lielākā atļautā glabātavas noildze ir $HOURS$ stunda(s) un $MINUTES$ minūte(s)",
"placeholders": {
"hours": {
"content": "$1",
"example": "5"
},
"minutes": {
"content": "$2",
"example": "5"
}
}
},
"customVaultTimeout": {
"message": "Pielāgota glabātavas noildze"
},
"vaultTimeoutToLarge": {
"message": "Glabātavas noildze pāŗsniedz apvienības uzstādīto ierobežojumu."
},
"disablePersonalVaultExport": {
"message": "Atspējot personīgās glabātavas izgūšanu"
},
"disablePersonalVaultExportDesc": {
"message": "Aizliedz lietotājiem izgūt viņu personīgo glabātavu saturu."
},
"vaultExportDisabled": {
"message": "Glabātavas izgūšana ir atspējota"
},
"personalVaultExportPolicyInEffect": {
"message": "Viens vai vairāki apvienības nosacījumi neļauj izgūt privātās glabātavas saturu."
},
"selectType": {
"message": "Atlasīt vienotās pieteikšanās veidu"
},
"type": {
"message": "Veids"
},
"openIdConnectConfig": {
"message": "OpenID Connect uzstādījumi"
},
"samlSpConfig": {
"message": "SAML pakalpojuma nodrošinātāja uzstādījumi"
},
"samlIdpConfig": {
"message": "SAML identitātes nodrošinātāja uzstādījumi"
},
"callbackPath": {
"message": "Atzvana ceļš"
},
"signedOutCallbackPath": {
"message": "Izrakstīšanās atzvana ceļš"
},
"authority": {
"message": "Autoritāte"
},
"clientId": {
"message": "Pasūtītāja Id"
},
"clientSecret": {
"message": "Pasūtītāja noslēpums"
},
"metadataAddress": {
"message": "Metadatu adrese"
},
"oidcRedirectBehavior": {
"message": "OIDC pārvirzīšanas uzvedība"
},
"getClaimsFromUserInfoEndpoint": {
"message": "Iegūt prasības no lietotāja informācijas galapunkta"
},
"additionalScopes": {
"message": "Papildu/pielāgoti tvērumi (atdalīti ar komatu)"
},
"additionalUserIdClaimTypes": {
"message": "Papildu/pielāgoti lietotāja Id prasību veidi (atdalīti ar komatu)"
},
"additionalEmailClaimTypes": {
"message": "Papildu/pielāgoti e-pasta prasību veidi (atdalīti ar komatu)"
},
"additionalNameClaimTypes": {
"message": "Papildu/pielāgoti vārda prasību veidi (atdalīti ar komatu)"
},
"acrValues": {
"message": "Pieprasītās autentifikācijas konteksta klases atsauces vērtības (acr_values)"
},
"expectedReturnAcrValue": {
"message": "Gaidāmā \"acr\" prasību vērtība atbildē (\"acr\" pārbaude)"
},
"spEntityId": {
"message": "SP vienības Id"
},
"spMetadataUrl": {
"message": "SAML 2.0 metadatu URL"
},
"spAcsUrl": {
"message": "Apgalvojuma patērētāja pakalpes (ACS) URL"
},
"spNameIdFormat": {
"message": "Vārda Id veidols"
},
"spOutboundSigningAlgorithm": {
"message": "Izejošais parakstīšanas algoritms"
},
"spSigningBehavior": {
"message": "Parakstīšānas uzvedība"
},
"spMinIncomingSigningAlgorithm": {
"message": "Mazākais pieļaujamais ienākošās parakstīšanas algoritms"
},
"spWantAssertionsSigned": {
"message": "Grib parakstītus apgalvojumus"
},
"spValidateCertificates": {
"message": "Pārbaudīt sertifikātus"
},
"idpEntityId": {
"message": "Vienības Id"
},
"idpBindingType": {
"message": "Saistīšanas veids"
},
"idpSingleSignOnServiceUrl": {
"message": "Vienotās pierakstīšanās pakalpojuma URL"
},
"idpSingleLogoutServiceUrl": {
"message": "Vienotās izrakstīšanās pakalpojuma URL"
},
"idpX509PublicCert": {
"message": "X509 publiskais sertifikāts"
},
"idpOutboundSigningAlgorithm": {
"message": "Izejošais parakstīšanas algoritms"
},
"idpAllowUnsolicitedAuthnResponse": {
"message": "Atļaut nelūgtas autentifikācijas atbildi"
},
"idpAllowOutboundLogoutRequests": {
"message": "Atļaut izejošos izrakstīšanās pieprasījumus"
},
"idpSignAuthenticationRequests": {
"message": "Parakstīt autentifikācijas pieprasījumus"
},
"ssoSettingsSaved": {
"message": "Vienotās pieteikšanās uzstādījumi tika saglabāti."
},
"sponsoredFamilies": {
"message": "Bezmaksas Bitwarden ģimenēm"
},
"sponsoredFamiliesEligible": {
"message": "Tu un Tava ģimene esat atbilstīgi bezmaksas Bitwarden Families. Piesakies ar personīgo e-pasta adresi, lai turētu datus drošībā pat tad, kad neesi darbā!"
},
"sponsoredFamiliesEligibleCard": {
"message": "Izmanto savu bezmaksas Bitwarden ģimenēm šodien, lai turētu datus drošībā pat tad, kad neesi darbā."
},
"sponsoredFamiliesInclude": {
"message": "Bitwarden ģimenēm iekļauj"
},
"sponsoredFamiliesPremiumAccess": {
"message": "Premium piekļuve līdz 6 lietotājiem"
},
"sponsoredFamiliesSharedCollections": {
"message": "Ģimenes noslēpumu kopīgotie krājumi"
},
"badToken": {
"message": "Saite vairs nav derīga. Lūdz pabalstītāju atkārtoti nosūtīt piedāvājumu!"
},
"reclaimedFreePlan": {
"message": "Mainīts uz bezmaksas plānu"
},
"redeem": {
"message": "Izmantot"
},
"sponsoredFamiliesSelectOffer": {
"message": "Atlastīt apvienību, kuru atbalstīt"
},
"familiesSponsoringOrgSelect": {
"message": "Kuru bezmaksas ģimeņu piedāvājumu Tu vēlies izmantot?"
},
"sponsoredFamiliesEmail": {
"message": "Ievadīt personīgo e-pasta adresi, lai izmantotu Bitwarden ģimenēm"
},
"sponsoredFamiliesLeaveCopy": {
"message": "Ja Tu pamet vai tiec noņemts no atbalstošās apvienības, Tavs ģimeņu plāns beigsies apmaksas laika posma beigās."
},
"acceptBitwardenFamiliesHelp": {
"message": "Pieņemt piedāvājumu esošai apvienībai vai izveidot jaunu ģimenes apvienību."
},
"setupSponsoredFamiliesLoginDesc": {
"message": "Tev ir piedāvāta bezmaksas Bitwarden ģimenēm apvienība. Lai turpinātu, ir nepieciešams pierakstītites kontā, kas saņēma piedāvājumu."
},
"sponsoredFamiliesAcceptFailed": {
"message": "Nav iespējams pieņemt piedāvājumu. Lūgums pārsūtīt piedāvājuma e-pasta ziņu no uzņēmējdarbības konta un mēģināt vēlreiz."
},
"sponsoredFamiliesAcceptFailedShort": {
"message": "Nav iespējams apstiprināt piedāvājumu. $DESCRIPTION$",
"placeholders": {
"description": {
"content": "$1",
"example": "You must have at least one existing Families Organization."
}
}
},
"sponsoredFamiliesOffer": {
"message": "Pieņemt bezmaksas Bitwarden ģimenēm"
},
"sponsoredFamiliesOfferRedeemed": {
"message": "Bezmaksas Bitwarden ģimenēm piedāvājums veiksmīgi izmantots"
},
"redeemed": {
"message": "Izmantots"
},
"redeemedAccount": {
"message": "Izmantots konts"
},
"revokeAccount": {
"message": "Atsaukt kontu $NAME$",
"placeholders": {
"name": {
"content": "$1",
"example": "My Sponsorship Name"
}
}
},
"resendEmailLabel": {
"message": "Pārsūtīt $NAME$ pabalstītājdarbības e-pasta ziņojumu",
"placeholders": {
"name": {
"content": "$1",
"example": "My Sponsorship Name"
}
}
},
"freeFamiliesPlan": {
"message": "Bezmaksas ģimenes plāns"
},
"redeemNow": {
"message": "Izmantot tagad"
},
"recipient": {
"message": "Saņēmējs"
},
"removeSponsorship": {
"message": "Noņemt pabalstītājdarbību"
},
"removeSponsorshipConfirmation": {
"message": "Pēc pabalstītājdarbības noņemšanas Tu būsi atbildīgs par šo abonementu un saistītajiem rēķiniem. Vai tiešām turpināt?"
},
"sponsorshipCreated": {
"message": "Izveidota pabalstītājdarbība"
},
"revoke": {
"message": "Atsaukt"
},
"emailSent": {
"message": "E-pasts nosūtīts"
},
"revokeSponsorshipConfirmation": {
"message": "Pēc šī konta noņemšanas, ģimenes apvienības īpašnieks būsi atbildīgs par šo abonementu un saistītajiem rēķiniem. Vai tiešām turpināt?"
},
"removeSponsorshipSuccess": {
"message": "Noņemta pabalstītājdarbība"
},
"ssoKeyConnectorUnavailable": {
"message": "Nav iespējams sasniegt Key Connector, tāpēc vēlāk jāmēģina atkal."
},
"keyConnectorUrl": {
"message": "Key Connector URL"
},
"sendVerificationCode": {
"message": "Sūtīt apstiprinājuma kodu uz e-pastu"
},
"sendCode": {
"message": "Nosūtīt kodu"
},
"codeSent": {
"message": "Kods nosūtīts"
},
"verificationCode": {
"message": "Apstiprinājuma kods"
},
"confirmIdentity": {
"message": "Apstiprināt identitāti, lai turpinātu."
},
"verificationCodeRequired": {
"message": "Ir nepieciešams apstiprinājuma kods."
},
"invalidVerificationCode": {
"message": "Nederīgs apstiprinājuma kods"
},
"convertOrganizationEncryptionDesc": {
"message": "$ORGANIZATION$ izmanto vienoto pieteikšanos ar pašizvietotu atslēgu serveri. Tās dalībniekiem vairs nav nepieciešama galvenā parole, lai pieslēgtos.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"leaveOrganization": {
"message": "Pamest apvienību"
},
"removeMasterPassword": {
"message": "Noņemt galveno paroli"
},
"removedMasterPassword": {
"message": "Galvenā parole tika noņemta."
},
"allowSso": {
"message": "Atļauto vienoto pieteikšanos"
},
"allowSsoDesc": {
"message": "Pēc pabeigšanas uzstādījumi tiks saglabāti un dalībnieki varēs pieslēgties izmantojot savus identitātes nodrošinātāja akreditācijas datus."
},
"ssoPolicyHelpStart": {
"message": "Iespējot",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Enable the SSO Authentication policy to require all members to log in with SSO.'"
},
"ssoPolicyHelpLink": {
"message": "Vienotās pieteikšanās nosacījumi",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Enable the SSO Authentication policy to require all members to log in with SSO.'"
},
"ssoPolicyHelpEnd": {
"message": ", lai pieprasītu dalībniekiem pierakstīties ar vienoto pieteikšanos.",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Enable the SSO Authentication policy to require all members to log in with SSO.'"
},
"ssoPolicyHelpKeyConnector": {
"message": "Ir nepieciešami vienotās pieteikšanās un vienas apvienības nosacījumi, lai uzstādītu Key Connector šifrēšanu."
},
"memberDecryptionOption": {
"message": "Dalībnieka atšifrēšanas iespējas"
},
"memberDecryptionPassDesc": {
"message": "Pēc pieteikšanās dalībnieki atšifrēs glabātavas saturu ar galveno paroli."
},
"keyConnector": {
"message": "Key Connector"
},
"memberDecryptionKeyConnectorDesc": {
"message": "Savienot pierakstīšanos ar vienoto pieteikšanos pašizvietotā atšifrēšanas atslēgu serverī. Šī iespēja nodrošina, ka dalībniekiem nebūs nepieciešama galvenā parole, lai atšifrētu glabātavas saturu."
},
"keyConnectorPolicyRestriction": {
"message": "\"Pierakstīšanas ar vienoto pieteikšanos un Key Connectory atšifrēšana\" ir iespējots. Šis nosacījums attieksies tikai uz īpašniekiem un pārvaldniekiem."
},
"enabledSso": {
"message": "Iespējota vienotā pieteikšanās"
},
"disabledSso": {
"message": "Atspējota vienotā pieteikšanās"
},
"enabledKeyConnector": {
"message": "Iespējots Key Connector"
},
"disabledKeyConnector": {
"message": "Atspējots Key Connector"
},
"keyConnectorWarning": {
"message": "Tiklīdz Key Connector ir uzstādīts, dalībnieku atšifrēšanas iespējas nevar mainīt."
},
"migratedKeyConnector": {
"message": "Pāriets uz Key Connector"
},
"paymentSponsored": {
"message": "Lūgums norādīt maksājumu veidu, ko piesaistīt apvienībai. Satraukties nevajag, jo iemaksa netiks ieturēta, ja vien netiks izvēlētas papildu iespējas vai kad izbeigsies pabalstītājdarbība. "
},
"orgCreatedSponsorshipInvalid": {
"message": "Atbalsta piedāvājums ir beidzies. Ir iespējams izdzēst izveidoto apvienību, lai izvairītos no maksas pēc 7 dienu izmēģinājuma laika. Pretējā gadījumā šo uzvedni, lai turpinātu izmantot apvienību un uzņemtos atbildību par norēķiniem."
},
"newFamiliesOrganization": {
"message": "Jauna ģimeņu apvienība"
},
"acceptOffer": {
"message": "Pieņemt piedāvājumu"
},
"sponsoringOrg": {
"message": "Atbalstoša apvienība"
},
"keyConnectorTest": {
"message": "Pārbaude"
},
"keyConnectorTestSuccess": {
"message": "Panākums! Key Connector sasniegts."
},
"keyConnectorTestFail": {
"message": "Nav iespējams sasniegt Key Connector. Jāpārbauda URL."
},
"sponsorshipTokenHasExpired": {
"message": "Atbalsta piedāvājums ir beidzies."
},
"freeWithSponsorship": {
"message": "Bezmaksas ar pabalstītājdarbību"
},
"formErrorSummaryPlural": {
"message": "$COUNT$ augstāk esošajiem laukiem ir jāpievērš uzmanība.",
"placeholders": {
"count": {
"content": "$1",
"example": "5"
}
}
},
"formErrorSummarySingle": {
"message": "1 augstāk esošajam laukam jāpievērš uzmanība."
},
"fieldRequiredError": {
"message": "$FIELDNAME$ ir nepieciešams.",
"placeholders": {
"fieldname": {
"content": "$1",
"example": "Full name"
}
}
},
"required": {
"message": "nepieciešams"
},
"idpSingleSignOnServiceUrlRequired": {
"message": "Nepieciešams, ja vienības Id nav URL."
},
"openIdOptionalCustomizations": {
"message": "Papildu pielāgojumi"
},
"openIdAuthorityRequired": {
"message": "Nepieciešams, ja autoritāte ir nederīga."
},
"separateMultipleWithComma": {
"message": "Vairākus atdalīt ar komatu."
},
"sessionTimeout": {
"message": "Sesijai iestājās noildze. Lūgums mēģināt pierakstīties vēlreiz."
},
"exportingPersonalVaultTitle": {
"message": "Izdod personīgo glabātavu"
},
"exportingOrganizationVaultTitle": {
"message": "Izdod apvienības glabātavu"
},
"exportingPersonalVaultDescription": {
"message": "Tiks izdoti tikai personīgie glabātavas vienumi, kas ir saistīti ar $EMAIL$. Apvienības glabātavas vienumi netiks iekļauti.",
"placeholders": {
"email": {
"content": "$1",
"example": "name@example.com"
}
}
},
"exportingOrganizationVaultDescription": {
"message": "Tiks izdota tikai apvienības glabātava, kas ir saistīta ar $ORGANIZATION$. Personīgie glabātavas vienumi un vienumi no citām apvienībām netiks iekļauti.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"backToReports": {
"message": "Atgriezties pie atskaitēm"
},
"generator": {
"message": "Veidotājs"
},
"whatWouldYouLikeToGenerate": {
"message": "Ko ir nepieciešams izveidot?"
},
"passwordType": {
"message": "Paroles veids"
},
"regenerateUsername": {
"message": "Pārizveidot lietotājvārdu"
},
"generateUsername": {
"message": "Izveidot lietotājvārdu"
},
"usernameType": {
"message": "Lietotājvārda veids"
},
"plusAddressedEmail": {
"message": "E-pasta adrese ar plusu",
"description": "Username generator option that appends a random sub-address to the username. For example: address+subaddress@email.com"
},
"plusAddressedEmailDesc": {
"message": "Izmantot e-pasta pakalpojuma nodrošinātāja apakšadresēšanas spējas."
},
"catchallEmail": {
"message": "Visu tveroša e-pasta adrese"
},
"catchallEmailDesc": {
"message": "Izmantot uzstādīto domēna visu tverošo iesūtni."
},
"random": {
"message": "Nejauši"
},
"randomWord": {
"message": "Nejaušs vārds"
},
"service": {
"message": "Pakalpojums"
}
}
| bitwarden/web/src/locales/lv/messages.json/0 | {
"file_path": "bitwarden/web/src/locales/lv/messages.json",
"repo_id": "bitwarden",
"token_count": 69066
} | 163 |
{
"pageTitle": {
"message": "Веб сховище $APP_NAME$",
"description": "The title of the website in the browser window.",
"placeholders": {
"app_name": {
"content": "$1",
"example": "Bitwarden"
}
}
},
"whatTypeOfItem": {
"message": "Який це тип запису?"
},
"name": {
"message": "Назва"
},
"uri": {
"message": "URI"
},
"uriPosition": {
"message": "URI $POSITION$",
"description": "A listing of URIs. Ex: URI 1, URI 2, URI 3, etc.",
"placeholders": {
"position": {
"content": "$1",
"example": "2"
}
}
},
"newUri": {
"message": "Новий URI"
},
"username": {
"message": "Ім'я користувача"
},
"password": {
"message": "Пароль"
},
"newPassword": {
"message": "Новий пароль"
},
"passphrase": {
"message": "Парольна фраза"
},
"notes": {
"message": "Нотатки"
},
"customFields": {
"message": "Власні поля"
},
"cardholderName": {
"message": "Ім'я власника картки"
},
"number": {
"message": "Номер"
},
"brand": {
"message": "Тип картки"
},
"expiration": {
"message": "Термін дії"
},
"securityCode": {
"message": "Код безпеки (CVV)"
},
"identityName": {
"message": "Назва"
},
"company": {
"message": "Компанія"
},
"ssn": {
"message": "Номер соціального страхування"
},
"passportNumber": {
"message": "Номер паспорта"
},
"licenseNumber": {
"message": "Номер ліцензії"
},
"email": {
"message": "Е-пошта"
},
"phone": {
"message": "Телефон"
},
"january": {
"message": "Січень"
},
"february": {
"message": "Лютий"
},
"march": {
"message": "Березень"
},
"april": {
"message": "Квітень"
},
"may": {
"message": "Травень"
},
"june": {
"message": "Червень"
},
"july": {
"message": "Липень"
},
"august": {
"message": "Серпень"
},
"september": {
"message": "Вересень"
},
"october": {
"message": "Жовтень"
},
"november": {
"message": "Листопад"
},
"december": {
"message": "Грудень"
},
"title": {
"message": "Звернення"
},
"mr": {
"message": "Містер"
},
"mrs": {
"message": "Місіс"
},
"ms": {
"message": "Міс"
},
"dr": {
"message": "Доктор"
},
"expirationMonth": {
"message": "Місяць завершення"
},
"expirationYear": {
"message": "Рік завершення"
},
"authenticatorKeyTotp": {
"message": "Ключ авторизації (TOTP)"
},
"folder": {
"message": "Тека"
},
"newCustomField": {
"message": "Нове власне поле"
},
"value": {
"message": "Значення"
},
"dragToSort": {
"message": "Перетягніть, щоб відсортувати"
},
"cfTypeText": {
"message": "Текст"
},
"cfTypeHidden": {
"message": "Приховано"
},
"cfTypeBoolean": {
"message": "Логічне значення"
},
"cfTypeLinked": {
"message": "Пов'язано",
"description": "This describes a field that is 'linked' (related) to another field."
},
"remove": {
"message": "Вилучити"
},
"unassigned": {
"message": "Не призначено"
},
"noneFolder": {
"message": "Без теки",
"description": "This is the folder for uncategorized items"
},
"addFolder": {
"message": "Додати теку"
},
"editFolder": {
"message": "Редагувати теку"
},
"baseDomain": {
"message": "Основний домен",
"description": "Domain name. Ex. website.com"
},
"domainName": {
"message": "Ім'я домену",
"description": "Domain name. Ex. website.com"
},
"host": {
"message": "Вузол",
"description": "A URL's host value. For example, the host of https://sub.domain.com:443 is 'sub.domain.com:443'."
},
"exact": {
"message": "Точно"
},
"startsWith": {
"message": "Починається з"
},
"regEx": {
"message": "Звичайний вираз",
"description": "A programming term, also known as 'RegEx'."
},
"matchDetection": {
"message": "Виявлення збігів",
"description": "URI match detection for auto-fill."
},
"defaultMatchDetection": {
"message": "Типове виявлення збігів",
"description": "Default URI match detection for auto-fill."
},
"never": {
"message": "Ніколи"
},
"toggleVisibility": {
"message": "Перемкнути видимість"
},
"toggleCollapse": {
"message": "Згорнути/розгорнути",
"description": "Toggling an expand/collapse state."
},
"generatePassword": {
"message": "Генерувати пароль"
},
"checkPassword": {
"message": "Перевірити чи пароль було викрито."
},
"passwordExposed": {
"message": "Цей пароль було викрито $VALUE$ разів з витоком даних. Вам слід його змінити.",
"placeholders": {
"value": {
"content": "$1",
"example": "2"
}
}
},
"passwordSafe": {
"message": "Цей пароль не було знайдено у жодних відомих витоках даних. Його можна безпечно використовувати."
},
"save": {
"message": "Зберегти"
},
"cancel": {
"message": "Скасувати"
},
"canceled": {
"message": "Скасовано"
},
"close": {
"message": "Закрити"
},
"delete": {
"message": "Видалити"
},
"favorite": {
"message": "Обране"
},
"unfavorite": {
"message": "Вилучити з обраного"
},
"edit": {
"message": "Змінити"
},
"searchCollection": {
"message": "Пошук в збірках"
},
"searchFolder": {
"message": "Пошук в теці"
},
"searchFavorites": {
"message": "Пошук в обраному"
},
"searchType": {
"message": "Пошук за типом",
"description": "Search item type"
},
"searchVault": {
"message": "Пошук"
},
"allItems": {
"message": "Всі елементи"
},
"favorites": {
"message": "Обране"
},
"types": {
"message": "Типи"
},
"typeLogin": {
"message": "Вхід"
},
"typeCard": {
"message": "Картка"
},
"typeIdentity": {
"message": "Особисті дані"
},
"typeSecureNote": {
"message": "Захищена нотатка"
},
"typeLoginPlural": {
"message": "Записи"
},
"typeCardPlural": {
"message": "Картки"
},
"typeIdentityPlural": {
"message": "Особисті дані"
},
"typeSecureNotePlural": {
"message": "Захищені нотатки"
},
"folders": {
"message": "Теки"
},
"collections": {
"message": "Збірки"
},
"firstName": {
"message": "Ім’я"
},
"middleName": {
"message": "По батькові"
},
"lastName": {
"message": "Прізвище"
},
"fullName": {
"message": "Повне ім'я"
},
"address1": {
"message": "Адреса 1"
},
"address2": {
"message": "Адреса 2"
},
"address3": {
"message": "Адреса 3"
},
"cityTown": {
"message": "Місто / Селище"
},
"stateProvince": {
"message": "Штат / Область"
},
"zipPostalCode": {
"message": "Поштовий індекс"
},
"country": {
"message": "Країна"
},
"shared": {
"message": "Спільні"
},
"attachments": {
"message": "Вкладення"
},
"select": {
"message": "Обрати"
},
"addItem": {
"message": "Додати запис"
},
"editItem": {
"message": "Змінити запис"
},
"viewItem": {
"message": "Перегляд запису"
},
"ex": {
"message": "зразок",
"description": "Short abbreviation for 'example'."
},
"other": {
"message": "Інше"
},
"share": {
"message": "Поділитися"
},
"moveToOrganization": {
"message": "Перемістити до організації"
},
"valueCopied": {
"message": "$VALUE$ скопійовано",
"description": "Value has been copied to the clipboard.",
"placeholders": {
"value": {
"content": "$1",
"example": "Password"
}
}
},
"copyValue": {
"message": "Копіювати значення",
"description": "Copy value to clipboard"
},
"copyPassword": {
"message": "Копіювати пароль",
"description": "Copy password to clipboard"
},
"copyUsername": {
"message": "Копіювати ім'я користувача",
"description": "Copy username to clipboard"
},
"copyNumber": {
"message": "Копіювати номер",
"description": "Copy credit card number"
},
"copySecurityCode": {
"message": "Копіювати код безпеки",
"description": "Copy credit card security code (CVV)"
},
"copyUri": {
"message": "Копіювати URI",
"description": "Copy URI to clipboard"
},
"myVault": {
"message": "Моє сховище"
},
"vault": {
"message": "Сховище"
},
"moveSelectedToOrg": {
"message": "Перемістити вибране до організації"
},
"deleteSelected": {
"message": "Видалити вибране"
},
"moveSelected": {
"message": "Перемістити вибране"
},
"selectAll": {
"message": "Вибрати все"
},
"unselectAll": {
"message": "Скасувати вибір"
},
"launch": {
"message": "Перейти"
},
"newAttachment": {
"message": "Додати нове вкладення"
},
"deletedAttachment": {
"message": "Вкладення видалено"
},
"deleteAttachmentConfirmation": {
"message": "Ви дійсно хочете видалити це вкладення?"
},
"attachmentSaved": {
"message": "Вкладення збережено."
},
"file": {
"message": "Файл"
},
"selectFile": {
"message": "Оберіть файл."
},
"maxFileSize": {
"message": "Максимальний розмір файлу 500 Мб."
},
"updateKey": {
"message": "Ви не можете використовувати цю функцію доки не оновите свій ключ шифрування."
},
"addedItem": {
"message": "Запис додано"
},
"editedItem": {
"message": "Запис змінено"
},
"movedItemToOrg": {
"message": "$ITEMNAME$ переміщено до $ORGNAME$",
"placeholders": {
"itemname": {
"content": "$1",
"example": "Secret Item"
},
"orgname": {
"content": "$2",
"example": "Company Name"
}
}
},
"movedItemsToOrg": {
"message": "Вибрані записи переміщено до $ORGNAME$",
"placeholders": {
"orgname": {
"content": "$1",
"example": "Company Name"
}
}
},
"deleteItem": {
"message": "Видалити запис"
},
"deleteFolder": {
"message": "Видалити теку"
},
"deleteAttachment": {
"message": "Видалити файл"
},
"deleteItemConfirmation": {
"message": "Ви дійсно хочете перенести до смітника?"
},
"deletedItem": {
"message": "Запис перенесено до смітника"
},
"deletedItems": {
"message": "Записи перенесено до смітника"
},
"movedItems": {
"message": "Записи переміщено"
},
"overwritePasswordConfirmation": {
"message": "Ви дійсно хочете перезаписати поточний пароль?"
},
"editedFolder": {
"message": "Тека відредагована"
},
"addedFolder": {
"message": "Додано теку"
},
"deleteFolderConfirmation": {
"message": "Ви дійсно хочете видалити цю теку?"
},
"deletedFolder": {
"message": "Теку видалено"
},
"loggedOut": {
"message": "Ви вийшли"
},
"loginExpired": {
"message": "Тривалість вашого сеансу завершилась."
},
"logOutConfirmation": {
"message": "Ви дійсно хочете вийти?"
},
"logOut": {
"message": "Вийти"
},
"ok": {
"message": "Ok"
},
"yes": {
"message": "Так"
},
"no": {
"message": "Ні"
},
"loginOrCreateNewAccount": {
"message": "Для доступу до сховища увійдіть в обліковий запис, або створіть новий."
},
"createAccount": {
"message": "Створити обліковий запис"
},
"logIn": {
"message": "Увійти"
},
"submit": {
"message": "Відправити"
},
"emailAddressDesc": {
"message": "Адреса е-пошти буде використовуватися для входу."
},
"yourName": {
"message": "Ваше ім'я"
},
"yourNameDesc": {
"message": "Як до вас звертатися?"
},
"masterPass": {
"message": "Головний пароль"
},
"masterPassDesc": {
"message": "Головний пароль використовується для доступу до вашого сховища. Дуже важливо, щоб ви запам'ятали його. Якщо ви забудете головний пароль, його неможливо буде відновити."
},
"masterPassHintDesc": {
"message": "Якщо ви забудете головний пароль, підказка може допомогти вам згадати його."
},
"reTypeMasterPass": {
"message": "Введіть головний пароль ще раз"
},
"masterPassHint": {
"message": "Підказка для головного пароля (необов'язково)"
},
"masterPassHintLabel": {
"message": "Підказка для головного пароля"
},
"settings": {
"message": "Налаштування"
},
"passwordHint": {
"message": "Підказка для пароля"
},
"enterEmailToGetHint": {
"message": "Введіть свою адресу е-пошти, щоб отримати підказку для головного пароля."
},
"getMasterPasswordHint": {
"message": "Отримати підказку для головного пароля"
},
"emailRequired": {
"message": "Необхідно вказати адресу е-пошти."
},
"invalidEmail": {
"message": "Неправильна адреса е-пошти."
},
"masterPassRequired": {
"message": "Потрібен головний пароль."
},
"masterPassLength": {
"message": "Довжина головного пароля повинна бути не менше 8 символів."
},
"masterPassDoesntMatch": {
"message": "Підтвердження головного пароля не збігається."
},
"newAccountCreated": {
"message": "Ваш обліковий запис створений! Тепер ви можете увійти."
},
"masterPassSent": {
"message": "Ми надіслали вам лист з підказкою для головного пароля."
},
"unexpectedError": {
"message": "Сталася неочікувана помилка."
},
"emailAddress": {
"message": "Адреса е-пошти"
},
"yourVaultIsLocked": {
"message": "Сховище заблоковано. Введіть головний пароль для продовження."
},
"unlock": {
"message": "Розблокувати"
},
"loggedInAsEmailOn": {
"message": "Ви увійшли як $EMAIL$ на $HOSTNAME$.",
"placeholders": {
"email": {
"content": "$1",
"example": "name@example.com"
},
"hostname": {
"content": "$2",
"example": "bitwarden.com"
}
}
},
"invalidMasterPassword": {
"message": "Неправильний головний пароль"
},
"lockNow": {
"message": "Заблокувати зараз"
},
"noItemsInList": {
"message": "Немає записів."
},
"noCollectionsInList": {
"message": "Немає збірок."
},
"noGroupsInList": {
"message": "Немає груп."
},
"noUsersInList": {
"message": "Немає користувачів."
},
"noEventsInList": {
"message": "Немає подій."
},
"newOrganization": {
"message": "Нова організація"
},
"noOrganizationsList": {
"message": "Ви не входите до жодної організації. Організації дозволяють безпечно обмінюватися елементами з іншими користувачами."
},
"versionNumber": {
"message": "Версія $VERSION_NUMBER$",
"placeholders": {
"version_number": {
"content": "$1",
"example": "1.2.3"
}
}
},
"enterVerificationCodeApp": {
"message": "Введіть 6-значний код підтвердження з програми авторизації."
},
"enterVerificationCodeEmail": {
"message": "Введіть 6-значний код підтвердження, надісланий на $EMAIL$.",
"placeholders": {
"email": {
"content": "$1",
"example": "example@gmail.com"
}
}
},
"verificationCodeEmailSent": {
"message": "Код підтвердження надіслано на $EMAIL$.",
"placeholders": {
"email": {
"content": "$1",
"example": "example@gmail.com"
}
}
},
"rememberMe": {
"message": "Запам'ятати мене"
},
"sendVerificationCodeEmailAgain": {
"message": "Надіслати код підтвердження ще раз"
},
"useAnotherTwoStepMethod": {
"message": "Інший спосіб двоетапної перевірки"
},
"insertYubiKey": {
"message": "Вставте свій YubiKey в USB порт комп'ютера, потім торкніться цієї кнопки."
},
"insertU2f": {
"message": "Вставте свій ключ безпеки в USB порт комп'ютера. Якщо в нього є кнопка, натисніть її."
},
"loginUnavailable": {
"message": "Вхід недоступний"
},
"noTwoStepProviders": {
"message": "Для цього облікового запису увімкнено двоетапну перевірку. Однак, жоден з налаштованих провайдерів двоетапної перевірки не підтримується цим браузером."
},
"noTwoStepProviders2": {
"message": "Будь ласка, скористайтеся підтримуваним браузером (наприклад, Chrome) та/або іншими провайдерами, що краще підтримуються браузерами (наприклад, програма авторизації)."
},
"twoStepOptions": {
"message": "Налаштування двоетапної перевірки"
},
"recoveryCodeDesc": {
"message": "Втратили доступ до всіх провайдерів двоетапної перевірки? Скористайтеся кодом відновлення, щоб вимкнути двоетапну перевірку для свого облікового запису."
},
"recoveryCodeTitle": {
"message": "Код відновлення"
},
"authenticatorAppTitle": {
"message": "Програма авторизації"
},
"authenticatorAppDesc": {
"message": "Використовуйте програму авторизації (наприклад, Authy або Google Authenticator), щоб генерувати тимчасові коди підтвердження.",
"description": "'Authy' and 'Google Authenticator' are product names and should not be translated."
},
"yubiKeyTitle": {
"message": "Ключ безпеки YubiKey OTP"
},
"yubiKeyDesc": {
"message": "Використовуйте YubiKey для доступу до облікового запису. Працює з YubiKey серії 4, 5, а також пристроями NEO."
},
"duoDesc": {
"message": "Авторизуйтесь за допомогою Duo Security з використанням мобільного додатку Duo Mobile, SMS, телефонного виклику, або ключа безпеки U2F.",
"description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated."
},
"duoOrganizationDesc": {
"message": "Авторизуйтесь за допомогою Duo Security для вашої організації з використанням мобільного додатку Duo Mobile, SMS, телефонного виклику, або ключа безпеки U2F.",
"description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated."
},
"u2fDesc": {
"message": "Використовуйте будь-який ключ безпеки FIDO U2F для доступу до сховища."
},
"u2fTitle": {
"message": "Ключ безпеки FIDO U2F"
},
"webAuthnTitle": {
"message": "FIDO2 WebAuthn"
},
"webAuthnDesc": {
"message": "Використовуйте будь-який ключ безпеки WebAuthn для доступу до сховища."
},
"webAuthnMigrated": {
"message": "(Перенесено з FIDO)"
},
"emailTitle": {
"message": "Е-пошта"
},
"emailDesc": {
"message": "Коди підтвердження будуть надсилатися на вашу пошту."
},
"continue": {
"message": "Продовжити"
},
"organization": {
"message": "Організація"
},
"organizations": {
"message": "Організації"
},
"moveToOrgDesc": {
"message": "Виберіть організацію, до якої ви бажаєте перемістити цей запис. При переміщенні до організації власність запису передається тій організації. Ви більше не будете єдиним власником цього запису після переміщення."
},
"moveManyToOrgDesc": {
"message": "Виберіть організацію, до якої ви бажаєте перемістити ці записи. При переміщенні до організації власність записів передається тій організації. Ви більше не будете єдиним власником цих записів після переміщення."
},
"collectionsDesc": {
"message": "Редагуйте збірки, з якими цей запис знаходиться в спільному доступі. Лише учасники організацій з доступом до цих збірок матимуть можливість бачити цей запис."
},
"deleteSelectedItemsDesc": {
"message": "Ви обрали $COUNT$ записів для видалення. Ви справді хочете їх видалити?",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"moveSelectedItemsDesc": {
"message": "Оберіть теку, в яку ви бажаєте перемістити $COUNT$ вибраних записів.",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"moveSelectedItemsCountDesc": {
"message": "Ви вибрали $COUNT$ запис(ів). $MOVEABLE_COUNT$ запис(ів) можна перемістити до організації, $NONMOVEABLE_COUNT$ не можна.",
"placeholders": {
"count": {
"content": "$1",
"example": "10"
},
"moveable_count": {
"content": "$2",
"example": "8"
},
"nonmoveable_count": {
"content": "$3",
"example": "2"
}
}
},
"verificationCodeTotp": {
"message": "Код підтвердження (TOTP)"
},
"copyVerificationCode": {
"message": "Копіювати код підтвердження"
},
"warning": {
"message": "Попередження"
},
"confirmVaultExport": {
"message": "Підтвердити експорт сховища"
},
"exportWarningDesc": {
"message": "Експортовані дані вашого сховища знаходяться в незашифрованому вигляді. Вам не слід зберігати чи надсилати їх через незахищені канали (наприклад, е-поштою). Після використання негайно видаліть їх."
},
"encExportKeyWarningDesc": {
"message": "Цей експорт шифрує ваші дані за допомогою ключа шифрування облікового запису. Якщо ви коли-небудь оновите ключ шифрування облікового запису, ви повинні виконати експорт знову, оскільки не зможете розшифрувати цей файл експорту."
},
"encExportAccountWarningDesc": {
"message": "Ключі шифрування унікальні для кожного облікового запису користувача Bitwarden, тому ви не можете імпортувати зашифрований експорт до іншого облікового запису."
},
"export": {
"message": "Експорт"
},
"exportVault": {
"message": "Експорт сховища"
},
"fileFormat": {
"message": "Формат файлу"
},
"exportSuccess": {
"message": "Дані сховища експортовано."
},
"passwordGenerator": {
"message": "Генератор паролів"
},
"minComplexityScore": {
"message": "Мінімальна оцінка складності"
},
"minNumbers": {
"message": "Мінімум цифр"
},
"minSpecial": {
"message": "Мінімум спеціальних символів",
"description": "Minimum Special Characters"
},
"ambiguous": {
"message": "Уникати неоднозначних символів"
},
"regeneratePassword": {
"message": "Генерувати новий"
},
"length": {
"message": "Довжина"
},
"numWords": {
"message": "Кількість слів"
},
"wordSeparator": {
"message": "Розділювач слів"
},
"capitalize": {
"message": "Великі літери",
"description": "Make the first letter of a work uppercase."
},
"includeNumber": {
"message": "Включити число"
},
"passwordHistory": {
"message": "Історія паролів"
},
"noPasswordsInList": {
"message": "Немає паролів."
},
"clear": {
"message": "Стерти",
"description": "To clear something out. example: To clear browser history."
},
"accountUpdated": {
"message": "Обліковий запис оновлено"
},
"changeEmail": {
"message": "Змінити адресу е-пошти"
},
"changeEmailTwoFactorWarning": {
"message": "Продовжуючи, ви зміните адресу електронної пошти вашого облікового запису. Ця дія не змінить адресу електронної пошти, що використовується для двоетапної перевірки. Ви можете змінити цю електронну адресу в налаштуваннях двоетапної перевірки."
},
"newEmail": {
"message": "Нова адреса е-пошти"
},
"code": {
"message": "Код"
},
"changeEmailDesc": {
"message": "Ми надіслали код підтвердження на $EMAIL$. Знайдіть цей код в отриманому листі та введіть його внизу, щоб завершити зміну адреси електронної пошти.",
"placeholders": {
"email": {
"content": "$1",
"example": "john.smith@example.com"
}
}
},
"loggedOutWarning": {
"message": "Продовжуючи, ви вийдете з поточного сеансу і необхідно буде виконати вхід знову. Активні сеанси на інших пристроях можуть залишатися активними протягом години."
},
"emailChanged": {
"message": "Е-пошту змінено"
},
"logBackIn": {
"message": "Повторно виконайте вхід."
},
"logBackInOthersToo": {
"message": "Будь ласка, повторно виконайте вхід. Якщо ви користуєтесь іншими додатками Bitwarden, також вийдіть із них, і знову увійдіть."
},
"changeMasterPassword": {
"message": "Змінити головний пароль"
},
"masterPasswordChanged": {
"message": "Головний пароль змінено"
},
"currentMasterPass": {
"message": "Поточний головний пароль"
},
"newMasterPass": {
"message": "Новий головний пароль"
},
"confirmNewMasterPass": {
"message": "Підтвердьте новий головний пароль"
},
"encKeySettings": {
"message": "Налаштування ключа шифрування"
},
"kdfAlgorithm": {
"message": "Алгоритм KDF"
},
"kdfIterations": {
"message": "Ітерації KDF"
},
"kdfIterationsDesc": {
"message": "Вище значення KDF-ітерацій може допомогти захистити головний пароль від перехоплення зловмисником. Ми рекомендуємо встановити значення не менше $VALUE$.",
"placeholders": {
"value": {
"content": "$1",
"example": "100,000"
}
}
},
"kdfIterationsWarning": {
"message": "Встановлення надто великого значення KDF-ітерацій може призвести до повільної роботи системи при вході (і розблокуванні системи) на слабких комп'ютерах. Рекомендуємо збільшувати значення поступово з кроком $INCREMENT$, після чого тестувати роботу на всіх ваших пристроях.",
"placeholders": {
"increment": {
"content": "$1",
"example": "50,000"
}
}
},
"changeKdf": {
"message": "Змінити KDF"
},
"encKeySettingsChanged": {
"message": "Налаштування ключа шифрування змінено"
},
"dangerZone": {
"message": "Небезпечна зона"
},
"dangerZoneDesc": {
"message": "Обережно, ці дії неможливо скасувати!"
},
"deauthorizeSessions": {
"message": "Закрити сеанси"
},
"deauthorizeSessionsDesc": {
"message": "Хвилюєтесь про те, чи не виконано вхід на іншому пристрої? Перейдіть нижче, щоб закрити сеанси на всіх комп'ютерах чи інших пристроях, які ви раніше використовували. Рекомендовано використовувати цей крок, якщо ви раніше користувалися загальнодоступними комп'ютерами, або іншими чужими пристроями, на яких міг зберегтися ваш пароль входу. Ця дія також зітре всі попередньо збережені сеанси двоетапної перевірки."
},
"deauthorizeSessionsWarning": {
"message": "Продовжуючи, ви також вийдете з поточного сеансу і необхідно буде виконати вхід знову. Ви також отримаєте повторний запит двоетапної перевірки, якщо вона увімкнена. Активні сеанси на інших пристроях можуть залишатися активними протягом години."
},
"sessionsDeauthorized": {
"message": "Всі сеанси закрито"
},
"purgeVault": {
"message": "Очистити сховище"
},
"purgedOrganizationVault": {
"message": "Сховище організації очищено."
},
"vaultAccessedByProvider": {
"message": "Постачальник має доступ до сховища."
},
"purgeVaultDesc": {
"message": "Продовжуйте внизу для видалення всіх записів і тек у вашому сховищі. Записи, що належать до спільної організації не будуть видалені."
},
"purgeOrgVaultDesc": {
"message": "Продовжуйте внизу, щоб видалити всі записи в сховищі організації."
},
"purgeVaultWarning": {
"message": "Очищення вашого сховища є незворотною дією. Це не можна буде скасувати."
},
"vaultPurged": {
"message": "Ваше сховище було очищено."
},
"deleteAccount": {
"message": "Видалити обліковий запис"
},
"deleteAccountDesc": {
"message": "Продовжуйте внизу для видалення облікового запису і всіх пов'язаних даних."
},
"deleteAccountWarning": {
"message": "Видалення облікового запису є незворотною дією. Це не можна буде скасувати."
},
"accountDeleted": {
"message": "Обліковий запис видалено"
},
"accountDeletedDesc": {
"message": "Ваш обліковий запис було закрито і всі пов'язані дані було видалено."
},
"myAccount": {
"message": "Мій обліковий запис"
},
"tools": {
"message": "Інструменти"
},
"importData": {
"message": "Імпорт даних"
},
"importError": {
"message": "Помилка імпорту"
},
"importErrorDesc": {
"message": "При спробі імпорту ваших даних виникла проблема. Будь ласка, виправте вказані нижче помилки у вихідному файлі та спробуйте знову."
},
"importSuccess": {
"message": "Дані успішно імпортовано до вашого сховища."
},
"importWarning": {
"message": "Ви імпортуєте дані до $ORGANIZATION$. Ваші дані можуть бути доступними учасникам цієї організації. Ви хочете продовжити?",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"importFormatError": {
"message": "Дані мають некоректне форматування. Перевірте файл імпорту і спробуйте знову."
},
"importNothingError": {
"message": "Нічого не імпортовано."
},
"importEncKeyError": {
"message": "Помилка при розшифруванні експортованого файлу. Ваш ключ шифрування відрізняється від ключа, використаного при експортуванні даних."
},
"selectFormat": {
"message": "Оберіть формат імпортованого файлу"
},
"selectImportFile": {
"message": "Оберіть файл для імпорту"
},
"orCopyPasteFileContents": {
"message": "або скопіюйте і вставте вміст файлу для імпорту"
},
"instructionsFor": {
"message": "Інструкції для $NAME$",
"description": "The title for the import tool instructions.",
"placeholders": {
"name": {
"content": "$1",
"example": "LastPass (csv)"
}
}
},
"options": {
"message": "Додатково"
},
"optionsDesc": {
"message": "Налаштуйте свою роботу з веб сховищем."
},
"optionsUpdated": {
"message": "Налаштування оновлено"
},
"language": {
"message": "Мова"
},
"languageDesc": {
"message": "Змінити мову інтерфейсу веб сховища."
},
"disableIcons": {
"message": "Вимкнути піктограми вебсайтів"
},
"disableIconsDesc": {
"message": "Впізнавані піктограми вебсайтів додаються біля кожного запису вашого сховища."
},
"enableGravatars": {
"message": "Увімкнути Gravatars",
"description": "'Gravatar' is the name of a service. See www.gravatar.com"
},
"enableGravatarsDesc": {
"message": "Використовувати зображення профілю завантажені з gravatar.com."
},
"enableFullWidth": {
"message": "Увімкнути макет повної ширини",
"description": "Allows scaling the web vault UI's width"
},
"enableFullWidthDesc": {
"message": "Дозволити веб сховищу розгортатися на повну ширину вікна браузера."
},
"default": {
"message": "Типово"
},
"domainRules": {
"message": "Правила доменів"
},
"domainRulesDesc": {
"message": "Якщо у вас є однакові дані входу для різних вебсайтів, ви можете позначити такий вебсайт як \"еквівалентний\". \"Глобальні\" домени вже створені для вас в Bitwarden."
},
"globalEqDomains": {
"message": "Глобальні еквівалентні домени"
},
"customEqDomains": {
"message": "Власні еквівалентні домени"
},
"exclude": {
"message": "Виключити"
},
"include": {
"message": "Включити"
},
"customize": {
"message": "Налаштувати"
},
"newCustomDomain": {
"message": "Новий власний домен"
},
"newCustomDomainDesc": {
"message": "Введіть список доменів, розділених комами. Дозволяються лише \"основні\" домени. Не вводьте піддомени. Наприклад, вводьте \"google.com\" замість \"www.google.com\". Ви також можете ввести \"androidapp://package.name\", щоб асоціювати програму android з іншими доменами вебсайту."
},
"customDomainX": {
"message": "Власний домен $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"domainsUpdated": {
"message": "Домени оновлено"
},
"twoStepLogin": {
"message": "Двоетапна перевірка"
},
"twoStepLoginDesc": {
"message": "Захистіть обліковий запис, вимагаючи додатковий крок перевірки при вході."
},
"twoStepLoginOrganizationDesc": {
"message": "Вимагати двоетапну перевірку для користувачів вашої організації, змінивши конфігурацію провайдерів на рівні організації."
},
"twoStepLoginRecoveryWarning": {
"message": "Увімкнення двоетапної перевірки може цілком заблокувати доступ до облікового запису Bitwarden. Код відновлення дозволяє вам отримати доступ до свого облікового запису у випадку, якщо ви не можете скористатися провайдером двоетапної перевірки (наприклад, при втраті пристрою). Служба підтримки Bitwarden не зможе допомогти відновити доступ до вашого облікового запису. Ми радимо вам записати чи роздрукувати цей код відновлення і зберігати його в надійному місці."
},
"viewRecoveryCode": {
"message": "Переглянути код відновлення"
},
"providers": {
"message": "Провайдери",
"description": "Two-step login providers such as YubiKey, Duo, Authenticator apps, Email, etc."
},
"enable": {
"message": "Увімкнути"
},
"enabled": {
"message": "Увімкнено"
},
"premium": {
"message": "Преміум",
"description": "Premium Membership"
},
"premiumMembership": {
"message": "Преміум статус"
},
"premiumRequired": {
"message": "Необхідний преміум статус"
},
"premiumRequiredDesc": {
"message": "Для використання цієї функції необхідний преміум статус."
},
"youHavePremiumAccess": {
"message": "У вас є преміум-доступ"
},
"alreadyPremiumFromOrg": {
"message": "У вас вже є доступ до преміум-функцій, тому що ви входите до організації, яка вам їх надає."
},
"manage": {
"message": "Керувати"
},
"disable": {
"message": "Вимкнути"
},
"twoStepLoginProviderEnabled": {
"message": "Для вашого облікового запису увімкнено цей спосіб двоетапної перевірки."
},
"twoStepLoginAuthDesc": {
"message": "Введіть головний пароль, щоб змінити налаштування двоетапної перевірки."
},
"twoStepAuthenticatorDesc": {
"message": "Дотримуйтесь цих кроків, щоб встановити двоетапну перевірку за допомогою програми:"
},
"twoStepAuthenticatorDownloadApp": {
"message": "Завантажте програму для двоетапної перевірки"
},
"twoStepAuthenticatorNeedApp": {
"message": "Необхідна програма для двоетапної перевірки? Завантажте одну з таких"
},
"iosDevices": {
"message": "Пристрої iOS"
},
"androidDevices": {
"message": "Пристрої Android"
},
"windowsDevices": {
"message": "Пристрої Windows"
},
"twoStepAuthenticatorAppsRecommended": {
"message": "Ці програми є рекомендованими, однак, інші програми авторизації також працюватимуть."
},
"twoStepAuthenticatorScanCode": {
"message": "Скануйте цей QR-код за допомогою програми авторизації"
},
"key": {
"message": "Ключ"
},
"twoStepAuthenticatorEnterCode": {
"message": "Введіть отриманий в програмі 6-значний код авторизації"
},
"twoStepAuthenticatorReaddDesc": {
"message": "Якщо вам необхідно додати його на іншому пристрої, внизу знаходиться QR-код (або код) для вашої програми авторизації."
},
"twoStepDisableDesc": {
"message": "Ви справді хочете вимкнути цього провайдера двоетапної перевірки?"
},
"twoStepDisabled": {
"message": "Провайдера двоетапної перевірки вимкнено."
},
"twoFactorYubikeyAdd": {
"message": "Додайте новий YubiKey до вашого облікового запису"
},
"twoFactorYubikeyPlugIn": {
"message": "Під'єднайте YubiKey до USB вашого комп'ютера."
},
"twoFactorYubikeySelectKey": {
"message": "Оберіть перше порожнє поле вводу YubiKey внизу."
},
"twoFactorYubikeyTouchButton": {
"message": "Торкніться кнопки YubiKey."
},
"twoFactorYubikeySaveForm": {
"message": "Збережіть форму."
},
"twoFactorYubikeyWarning": {
"message": "У зв'язку з обмеженнями платформи, YubiKey не можна використовувати в усіх програмах Bitwarden. Вам слід активувати іншого провайдера двоетапної перевірки, щоб ви могли отримати доступ до свого облікового запису, коли неможливо скористатися YubiKey. Підтримувані платформи:"
},
"twoFactorYubikeySupportUsb": {
"message": "Веб сховище, програма для комп'ютера, CLI, а також усі розширення браузера на пристроях, де можливо під'єднати YubiKey до USB."
},
"twoFactorYubikeySupportMobile": {
"message": "Мобільні програми на пристроях з NFC, або порт даних, який може приймати YubiKey."
},
"yubikeyX": {
"message": "YubiKey $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"u2fkeyX": {
"message": "U2F Ключ $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"webAuthnkeyX": {
"message": "Ключ WebAuthn $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"nfcSupport": {
"message": "Підтримка NFC"
},
"twoFactorYubikeySupportsNfc": {
"message": "Один з моїх ключів підтримує NFC."
},
"twoFactorYubikeySupportsNfcDesc": {
"message": "Якщо один з ваших YubiKey підтримує NFC (наприклад, YubiKey NEO), ви отримаєте запит на мобільних пристроях, як тільки буде виявлено NFC."
},
"yubikeysUpdated": {
"message": "YubiKey оновлено"
},
"disableAllKeys": {
"message": "Вимкнути всі ключі"
},
"twoFactorDuoDesc": {
"message": "Введіть інформацію про програму Bitwarden з вашої панелі адміністратора Duo."
},
"twoFactorDuoIntegrationKey": {
"message": "Ключ інтеграції"
},
"twoFactorDuoSecretKey": {
"message": "Секретний ключ"
},
"twoFactorDuoApiHostname": {
"message": "Назва вузла API"
},
"twoFactorEmailDesc": {
"message": "Дотримуйтесь цих кроків, щоб встановити двоетапну перевірку за допомогою електронної пошти:"
},
"twoFactorEmailEnterEmail": {
"message": "Введіть адресу електронної пошти, на яку ви бажаєте отримувати коди перевірки"
},
"twoFactorEmailEnterCode": {
"message": "Введіть отриманий 6-значний код перевірки з електронного повідомлення"
},
"sendEmail": {
"message": "Надіслати повідомлення"
},
"twoFactorU2fAdd": {
"message": "Додайте ключ безпеки FIDO U2F до свого облікового запису"
},
"removeU2fConfirmation": {
"message": "Ви впевнені, що хочете вилучити цей ключ безпеки?"
},
"twoFactorWebAuthnAdd": {
"message": "Додайте ключ безпеки WebAuthn до свого облікового запису"
},
"readKey": {
"message": "Читати ключ"
},
"keyCompromised": {
"message": "Ключ скомпрометований."
},
"twoFactorU2fGiveName": {
"message": "Назвіть ключ безпеки для легкої його ідентифікації."
},
"twoFactorU2fPlugInReadKey": {
"message": "Під'єднайте ключ безпеки до USB вашого комп'ютера і натисніть кнопку \"Читати ключ\"."
},
"twoFactorU2fTouchButton": {
"message": "Якщо ключ безпеки має кнопку, торкніться її."
},
"twoFactorU2fSaveForm": {
"message": "Зберегти форму."
},
"twoFactorU2fWarning": {
"message": "У зв'язку з обмеженнями платформи, FIDO U2F не можна використовувати в усіх програмах Bitwarden. Вам слід активувати іншого провайдера двоетапної перевірки, щоб ви могли отримати доступ до свого облікового запису, коли неможливо скористатися FIDO U2F. Підтримувані платформи:"
},
"twoFactorU2fSupportWeb": {
"message": "Веб сховище і розширення браузера на комп'ютерах і ноутбуках з браузерами, що мають підтримку U2F (Chrome, Opera, Vivaldi, або Firefox з увімкненим FIDO U2F)."
},
"twoFactorU2fWaiting": {
"message": "Чекаємо доки ви торкнетеся кнопки на своєму ключі безпеки"
},
"twoFactorU2fClickSave": {
"message": "Натисніть кнопку \"Зберегти\" внизу, щоб активувати двоетапну перевірку з використанням цього ключа."
},
"twoFactorU2fProblemReadingTryAgain": {
"message": "Сталася проблема при читанні ключа безпеки. Спробуйте знову."
},
"twoFactorWebAuthnWarning": {
"message": "У зв'язку з обмеженнями платформи, WebAuthn не можна використовувати в усіх програмах Bitwarden. Вам слід активувати іншого провайдера двоетапної перевірки, щоб ви могли отримати доступ до свого облікового запису, коли неможливо скористатися WebAuthn. Підтримувані платформи:"
},
"twoFactorWebAuthnSupportWeb": {
"message": "Веб сховище і розширення браузера на комп'ютерах і ноутбуках з браузерами, що мають підтримку WebAuthn (Chrome, Opera, Vivaldi, або Firefox з увімкненим FIDO U2F)."
},
"twoFactorRecoveryYourCode": {
"message": "Ваш код відновлення двоетапної перевірки Bitwarden"
},
"twoFactorRecoveryNoCode": {
"message": "Ви ще не увімкнули жодного провайдера двоетапної перевірки. Після того, як ви це зробите, ви можете повернутися сюди для отримання коду відновлення."
},
"printCode": {
"message": "Друкувати код",
"description": "Print 2FA recovery code"
},
"reports": {
"message": "Звіти"
},
"reportsDesc": {
"message": "Визначте і закрийте прогалини в безпеці у ваших облікових записах, натиснувши на звіти нижче."
},
"unsecuredWebsitesReport": {
"message": "Незахищені вебсайти"
},
"unsecuredWebsitesReportDesc": {
"message": "URL-адреси, що починаються з http:// не мають надійного шифрування. Змініть URL-адреси цих облікових записів на https:// для використання безпечного з'єднання."
},
"unsecuredWebsitesFound": {
"message": "Знайдено незахищені вебсайти"
},
"unsecuredWebsitesFoundDesc": {
"message": "Ми знайшли $COUNT$ записів у вашому сховищі з незахищеними URL-адресами. Вам слід змінити їхні URL-схеми на https://, якщо вони це дозволяють.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noUnsecuredWebsites": {
"message": "У вашому сховищі немає записів з незахищеними URL-адресами."
},
"inactive2faReport": {
"message": "Неактивна двоетапна перевірка"
},
"inactive2faReportDesc": {
"message": "Двоетапна перевірка надає додатковий рівень захисту для ваших облікових записів. Увімкніть двоетапнуперевірку з використанням вбудованих засобів Bitwarden для цих облікових записів, або скористайтеся альтернативним способом."
},
"inactive2faFound": {
"message": "Знайдено записи без двоетапної перевірки"
},
"inactive2faFoundDesc": {
"message": "Ми знайшли $COUNT$ вебсайтів у вашому сховищі, що можуть бути не налаштовані для двоетапної перевірки (за даними 2fa.directory). Для захисту цих облікових записів вам слід активувати двоетапну перевірку.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noInactive2fa": {
"message": "У вашому сховищі не знайдено вебсайтів з неналаштованою двоетапною перевіркою."
},
"instructions": {
"message": "Інструкції"
},
"exposedPasswordsReport": {
"message": "Викриті паролі"
},
"exposedPasswordsReportDesc": {
"message": "Паролі, викриті у витоках даних, є легкою мішенню для зловмисників. Змініть ці паролі для запобігання потенційних ризиків."
},
"exposedPasswordsFound": {
"message": "Знайдено викриті паролі"
},
"exposedPasswordsFoundDesc": {
"message": "У вашому сховищі знайдено $COUNT$ записів з паролями, які було викрито у відомих витоках даних. Вам слід змінити їх з використанням нового пароля.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noExposedPasswords": {
"message": "У вашому сховищі не знайдено записів з паролями, що були викриті у відомих витоках даних."
},
"checkExposedPasswords": {
"message": "Перевірка викритих паролів"
},
"exposedXTimes": {
"message": "Викрито $COUNT$ разів",
"placeholders": {
"count": {
"content": "$1",
"example": "52"
}
}
},
"weakPasswordsReport": {
"message": "Ненадійні паролі"
},
"weakPasswordsReportDesc": {
"message": "Ненадійні паролі можуть легко бути вгадані зловмисниками. Замініть ці паролі на надійні за допомогою генератора паролів."
},
"weakPasswordsFound": {
"message": "Знайдено ненадійні паролі"
},
"weakPasswordsFoundDesc": {
"message": "У вашому сховищі знайдено $COUNT$ записів з ненадійними паролями. Вам слід оновити їх з використанням надійніших паролів.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noWeakPasswords": {
"message": "У вашому сховищі немає ненадійних паролів."
},
"reusedPasswordsReport": {
"message": "Повторювані паролі"
},
"reusedPasswordsReportDesc": {
"message": "Повторне використання паролів дає змогу легко отримати доступ до багатьох облікових записів. Замініть ці паролі, щоб кожен з них був унікальним."
},
"reusedPasswordsFound": {
"message": "Знайдено повторювані паролі"
},
"reusedPasswordsFoundDesc": {
"message": "У вашому сховищі знайдено $COUNT$ паролів з повторним використанням. Вам слід змінити їх на унікальні.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noReusedPasswords": {
"message": "У вашому сховищі не знайдено паролів з повторним використанням."
},
"reusedXTimes": {
"message": "Повторюється $COUNT$ разів",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"dataBreachReport": {
"message": "Витік даних"
},
"breachDesc": {
"message": "Викриті облікові дані можуть розкрити вашу особисту інформацію. Захистіть викриті облікові записи, увімкнувши двоктапну перевірку чи створивши надійніший пароль."
},
"breachCheckUsernameEmail": {
"message": "Перевірте будь-які використовувані вами імена користувачів чи адреси електронної пошти."
},
"checkBreaches": {
"message": "Перевірити витоки даних"
},
"breachUsernameNotFound": {
"message": "$USERNAME$ не знайдено у відомих витоках даних.",
"placeholders": {
"username": {
"content": "$1",
"example": "user@example.com"
}
}
},
"goodNews": {
"message": "Гарні новини",
"description": "ex. Good News, No Breached Accounts Found!"
},
"breachUsernameFound": {
"message": "$USERNAME$ було знайдено в $COUNT$ різних витоках даних онлайн.",
"placeholders": {
"username": {
"content": "$1",
"example": "user@example.com"
},
"count": {
"content": "$2",
"example": "7"
}
}
},
"breachFound": {
"message": "Знайдено скомпрометовані облікові дані"
},
"compromisedData": {
"message": "Скомпрометовані дані"
},
"website": {
"message": "Вебсайт"
},
"affectedUsers": {
"message": "Впливає на користувачів"
},
"breachOccurred": {
"message": "Стався витік даних"
},
"breachReported": {
"message": "Отримано звіт про витік даних"
},
"reportError": {
"message": "При завантаженні звіту сталася помилка. Спробуйте знову"
},
"billing": {
"message": "Оплата"
},
"accountCredit": {
"message": "Кредит рахунку",
"description": "Financial term. In the case of Bitwarden, a positive balance means that you owe money, while a negative balance means that you have a credit (Bitwarden owes you money)."
},
"accountBalance": {
"message": "Баланс рахунку",
"description": "Financial term. In the case of Bitwarden, a positive balance means that you owe money, while a negative balance means that you have a credit (Bitwarden owes you money)."
},
"addCredit": {
"message": "Додати кредит",
"description": "Add more credit to your account's balance."
},
"amount": {
"message": "Сума",
"description": "Dollar amount, or quantity."
},
"creditDelayed": {
"message": "Доданий кредит з'явиться на вашому рахунку після повної обробки платежу. Деякі способи оплати затримуються і можуть оброблятися довше, ніж інші."
},
"makeSureEnoughCredit": {
"message": "Будь ласка, переконайтеся, що на вашому рахунку достатньо коштів для цієї покупки. Якщо на вашому рахунку недостатньо коштів, то різниця спишеться з використанням вашого типового способу оплати. Ви можете додати кошти до свого рахунку на сторінці Оплата."
},
"creditAppliedDesc": {
"message": "Кредит вашого рахунку можна використовувати для покупок. Будь-який наявний кредит автоматично використовуватиметься для рахунків, згенерованих для цього облікового запису."
},
"goPremium": {
"message": "Перейти на Premium",
"description": "Another way of saying \"Get a premium membership\""
},
"premiumUpdated": {
"message": "Ви оновилися до версії Premium."
},
"premiumUpgradeUnlockFeatures": {
"message": "Оновіть свій обліковий запис до тарифного плану Premium й отримайте чудові додаткові можливості."
},
"premiumSignUpStorage": {
"message": "1 ГБ зашифрованого сховища для файлів."
},
"premiumSignUpTwoStep": {
"message": "Додаткові можливості двоетапної перевірки, наприклад, YubiKey, FIDO U2F та Duo."
},
"premiumSignUpEmergency": {
"message": "Екстрений доступ"
},
"premiumSignUpReports": {
"message": "Гігієна паролів, здоров'я облікового запису, а також звіти про вразливості даних, щоб зберігати ваше сховище в безпеці."
},
"premiumSignUpTotp": {
"message": "Генератор коду авторизації TOTP (2FA) для входу в сховище."
},
"premiumSignUpSupport": {
"message": "Пріоритетну технічну підтримку."
},
"premiumSignUpFuture": {
"message": "Всі майбутні функції преміум статусу. Їх буде більше!"
},
"premiumPrice": {
"message": "Всього лише $PRICE$ / за рік!",
"placeholders": {
"price": {
"content": "$1",
"example": "$10"
}
}
},
"addons": {
"message": "Додатки"
},
"premiumAccess": {
"message": "Преміум-доступ"
},
"premiumAccessDesc": {
"message": "Ви можете додати преміум-доступ для всіх учасників вашої організації за $PRICE$ /$INTERVAL$.",
"placeholders": {
"price": {
"content": "$1",
"example": "$3.33"
},
"interval": {
"content": "$2",
"example": "'month' or 'year'"
}
}
},
"additionalStorageGb": {
"message": "Додаткове сховище (ГБ)"
},
"additionalStorageGbDesc": {
"message": "# додаткових ГБ"
},
"additionalStorageIntervalDesc": {
"message": "У ваш тарифний план включено зашифроване сховище файлів, розміром $SIZE$. Ви можете збільшити обсяг сховища по ціні $PRICE$ за ГБ /$INTERVAL$.",
"placeholders": {
"size": {
"content": "$1",
"example": "1 GB"
},
"price": {
"content": "$2",
"example": "$4.00"
},
"interval": {
"content": "$3",
"example": "'month' or 'year'"
}
}
},
"summary": {
"message": "Підсумок"
},
"total": {
"message": "Всього"
},
"year": {
"message": "рік"
},
"month": {
"message": "місяць"
},
"monthAbbr": {
"message": "міс.",
"description": "Short abbreviation for 'month'"
},
"paymentChargedAnnually": {
"message": "З вас буде одразу стягнуто плату згідно з обраним способом, а потім так само кожного року. Ви можете скасувати це в будь-який час."
},
"paymentCharged": {
"message": "З вас буде одразу стягнуто плату згідно з обраним способом, а потім так само кожного $INTERVAL$. Ви можете скасувати це в будь-який час.",
"placeholders": {
"interval": {
"content": "$1",
"example": "month or year"
}
}
},
"paymentChargedWithTrial": {
"message": "Ваш тарифний план має 7 днів безплатного пробного періоду. З вас не буде стягнуто плату до завершення цього періоду. Ви можете скасувати це в будь-який час."
},
"paymentInformation": {
"message": "Інформація про оплату"
},
"billingInformation": {
"message": "Платіжна інформація"
},
"creditCard": {
"message": "Кредитна карта"
},
"paypalClickSubmit": {
"message": "Натисніть кнопку PayPal для входу в свій обліковий запис PayPal, потім натисніть кнопку Відправити внизу для продовження."
},
"cancelSubscription": {
"message": "Скасувати передплату"
},
"subscriptionCanceled": {
"message": "Передплату було скасовано."
},
"pendingCancellation": {
"message": "Очікування скасування"
},
"subscriptionPendingCanceled": {
"message": "Передплату було позначено для скасування в кінці поточного оплаченого періоду."
},
"reinstateSubscription": {
"message": "Відновити передплату"
},
"reinstateConfirmation": {
"message": "Ви справді хочете вилучити очікуваний запит скасування і відновити вашу передплату?"
},
"reinstated": {
"message": "Передплату було відновлено."
},
"cancelConfirmation": {
"message": "Ви справді хочете скасувати? Ви втратите доступ до всіх можливостей, пов'язаних з нею після завершення поточного періоду передплати."
},
"canceledSubscription": {
"message": "Передплату було скасовано."
},
"neverExpires": {
"message": "Необмежений термін дії"
},
"status": {
"message": "Статус"
},
"nextCharge": {
"message": "Наступна оплата"
},
"details": {
"message": "Подробиці"
},
"downloadLicense": {
"message": "Завантажити ліцензію"
},
"updateLicense": {
"message": "Оновити ліцензію"
},
"updatedLicense": {
"message": "Ліцензію оновлено"
},
"manageSubscription": {
"message": "Керувати передплатою"
},
"storage": {
"message": "Сховище"
},
"addStorage": {
"message": "Додати сховище"
},
"removeStorage": {
"message": "Вилучити сховище"
},
"subscriptionStorage": {
"message": "Ваша передплата включає всього $MAX_STORAGE$ ГБ зашифрованого сховища файлів. Ви зараз використовуєте $USED_STORAGE$.",
"placeholders": {
"max_storage": {
"content": "$1",
"example": "4"
},
"used_storage": {
"content": "$2",
"example": "65 MB"
}
}
},
"paymentMethod": {
"message": "Спосіб оплати"
},
"noPaymentMethod": {
"message": "Файл не містить способу оплати."
},
"addPaymentMethod": {
"message": "Додати спосіб оплати"
},
"changePaymentMethod": {
"message": "Змінити спосіб оплати"
},
"invoices": {
"message": "Рахунки"
},
"noInvoices": {
"message": "Немає рахунків."
},
"paid": {
"message": "Сплачено",
"description": "Past tense status of an invoice. ex. Paid or unpaid."
},
"unpaid": {
"message": "Не сплачено",
"description": "Past tense status of an invoice. ex. Paid or unpaid."
},
"transactions": {
"message": "Транзакції",
"description": "Payment/credit transactions."
},
"noTransactions": {
"message": "Немає транзакцій."
},
"chargeNoun": {
"message": "Списання",
"description": "Noun. A charge from a payment method."
},
"refundNoun": {
"message": "Повернення",
"description": "Noun. A refunded payment that was charged."
},
"chargesStatement": {
"message": "Будь-які оплати з'являтимуться у вашому рахунку як $STATEMENT_NAME$.",
"placeholders": {
"statement_name": {
"content": "$1",
"example": "BITWARDEN"
}
}
},
"gbStorageAdd": {
"message": "ГБ сховища для додавання"
},
"gbStorageRemove": {
"message": "ГБ сховища для вилучення"
},
"storageAddNote": {
"message": "Додавання сховища призведе до змін суми вашої оплати і негайно буде стягнуто плату способом, зазначеним у файлі. Перша оплата буде пропорційна решті за поточний цикл оплати."
},
"storageRemoveNote": {
"message": "Вилучення сховища призведе до змін у сумі вашої оплати і буде пропорційно розділено у вигляді кредиту за наступний цикл оплати."
},
"adjustedStorage": {
"message": "Змінено $AMOUNT$ ГБ сховища.",
"placeholders": {
"amount": {
"content": "$1",
"example": "5"
}
}
},
"contactSupport": {
"message": "Зв'язатися зі службою підтримки клієнтів"
},
"updatedPaymentMethod": {
"message": "Спосіб оплати оновлено."
},
"purchasePremium": {
"message": "Придбати преміум"
},
"licenseFile": {
"message": "Файл ліцензії"
},
"licenseFileDesc": {
"message": "Ваш файл ліцензії має назву $FILE_NAME$",
"placeholders": {
"file_name": {
"content": "$1",
"example": "bitwarden_premium_license.json"
}
}
},
"uploadLicenseFilePremium": {
"message": "Для оновлення вашого облікового запису до Premium, вам необхідно вивантажити дійсний файл ліцензії."
},
"uploadLicenseFileOrg": {
"message": "Для створення організації, розміщеної на локальному хостингу, вам необхідно вивантажити дійсний файл ліцензії."
},
"accountEmailMustBeVerified": {
"message": "Необхідно підтвердити адресу електронної пошти вашого облікового запису."
},
"newOrganizationDesc": {
"message": "Організації дозволяють вам спільно використовувати ваше сховище з іншими, а також керувати пов'язаними користувачами окремих записів, наприклад, родиною, невеликою командою, або великою компанією."
},
"generalInformation": {
"message": "Загальна інформація"
},
"organizationName": {
"message": "Назва організації"
},
"accountOwnedBusiness": {
"message": "Цей обліковий запис належить компанії."
},
"billingEmail": {
"message": "Адреса електронної пошти для оплати"
},
"businessName": {
"message": "Назва компанії"
},
"chooseYourPlan": {
"message": "Оберіть свій тарифний план"
},
"users": {
"message": "Користувачі"
},
"userSeats": {
"message": "Місця користувачів"
},
"additionalUserSeats": {
"message": "Додаткові місця користувачів"
},
"userSeatsDesc": {
"message": "# місць користувачів"
},
"userSeatsAdditionalDesc": {
"message": "Ваш тарифний план постачається з $BASE_SEATS$ місць користувачів. Ви можете додати місця для користувачів по ціні $SEAT_PRICE$ за користувача на місяць.",
"placeholders": {
"base_seats": {
"content": "$1",
"example": "5"
},
"seat_price": {
"content": "$2",
"example": "$2.00"
}
}
},
"userSeatsHowManyDesc": {
"message": "Скільки місць користувачів вам необхідно? При необхідності, ви також можете пізніше додати місця користувачів."
},
"planNameFree": {
"message": "Безплатно",
"description": "Free as in 'free beer'."
},
"planDescFree": {
"message": "Для тестування чи особистого користування спільно з $COUNT$ іншим користувачем.",
"placeholders": {
"count": {
"content": "$1",
"example": "1"
}
}
},
"planNameFamilies": {
"message": "Родина"
},
"planDescFamilies": {
"message": "Для особистого користування спільно з родиною і друзями."
},
"planNameTeams": {
"message": "Команда"
},
"planDescTeams": {
"message": "Для компаній та інших командних організацій."
},
"planNameEnterprise": {
"message": "Компанія"
},
"planDescEnterprise": {
"message": "Для компаній та інших великих організацій."
},
"freeForever": {
"message": "Безплатно назавжди"
},
"includesXUsers": {
"message": "включає $COUNT$ користувачів",
"placeholders": {
"count": {
"content": "$1",
"example": "5"
}
}
},
"additionalUsers": {
"message": "Додаткові користувачі"
},
"costPerUser": {
"message": "$COST$ за користувача",
"placeholders": {
"cost": {
"content": "$1",
"example": "$3"
}
}
},
"limitedUsers": {
"message": "Обмеження для $COUNT$ користувачів (разом з вами)",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"limitedCollections": {
"message": "Обмеження для $COUNT$ збірок",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"addShareLimitedUsers": {
"message": "Додавання й спільне користування з $COUNT$ користувачами",
"placeholders": {
"count": {
"content": "$1",
"example": "5"
}
}
},
"addShareUnlimitedUsers": {
"message": "Додавання й спільне користування з необмеженою кількістю користувачів"
},
"createUnlimitedCollections": {
"message": "Створення необмежених збірок"
},
"gbEncryptedFileStorage": {
"message": "$SIZE$ зашифрованого сховища файлів",
"placeholders": {
"size": {
"content": "$1",
"example": "1 GB"
}
}
},
"onPremHostingOptional": {
"message": "Попереднє розміщення (необов'язково)"
},
"usersGetPremium": {
"message": "Користувачі отримують доступ до можливостей Premium"
},
"controlAccessWithGroups": {
"message": "Контроль доступу користувачів за допомогою груп"
},
"syncUsersFromDirectory": {
"message": "Синхронізація користувачів і груп з каталогу"
},
"trackAuditLogs": {
"message": "Відстеження дій користувачів з журналами аудиту"
},
"enforce2faDuo": {
"message": "Вимагайте 2FA з використанням Duo"
},
"priorityCustomerSupport": {
"message": "Пріоритетна підтримка користувачів"
},
"xDayFreeTrial": {
"message": "$COUNT$ днів безплатного пробного періоду. Можна скасувати в будь-який час",
"placeholders": {
"count": {
"content": "$1",
"example": "7"
}
}
},
"monthly": {
"message": "Щомісяця"
},
"annually": {
"message": "Щороку"
},
"basePrice": {
"message": "Базова ціна"
},
"organizationCreated": {
"message": "Організацію створено"
},
"organizationReadyToGo": {
"message": "Ваша нова організація готова до використання!"
},
"organizationUpgraded": {
"message": "Вашу організацію було оновлено."
},
"leave": {
"message": "Покинути"
},
"leaveOrganizationConfirmation": {
"message": "Ви справді хочете покинути цю організацію?"
},
"leftOrganization": {
"message": "Ви покинули організацію."
},
"defaultCollection": {
"message": "Типова збірка"
},
"getHelp": {
"message": "Отримати допомогу"
},
"getApps": {
"message": "Отримати додатки"
},
"loggedInAs": {
"message": "Вхід виконано"
},
"eventLogs": {
"message": "Журнали подій"
},
"people": {
"message": "Люди"
},
"policies": {
"message": "Політики"
},
"singleSignOn": {
"message": "Єдиний вхід"
},
"editPolicy": {
"message": "Змінити політику"
},
"groups": {
"message": "Групи"
},
"newGroup": {
"message": "Нова група"
},
"addGroup": {
"message": "Додати групу"
},
"editGroup": {
"message": "Змінити групу"
},
"deleteGroupConfirmation": {
"message": "Ви справді хочете видалити цю групу?"
},
"removeUserConfirmation": {
"message": "Ви справді хочете вилучити цього користувача?"
},
"removeUserConfirmationKeyConnector": {
"message": "Попередження! Цей користувач потребує Key Connector для керування шифруванням. Вилучення цього користувача з вашої організації остаточно вимкне його обліковий запис. Цю дію неможливо скасувати. Ви хочете продовжити?"
},
"externalId": {
"message": "Зовнішній ID"
},
"externalIdDesc": {
"message": "Зовнішній ID може використовуватись в якості посилання або для зв'язку цього ресурсу із зовнішньою системою, такою як каталок користувача."
},
"accessControl": {
"message": "Контроль доступу"
},
"groupAccessAllItems": {
"message": "Ця грума має доступ і дозвіл редагування записів."
},
"groupAccessSelectedCollections": {
"message": "Ця група має доступ лише до окремих збірок."
},
"readOnly": {
"message": "Лише читання"
},
"newCollection": {
"message": "Нова збірка"
},
"addCollection": {
"message": "Додати збірку"
},
"editCollection": {
"message": "Змінити збірку"
},
"deleteCollectionConfirmation": {
"message": "Ви справді хочете видалити цю збірку?"
},
"editUser": {
"message": "Редагувати користувача"
},
"inviteUser": {
"message": "Запросити користувача"
},
"inviteUserDesc": {
"message": "Запросіть нового користувача до вашої організації, ввівши адресу е-пошти його облікового запису Bitwarden. Якщо він ще не має облікового запису, він отримає запит на його створення."
},
"inviteMultipleEmailDesc": {
"message": "Ви можете запросити до $COUNT$ користувачів за раз, розділивши адреси е-пошти комою.",
"placeholders": {
"count": {
"content": "$1",
"example": "20"
}
}
},
"userUsingTwoStep": {
"message": "Цей користувач використовує двоетапну перевірку для захисту свого облікового запису."
},
"userAccessAllItems": {
"message": "Цей користувач має доступ і можливість змінювати всі записи."
},
"userAccessSelectedCollections": {
"message": "Цей користувач має доступ лише до обраних збірок."
},
"search": {
"message": "Пошук"
},
"invited": {
"message": "Запрошено"
},
"accepted": {
"message": "Схвалено"
},
"confirmed": {
"message": "Підтверджено"
},
"clientOwnerEmail": {
"message": "Е-пошта власника клієнта"
},
"owner": {
"message": "Власник"
},
"ownerDesc": {
"message": "Користувач з найвищими привілеями, який може керувати всіма налаштуваннями організації."
},
"clientOwnerDesc": {
"message": "Цей користувач повинен бути незалежним від постачальника. Якщо постачальник не пов'язаний з організацією, цей користувач підтримуватиме право власності організації."
},
"admin": {
"message": "Адміністратор"
},
"adminDesc": {
"message": "Адміністратори мають доступ і можливість керування всіма записами, збірками та користувачами вашої організації."
},
"user": {
"message": "Користувач"
},
"userDesc": {
"message": "Звичайний користувач з доступом до пов'язаних збірок вашої організації."
},
"manager": {
"message": "Менеджер"
},
"managerDesc": {
"message": "Менеджери мають доступ і можуть керувати пов'язаними збірками вашої організації."
},
"all": {
"message": "Усі"
},
"refresh": {
"message": "Оновити"
},
"timestamp": {
"message": "Мітка часу"
},
"event": {
"message": "Подія"
},
"unknown": {
"message": "Невідомо"
},
"loadMore": {
"message": "Завантажити більше"
},
"mobile": {
"message": "Мобільний",
"description": "Mobile app"
},
"extension": {
"message": "Розширення",
"description": "Browser extension/addon"
},
"desktop": {
"message": "Комп'ютер",
"description": "Desktop app"
},
"webVault": {
"message": "Веб сховище"
},
"loggedIn": {
"message": "Вхід виконано."
},
"changedPassword": {
"message": "Пароль облікового запису змінено."
},
"enabledUpdated2fa": {
"message": "Двоетапну перевірку увімкнено/оновлено."
},
"disabled2fa": {
"message": "Двоетапну перевірку вимкнено."
},
"recovered2fa": {
"message": "Обліковий запис відновлено після двоетапної перевірки."
},
"failedLogin": {
"message": "Не вдалося виконати вхід через неправильний пароль."
},
"failedLogin2fa": {
"message": "Не вдалося виконати вхід через невдалу двоетапну перевірку."
},
"exportedVault": {
"message": "Експортовано сховище."
},
"exportedOrganizationVault": {
"message": "Експортовано сховище організації."
},
"editedOrgSettings": {
"message": "Налаштування організації змінено."
},
"createdItemId": {
"message": "Створено запис $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"editedItemId": {
"message": "Змінений елемент $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"deletedItemId": {
"message": "Запис $ID$ перенесено до смітника.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"movedItemIdToOrg": {
"message": "Запис $ID$ переміщено до організації.",
"placeholders": {
"id": {
"content": "$1",
"example": "'Google'"
}
}
},
"viewedItemId": {
"message": "Переглянуто запис $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedPasswordItemId": {
"message": "Переглянуто пароль для запису $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedHiddenFieldItemId": {
"message": "Переглянути приховане поле запису $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedSecurityCodeItemId": {
"message": "Переглянуто код безпеки запису $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedPasswordItemId": {
"message": "Скопійовано пароль запису $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedHiddenFieldItemId": {
"message": "Скопійовано приховане поле запису $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedSecurityCodeItemId": {
"message": "Скопійовано код безпеки запису $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"autofilledItemId": {
"message": "Виконано автозаповнення запису $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"createdCollectionId": {
"message": "Створена збірка $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"editedCollectionId": {
"message": "Змінена збірка $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"deletedCollectionId": {
"message": "Видалена збірка $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"editedPolicyId": {
"message": "$ID$ зміненої політики.",
"placeholders": {
"id": {
"content": "$1",
"example": "Master Password"
}
}
},
"createdGroupId": {
"message": "Створена група $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"editedGroupId": {
"message": "Змінена група $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"deletedGroupId": {
"message": "Видалена група $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"removedUserId": {
"message": "Вилучений користувач $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"createdAttachmentForItem": {
"message": "Створено вкладення для елемента $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"deletedAttachmentForItem": {
"message": "Видалено вкладення для елемента $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"editedCollectionsForItem": {
"message": "Змінена збірка для елемента $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"invitedUserId": {
"message": "Запрошений користувач $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"confirmedUserId": {
"message": "Підтверджений користувач $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"editedUserId": {
"message": "Змінений користувач $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"editedGroupsForUser": {
"message": "Змінені групи для користувача $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"unlinkedSsoUser": {
"message": "Незв'язаний SSO для користувача $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"createdOrganizationId": {
"message": "Створено організацію $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"addedOrganizationId": {
"message": "Додано організацію $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"removedOrganizationId": {
"message": "Вилучено організацію $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"accessedClientVault": {
"message": "Отримано доступ до сховища організації $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"device": {
"message": "Пристрій"
},
"view": {
"message": "Перегляд"
},
"invalidDateRange": {
"message": "Недійсний проміжок часу."
},
"errorOccurred": {
"message": "Сталася помилка."
},
"userAccess": {
"message": "Доступ користувачів"
},
"userType": {
"message": "Тип користувача"
},
"groupAccess": {
"message": "Доступ до групи"
},
"groupAccessUserDesc": {
"message": "Змінюйте приналежність користувача до груп."
},
"invitedUsers": {
"message": "Запрошений користувач."
},
"resendInvitation": {
"message": "Повторно надіслати запрошення"
},
"resendEmail": {
"message": "Надіслати лист повторно"
},
"hasBeenReinvited": {
"message": "$USER$ було повторно запрошено.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"confirm": {
"message": "Підтвердити"
},
"confirmUser": {
"message": "Підтвердити користувача"
},
"hasBeenConfirmed": {
"message": "$USER$ було підтверджено.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"confirmUsers": {
"message": "Підтвердити користувачів"
},
"usersNeedConfirmed": {
"message": "У вас є користувачі, які підтвердили ваше запрошення, але все ще мають бути схвалені. Користувачі не матимуть доступу до організації доки ви їх не затвердите."
},
"startDate": {
"message": "Дата початку"
},
"endDate": {
"message": "Дата завершення"
},
"verifyEmail": {
"message": "Підтвердити е-пошту"
},
"verifyEmailDesc": {
"message": "Підтвердьте е-пошту вашого облікового запису для розблокування доступу до всіх можливостей."
},
"verifyEmailFirst": {
"message": "Спершу вам необхідно підтвердити е-пошту вашого облікового запису."
},
"checkInboxForVerification": {
"message": "Знайдіть посилання для підтвердження у своїх поштовій скриньці."
},
"emailVerified": {
"message": "Вашу е-пошту було підтверджено."
},
"emailVerifiedFailed": {
"message": "Неможливо підтвердити вашу е-пошту. Спробуйте надіслати нове повідомлення для підтвердження."
},
"emailVerificationRequired": {
"message": "Необхідно підтвердити е-пошту"
},
"emailVerificationRequiredDesc": {
"message": "Для використання цієї функції необхідно підтвердити електронну пошту."
},
"updateBrowser": {
"message": "Оновити браузер"
},
"updateBrowserDesc": {
"message": "Ви використовуєте непідтримуваний браузер. Веб сховище може працювати неправильно."
},
"joinOrganization": {
"message": "Приєднатися до організації"
},
"joinOrganizationDesc": {
"message": "Вас було запрошено приєднатися до зазначеної вгорі організації. Щоб підтвердити запрошення, вам необхідно увійти в обліковий запис Bitwarden, або створити його."
},
"inviteAccepted": {
"message": "Запрошення прийнято"
},
"inviteAcceptedDesc": {
"message": "Ви можете отримати доступ до цієї організації одразу після підтвердження адміністратором. Ми надішлемо вам електронне повідомлення, коли це станеться."
},
"inviteAcceptFailed": {
"message": "Не вдалося прийняти запрошення. Попросіть адміністратора організації надіслати вам нове."
},
"inviteAcceptFailedShort": {
"message": "Не вдається прийняти запрошення. $DESCRIPTION$",
"placeholders": {
"description": {
"content": "$1",
"example": "You must enable 2FA on your user account before you can join this organization."
}
}
},
"rememberEmail": {
"message": "Запам'ятати е-пошту"
},
"recoverAccountTwoStepDesc": {
"message": "Якщо вам не вдається отримати доступ до свого облікового запису з використанням звичайної двоетапної перевірки, ви можете скористатися своїм кодом відновлення, щоб вимкнути всіх провайдерів двоетапної перевірки для вашого облікового запису."
},
"recoverAccountTwoStep": {
"message": "Відновити вхід з використанням двоетапної перевірки"
},
"twoStepRecoverDisabled": {
"message": "Вхід з використанням двоетапної перевірки було вимкнено."
},
"learnMore": {
"message": "Докладніше"
},
"deleteRecoverDesc": {
"message": "Введіть свою адресу е-пошти внизу, щоб відновити і видалити обліковий запис."
},
"deleteRecoverEmailSent": {
"message": "Якщо ваш обліковий запис існує, ми надіслали вам електронне повідомлення з подальшими інструкціями."
},
"deleteRecoverConfirmDesc": {
"message": "Ви відправили запит видалення облікового запису Bitwarden. Натисніть на кнопку внизу для підтвердження."
},
"myOrganization": {
"message": "Моя організація"
},
"deleteOrganization": {
"message": "Видалити організацію"
},
"deletingOrganizationContentWarning": {
"message": "Введіть головний пароль для підтвердження видалення $ORGANIZATION$ та всіх пов'язаних даних. Дані сховища в $ORGANIZATION$ включають:",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"deletingOrganizationActiveUserAccountsWarning": {
"message": "Облікові записи користувачів залишатимуться активними після видалення, але більше не будуть пов'язані з цією організацією."
},
"deletingOrganizationIsPermanentWarning": {
"message": "Видалення $ORGANIZATION$ є остаточним і незворотнім.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"organizationDeleted": {
"message": "Організацію видалено"
},
"organizationDeletedDesc": {
"message": "Організацію і всі пов'язані дані було видалено."
},
"organizationUpdated": {
"message": "Організацію оновлено"
},
"taxInformation": {
"message": "Інформація про податки"
},
"taxInformationDesc": {
"message": "Клієнтам у США необхідно вказувати поштовий індекс для забезпечення вимог податкового законодавства. Для інших країн надання ІПН (ПДВ/GST) та/або адреси є необов'язковим і ви можете вказувати ці дані для включення в рахунки."
},
"billingPlan": {
"message": "Тарифний план",
"description": "A billing plan/package. For example: families, teams, enterprise, etc."
},
"changeBillingPlan": {
"message": "Оновити тарифний план",
"description": "A billing plan/package. For example: families, teams, enterprise, etc."
},
"changeBillingPlanUpgrade": {
"message": "Перейдіть на передплату вищого рівня, вказавши інформацію внизу. Переконайтеся, що ваш обліковий запис має актуальні дані про спосіб оплати.",
"description": "A billing plan/package. For example: families, teams, enterprise, etc."
},
"invoiceNumber": {
"message": "Рахунок #$NUMBER$",
"description": "ex. Invoice #79C66F0-0001",
"placeholders": {
"number": {
"content": "$1",
"example": "79C66F0-0001"
}
}
},
"viewInvoice": {
"message": "Переглянути рахунок"
},
"downloadInvoice": {
"message": "Завантажити рахунок"
},
"verifyBankAccount": {
"message": "Підтвердьте банківський рахунок"
},
"verifyBankAccountDesc": {
"message": "Ми зробили два мікро-депозити для вашого облікового запису (їх поява може тривати 1-2 робочих дні). Введіть ці суми для підтвердження вашого банківського рахунку."
},
"verifyBankAccountInitialDesc": {
"message": "Оплата з банківського рахунку доступна лише для клієнтів США. Вам необхідно буде засвідчити свій банківський рахунок. Ми зробимо два мікро-депозити протягом наступних 1-2 днів. Введіть ці суми на сторінці оплати організації для підтвердження банківського рахунку."
},
"verifyBankAccountFailureWarning": {
"message": "Неможливість засвідчення банківського рахунку призведе до втраченого платежу і ваша передплата залишиться неактивною."
},
"verifiedBankAccount": {
"message": "Банківський рахунок було засвідчено."
},
"bankAccount": {
"message": "Банківський рахунок"
},
"amountX": {
"message": "Сума $COUNT$",
"description": "Used in bank account verification of micro-deposits. Amount, as in a currency amount. Ex. Amount 1 is $2.00, Amount 2 is $1.50",
"placeholders": {
"count": {
"content": "$1",
"example": "1"
}
}
},
"routingNumber": {
"message": "Номер відстеження",
"description": "Bank account routing number"
},
"accountNumber": {
"message": "Номер рахунку"
},
"accountHolderName": {
"message": "Ім'я власника рахунку"
},
"bankAccountType": {
"message": "Тип рахунку"
},
"bankAccountTypeCompany": {
"message": "Компанія (Бізнес)"
},
"bankAccountTypeIndividual": {
"message": "Індивідуальний (Особистий)"
},
"enterInstallationId": {
"message": "Введіть ID вашої інсталяції"
},
"limitSubscriptionDesc": {
"message": "Встановіть ліміт місць для вашої передплати. Після досягнення цього ліміту ви не зможете запрошувати нових користувачів."
},
"maxSeatLimit": {
"message": "Максимальний ліміт місць (необов'язково)",
"description": "Upper limit of seats to allow through autoscaling"
},
"maxSeatCost": {
"message": "Максимальна потенційна вартість місця"
},
"addSeats": {
"message": "Додати місця",
"description": "Seat = User Seat"
},
"removeSeats": {
"message": "Вилучити місця",
"description": "Seat = User Seat"
},
"subscriptionDesc": {
"message": "Коригування вашої передплати призведе до відповідних змін у ваших рахунках. Якщо нові запрошені користувачі перевищать обмеження ваших місць, ви відразу отримаєте пропорційний рахунок для оплати за додаткових користувачів."
},
"subscriptionUserSeats": {
"message": "Ваша передплата дозволяє всього $COUNT$ користувачів.",
"placeholders": {
"count": {
"content": "$1",
"example": "50"
}
}
},
"limitSubscription": {
"message": "Обмеження передплати (Необов'язково)"
},
"subscriptionSeats": {
"message": "Передплачені місця"
},
"subscriptionUpdated": {
"message": "Передплату оновлено"
},
"additionalOptions": {
"message": "Додаткові налаштування"
},
"additionalOptionsDesc": {
"message": "Для отримання додаткової допомоги в керуванні вашою передплатою, будь ласка, зверніться до служби підтримки."
},
"subscriptionUserSeatsUnlimitedAutoscale": {
"message": "Коригування вашої передплати призведе до відповідних змін у ваших рахунках. Якщо нові запрошені користувачі перевищать обмеження ваших місць, ви відразу отримаєте пропорційний рахунок для оплати за додаткових користувачів."
},
"subscriptionUserSeatsLimitedAutoscale": {
"message": "Коригування вашої передплати призведе до відповідних змін у ваших рахунках. Якщо нові запрошені користувачі перевищать обмеження ваших місць, ви відразу отримаєте пропорційний рахунок для оплати за додаткових користувачів, доки не досягнуто вашого обмеження $MAX$ місць.",
"placeholders": {
"max": {
"content": "$1",
"example": "50"
}
}
},
"subscriptionFreePlan": {
"message": "Ви не можете запросити більше $COUNT$ користувачів без переходу на вищий тарифний план.",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"subscriptionFamiliesPlan": {
"message": "Ви не можете запросити більше $COUNT$ користувачів без оновлення вашого тарифного плану. Будь ласка, зв'яжіться зі службою підтримки для оновлення.",
"placeholders": {
"count": {
"content": "$1",
"example": "6"
}
}
},
"subscriptionSponsoredFamiliesPlan": {
"message": "Ваша передплата дозволяє всього $COUNT$ користувачів. Ваш тарифний план спонсорується та оплачується сторонньою організацією.",
"placeholders": {
"count": {
"content": "$1",
"example": "6"
}
}
},
"subscriptionMaxReached": {
"message": "Коригування вашої передплати призведе до відповідних змін у ваших рахунках. Ви не можете запросити понад $COUNT$ користувачів без збільшення передплачених місць.",
"placeholders": {
"count": {
"content": "$1",
"example": "50"
}
}
},
"seatsToAdd": {
"message": "Додається місць"
},
"seatsToRemove": {
"message": "Вилучається місць"
},
"seatsAddNote": {
"message": "Додавання місць користувачів призведе до змін суми вашого рахунку і одразу ж буде стягнуто плату згідно зазначеного способу. Перша оплата буде пропорційною залишку поточного циклу оплати."
},
"seatsRemoveNote": {
"message": "Вилучення місць користувачів призведе до змін суми вашого рахунку, що буде пропорційно розділено у вигляді кредитів за наступний цикл оплати."
},
"adjustedSeats": {
"message": "Змінено $AMOUNT$ місць користувачів.",
"placeholders": {
"amount": {
"content": "$1",
"example": "15"
}
}
},
"keyUpdated": {
"message": "Ключ оновлено"
},
"updateKeyTitle": {
"message": "Оновити ключ"
},
"updateEncryptionKey": {
"message": "Оновити ключ шифрування"
},
"updateEncryptionKeyShortDesc": {
"message": "Зараз ви використовуєте застарілу схему шифрування."
},
"updateEncryptionKeyDesc": {
"message": "Ми перейшли на більші ключі шифрування, що гарантує кращу безпеку і доступ до новіших функцій. Оновлення вашого ключа шифрування є швидким і простим процесом. Просто введіть свій головний пароль внизу. Це оновлення невдовзі стане обов'язковою вимогою."
},
"updateEncryptionKeyWarning": {
"message": "Після оновлення вашого ключа шифрування вам необхідно вийти з системи і потім виконати повторний вхід у всіх програмах Bitwarden, які ви використовуєте. Збій при виході та повторному вході може призвести до пошкодження даних. Ми спробуємо завершити ваші сеанси автоматично, однак, цей процес може відбутися із затримкою."
},
"updateEncryptionKeyExportWarning": {
"message": "Будь-які зашифровані експортування, які ви зберегли, також стануть недійсними."
},
"subscription": {
"message": "Передплата"
},
"loading": {
"message": "Завантаження"
},
"upgrade": {
"message": "Оновити"
},
"upgradeOrganization": {
"message": "Оновити організацію"
},
"upgradeOrganizationDesc": {
"message": "Ця функція недоступна для безплатних організацій. Перемкніться на платний тарифний план для розблокування додаткових можливостей."
},
"createOrganizationStep1": {
"message": "Створити організацію: Крок 1"
},
"createOrganizationCreatePersonalAccount": {
"message": "Перед створенням вашої організації, вам спочатку необхідно створити безплатний особистий обліковий запис."
},
"refunded": {
"message": "Відшкодовано"
},
"nothingSelected": {
"message": "Ви нічого не обрали."
},
"acceptPolicies": {
"message": "Позначивши цей прапорець, ви погоджуєтеся з:"
},
"acceptPoliciesError": {
"message": "Умови користування та політика приватності не погоджені."
},
"termsOfService": {
"message": "Умови користування"
},
"privacyPolicy": {
"message": "Політику приватності"
},
"filters": {
"message": "Фільтри"
},
"vaultTimeout": {
"message": "Час очікування сховища"
},
"vaultTimeoutDesc": {
"message": "Оберіть дію, яка виконається після завершення часу очікування вашого сховища."
},
"oneMinute": {
"message": "1 хвилина"
},
"fiveMinutes": {
"message": "5 хвилин"
},
"fifteenMinutes": {
"message": "15 хвилин"
},
"thirtyMinutes": {
"message": "30 хвилин"
},
"oneHour": {
"message": "1 година"
},
"fourHours": {
"message": "4 години"
},
"onRefresh": {
"message": "Перезавантаження сторінки"
},
"dateUpdated": {
"message": "Оновлено",
"description": "ex. Date this item was updated"
},
"datePasswordUpdated": {
"message": "Пароль оновлено",
"description": "ex. Date this password was updated"
},
"organizationIsDisabled": {
"message": "Організацію вимкнено."
},
"licenseIsExpired": {
"message": "Термін дії ліцензії завершився."
},
"updatedUsers": {
"message": "Оновлені користувачі"
},
"selected": {
"message": "Вибрано"
},
"ownership": {
"message": "Власник"
},
"whoOwnsThisItem": {
"message": "Хто є власником цього елемента?"
},
"strong": {
"message": "Надійний",
"description": "ex. A strong password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"good": {
"message": "Хороший",
"description": "ex. A good password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"weak": {
"message": "Слабкий",
"description": "ex. A weak password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"veryWeak": {
"message": "Дуже слабкий",
"description": "ex. A very weak password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"weakMasterPassword": {
"message": "Слабкий головний пароль"
},
"weakMasterPasswordDesc": {
"message": "Обраний вами головний пароль є слабким. Для належного захисту свого облікового запису Bitwarden, вам слід використовувати надійний головний пароль (або парольну фразу). Ви впевнені, що хочете використати цей пароль?"
},
"rotateAccountEncKey": {
"message": "Також повернути ключ шифрування мого облікового запису"
},
"rotateEncKeyTitle": {
"message": "Повернути ключ шифрування"
},
"rotateEncKeyConfirmation": {
"message": "Ви справді хочете повернути ключ шифрування облікового запису?"
},
"attachmentsNeedFix": {
"message": "Цей елемент має старі вкладені файли, які необхідно виправити."
},
"attachmentFixDesc": {
"message": "Цей старий вкладений файл необхідно виправити. Натисніть, щоб дізнатися більше."
},
"fix": {
"message": "Виправити",
"description": "This is a verb. ex. 'Fix The Car'"
},
"oldAttachmentsNeedFixDesc": {
"message": "У вашому сховищі є старі вкладені файли, які необхідно виправити перед тим, як повертати ключ шифрування облікового запису."
},
"yourAccountsFingerprint": {
"message": "Фраза відбитку вашого облікового запису",
"description": "A 'fingerprint phrase' is a unique word phrase (similar to a passphrase) that a user can use to authenticate their public key with another user, for the purposes of sharing."
},
"fingerprintEnsureIntegrityVerify": {
"message": "Для забезпечення цілісності ваших ключів шифрування, будь ласка, засвідчіть фразу відбитку пальця користувача.",
"description": "A 'fingerprint phrase' is a unique word phrase (similar to a passphrase) that a user can use to authenticate their public key with another user, for the purposes of sharing."
},
"dontAskFingerprintAgain": {
"message": "Ніколи не питати про засвідчення фрази відбитку для запрошених користувачів (Не рекомендовано)",
"description": "A 'fingerprint phrase' is a unique word phrase (similar to a passphrase) that a user can use to authenticate their public key with another user, for the purposes of sharing."
},
"free": {
"message": "Безплатно",
"description": "Free, as in 'Free beer'"
},
"apiKey": {
"message": "Ключ API"
},
"apiKeyDesc": {
"message": "Ваш ключ API може бути використаний для авторизації публічного API Bitwarden."
},
"apiKeyRotateDesc": {
"message": "Поворот ключа API спричинить анулювання попереднього ключа. Ви можете повернути свій ключ API, якщо вважаєте, що поточний ключ більше не є безпечним для використання."
},
"apiKeyWarning": {
"message": "Ваш ключ API має повний доступ до організації. Він повинен зберігатися в секреті."
},
"userApiKeyDesc": {
"message": "Ваш ключ API може бути використаний для авторизації в Bitwarden CLI."
},
"userApiKeyWarning": {
"message": "Ваш ключ API є альтернативним засобом перевірки. Його слід зберігати в таємниці."
},
"oauth2ClientCredentials": {
"message": "Облікові дані клієнта OAuth 2.0",
"description": "'OAuth 2.0' is a programming protocol. It should probably not be translated."
},
"viewApiKey": {
"message": "Переглянути ключ API"
},
"rotateApiKey": {
"message": "Повернути ключ API"
},
"selectOneCollection": {
"message": "Ви повинні обрати принаймні одну збірку."
},
"couldNotChargeCardPayInvoice": {
"message": "Нам не вдалося виконати оплату з вашої картки. Будь ласка, перегляньте і проведіть оплату за рахунком, вказаним внизу."
},
"inAppPurchase": {
"message": "Покупка в додатку"
},
"cannotPerformInAppPurchase": {
"message": "Ви не можете виконати цю дію під час використання способу оплати покупки в додатку."
},
"manageSubscriptionFromStore": {
"message": "Ви повинні керувати своєю передплатою з магазину, в якому виконали покупку в додатку."
},
"minLength": {
"message": "Мінімальна довжина"
},
"clone": {
"message": "Клонувати"
},
"masterPassPolicyDesc": {
"message": "Встановіть мінімальні вимоги надійності головного пароля."
},
"twoStepLoginPolicyDesc": {
"message": "Зобов'язувати користувачів встановлювати двоетапну перевірку в їхніх особистих облікових записах."
},
"twoStepLoginPolicyWarning": {
"message": "Учасники організації, які не є власниками, чи адміністратори, в яких не увімкнено двоетапну перевірку для їхніх особистих облікових записів, будуть вилучені з організації та проінформовані поштовим повідомленням."
},
"twoStepLoginPolicyUserWarning": {
"message": "Ви включені до організації, яка зобов'язує використання двоетапної перевірки у вашому обліковому записі. Якщо ви вимкнете всі способи двоетапної перевірки, вас буде автоматично вилучено з цієї організації."
},
"passwordGeneratorPolicyDesc": {
"message": "Встановіть мінімальні вимоги для параметрів генерування пароля."
},
"passwordGeneratorPolicyInEffect": {
"message": "На параметри генератора впливають одна чи декілька політик організації."
},
"masterPasswordPolicyInEffect": {
"message": "Політика однієї або декількох організацій зобов'язує дотримання таких вимог для головного пароля:"
},
"policyInEffectMinComplexity": {
"message": "Мінімальна оцінка складності $SCORE$",
"placeholders": {
"score": {
"content": "$1",
"example": "4"
}
}
},
"policyInEffectMinLength": {
"message": "Мінімальна довжина $LENGTH$",
"placeholders": {
"length": {
"content": "$1",
"example": "14"
}
}
},
"policyInEffectUppercase": {
"message": "Наявність одного чи більше символів верхнього регістру"
},
"policyInEffectLowercase": {
"message": "Наявність одного чи більше символів нижнього регістру"
},
"policyInEffectNumbers": {
"message": "Наявність однієї чи більше цифр"
},
"policyInEffectSpecial": {
"message": "Наявність одного чи більше таких спеціальних символів $CHARS$",
"placeholders": {
"chars": {
"content": "$1",
"example": "!@#$%^&*"
}
}
},
"masterPasswordPolicyRequirementsNotMet": {
"message": "Ваш новий головний пароль не відповідає вимогам політики."
},
"minimumNumberOfWords": {
"message": "Мінімальна кількість слів"
},
"defaultType": {
"message": "Стандартний тип"
},
"userPreference": {
"message": "Користувацьке налаштування"
},
"vaultTimeoutAction": {
"message": "Дія після часу очікування сховища"
},
"vaultTimeoutActionLockDesc": {
"message": "Щоб відновити доступ до заблокованого сховища, необхідно повторно ввести головний пароль."
},
"vaultTimeoutActionLogOutDesc": {
"message": "Щоб відновити доступ до сховища після виходу, необхідно повторно авторизуватись."
},
"lock": {
"message": "Блокувати",
"description": "Verb form: to make secure or inaccesible by"
},
"trash": {
"message": "Смітник",
"description": "Noun: A special folder for holding deleted items that have not yet been permanently deleted"
},
"searchTrash": {
"message": "Пошук у смітнику"
},
"permanentlyDelete": {
"message": "Остаточно видалити"
},
"permanentlyDeleteSelected": {
"message": "Остаточно видалити вибрані"
},
"permanentlyDeleteItem": {
"message": "Остаточно видалити запис"
},
"permanentlyDeleteItemConfirmation": {
"message": "Ви дійсно хочете остаточно видалити цей запис?"
},
"permanentlyDeletedItem": {
"message": "Запис остаточно видалено"
},
"permanentlyDeletedItems": {
"message": "Записи остаточно видалено"
},
"permanentlyDeleteSelectedItemsDesc": {
"message": "Ви вибрали $COUNT$ записів для остаточного видалення. Ви справді хочете остаточно видалити всі ці записи?",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"permanentlyDeletedItemId": {
"message": "Запис $ID$ остаточно видалено.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"restore": {
"message": "Відновити"
},
"restoreSelected": {
"message": "Відновити вибрані"
},
"restoreItem": {
"message": "Відновити запис"
},
"restoredItem": {
"message": "Запис відновлено"
},
"restoredItems": {
"message": "Записи відновлено"
},
"restoreItemConfirmation": {
"message": "Ви дійсно хочете відновити цей запис?"
},
"restoreItems": {
"message": "Відновити записи"
},
"restoreSelectedItemsDesc": {
"message": "Ви вибрали $COUNT$ записів для відновлення. Ви справді хочете відновити всі ці записи?",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"restoredItemId": {
"message": "Запис $ID$ відновлено.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"vaultTimeoutLogOutConfirmation": {
"message": "Вихід скасує всі права доступу до вашого сховища і вимагатиме авторизації після завершення часу очікування. Ви дійсно хочете використати цей параметр?"
},
"vaultTimeoutLogOutConfirmationTitle": {
"message": "Підтвердження дії часу очікування"
},
"hidePasswords": {
"message": "Приховати паролі"
},
"countryPostalCodeRequiredDesc": {
"message": "Нам необхідна ця інформація лише для розрахунку податку на продажі та фінансових звітів."
},
"includeVAT": {
"message": "Включити інформацію про ПДВ/GST (необов'язково)"
},
"taxIdNumber": {
"message": "ІПН/GST"
},
"taxInfoUpdated": {
"message": "Податкову інформацію оновлено."
},
"setMasterPassword": {
"message": "Встановити головний пароль"
},
"ssoCompleteRegistration": {
"message": "Щоб завершити налаштування входу з SSO, встановіть головний пароль для доступу і захисту сховища."
},
"identifier": {
"message": "Ідентифікатор"
},
"organizationIdentifier": {
"message": "Ідентифікатор організації"
},
"ssoLogInWithOrgIdentifier": {
"message": "Виконуйте вхід з використанням порталу єдиного входу вашої організації. Для початку введіть ідентифікатор вашої організації."
},
"enterpriseSingleSignOn": {
"message": "Єдиний корпоративний вхід (SSO)"
},
"ssoHandOff": {
"message": "Тепер ви можете закрити цю вкладку і продовжити в розширенні."
},
"includeAllTeamsFeatures": {
"message": "Усі функції команд, плюс:"
},
"includeSsoAuthentication": {
"message": "SSO автентифікація через SAML2.0 та OpenID Connect"
},
"includeEnterprisePolicies": {
"message": "Політики організації"
},
"ssoValidationFailed": {
"message": "Збій перевірки SSO"
},
"ssoIdentifierRequired": {
"message": "Потрібен ідентифікатор організації."
},
"unlinkSso": {
"message": "Від'єднати SSO"
},
"unlinkSsoConfirmation": {
"message": "Ви справді хочете від'єднати SSO для цієї організації?"
},
"linkSso": {
"message": "Під'єднати SSO"
},
"singleOrg": {
"message": "Єдина організація"
},
"singleOrgDesc": {
"message": "Заборонити користувачам приєднуватися до будь-яких інших організацій."
},
"singleOrgBlockCreateMessage": {
"message": "Ваша організація має політику, що не дозволяє вам приєднуватися до більш, ніж однієї організації. Будь ласка, зв'яжіться з адміністратором вашої організації, або увійдіть з іншим обліковим записом Bitwarden."
},
"singleOrgPolicyWarning": {
"message": "Учасники організації, які не є власниками чи адміністраторами, але вже є учасниками іншої організації, будуть вилучені з вашої організації."
},
"requireSso": {
"message": "Авторизація через єдиний вхід (SSO)"
},
"requireSsoPolicyDesc": {
"message": "Вимагати від користувачів входити в систему через єдиний вхід (SSO) компанії."
},
"prerequisite": {
"message": "Передумови"
},
"requireSsoPolicyReq": {
"message": "Для активації цієї політики необхідно увімкнути політику єдиної організації компанії."
},
"requireSsoPolicyReqError": {
"message": "Політику єдиної організації компанії не увімкнено."
},
"requireSsoExemption": {
"message": "Власники організації та адміністратори звільняються від дотримання цієї політики."
},
"sendTypeFile": {
"message": "Файл"
},
"sendTypeText": {
"message": "Текст"
},
"createSend": {
"message": "Створити нове відправлення",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"editSend": {
"message": "Змінити відправлення",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"createdSend": {
"message": "Відправлення створено",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"editedSend": {
"message": "Відправлення змінено",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deletedSend": {
"message": "Відправлення видалено",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deleteSend": {
"message": "Видалити відправлення",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deleteSendConfirmation": {
"message": "Ви дійсно хочете видалити це відправлення?",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"whatTypeOfSend": {
"message": "Який це тип відправлення?",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deletionDate": {
"message": "Дата видалення"
},
"deletionDateDesc": {
"message": "Відправлення буде остаточно видалено у вказаний час.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"expirationDate": {
"message": "Термін дії"
},
"expirationDateDesc": {
"message": "Якщо встановлено, термін дії цього відправлення завершиться у вказаний час.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"maxAccessCount": {
"message": "Максимальна кількість доступів"
},
"maxAccessCountDesc": {
"message": "Якщо встановлено, користувачі більше не зможуть отримати доступ до цього відправлення після досягнення максимальної кількості доступів.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"currentAccessCount": {
"message": "Поточна кількість доступів"
},
"sendPasswordDesc": {
"message": "За бажанням вимагати пароль в користувачів для доступу до цього відправлення.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendNotesDesc": {
"message": "Особисті нотатки про це відправлення.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"disabled": {
"message": "Вимкнено"
},
"sendLink": {
"message": "Посилання на відправлення",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"copySendLink": {
"message": "Копіювати посилання відправлення",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"removePassword": {
"message": "Вилучити пароль"
},
"removedPassword": {
"message": "Пароль вилучено"
},
"removePasswordConfirmation": {
"message": "Ви дійсно хочете вилучити пароль?"
},
"hideEmail": {
"message": "Приховувати мою адресу електронної пошти від отримувачів."
},
"disableThisSend": {
"message": "Деактивувати це відправлення для скасування доступу до нього.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"allSends": {
"message": "Усі відправлення"
},
"maxAccessCountReached": {
"message": "Досягнуто максимальну кількість доступів",
"description": "This text will be displayed after a Send has been accessed the maximum amount of times."
},
"pendingDeletion": {
"message": "Очікується видалення"
},
"expired": {
"message": "Термін дії завершився"
},
"searchSends": {
"message": "Пошук відправлень",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendProtectedPassword": {
"message": "Це відправлення захищено паролем. Введіть пароль внизу для продовження.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendProtectedPasswordDontKnow": {
"message": "Не знаєте пароль? Попросіть його у відправника для отримання доступу.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendHiddenByDefault": {
"message": "Це відправлення типово приховане. Ви можете змінити його видимість кнопкою нижче.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"downloadFile": {
"message": "Завантажити файл"
},
"sendAccessUnavailable": {
"message": "Відправлення, до якого ви намагаєтесь отримати доступ, не існує, або більше недоступне.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"missingSendFile": {
"message": "Не вдається знайти файл, пов'язаний з цим відправленням.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"noSendsInList": {
"message": "У списку немає відправлень.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"emergencyAccess": {
"message": "Екстрений доступ"
},
"emergencyAccessDesc": {
"message": "Надавайте екстрений доступ довіреним контактам і керуйте ним. Довірені контакти можуть отримати доступ для перегляду чи привласнення вашого облікового запису в екстрених ситуаціях. Відвідайте нашу сторінку допомоги для детального ознайомлення про те, як працює спільний доступ нульового рівня."
},
"emergencyAccessOwnerWarning": {
"message": "Ви володієте однією чи більше організаціями. Якщо ви надасте доступ для передачі власності екстреним контактам, то вони зможуть використовувати усі ваші повноваження власника після передачі."
},
"trustedEmergencyContacts": {
"message": "Довірені екстрені контакти"
},
"noTrustedContacts": {
"message": "Ви ще не додали жодного екстреного контакту. Запросіть довірений контакт, щоб почати."
},
"addEmergencyContact": {
"message": "Додати екстрений контакт"
},
"designatedEmergencyContacts": {
"message": "Визначено як екстрений контакт"
},
"noGrantedAccess": {
"message": "Ви ще не були призначені екстреним контактом для когось."
},
"inviteEmergencyContact": {
"message": "Запросити екстрений контакт"
},
"editEmergencyContact": {
"message": "Редагувати екстрений контакт"
},
"inviteEmergencyContactDesc": {
"message": "Запросіть новий екстрений контакт, ввівши нижче адресу е-пошти його облікового запису Bitwarden. Якщо користувач ще не має облікового запису Bitwarden, йому буде запропоновано зареєструватися."
},
"emergencyAccessRecoveryInitiated": {
"message": "Ініційовано екстрений доступ"
},
"emergencyAccessRecoveryApproved": {
"message": "Екстрений доступ схвалено"
},
"viewDesc": {
"message": "Може переглядати усі записи у вашому сховищі."
},
"takeover": {
"message": "Передача власності"
},
"takeoverDesc": {
"message": "Може скидати пароль вашого облікового запису."
},
"waitTime": {
"message": "Час очікування"
},
"waitTimeDesc": {
"message": "Час, після якого автоматично надається доступ."
},
"oneDay": {
"message": "1 день"
},
"days": {
"message": "$DAYS$ днів",
"placeholders": {
"days": {
"content": "$1",
"example": "1"
}
}
},
"invitedUser": {
"message": "Запрошений користувач."
},
"acceptEmergencyAccess": {
"message": "Вас було запрошено стати екстреним контактом для користувача, зазначеного вгорі. Щоб прийняти запрошення, вам необхідно увійти чи створити новий обліковий запис Bitwarden."
},
"emergencyInviteAcceptFailed": {
"message": "Неможливо прийняти запрошення. Попросіть користувача надіслати нове запрошення."
},
"emergencyInviteAcceptFailedShort": {
"message": "Не вдається прийняти запрошення. $DESCRIPTION$",
"placeholders": {
"description": {
"content": "$1",
"example": "You must enable 2FA on your user account before you can join this organization."
}
}
},
"emergencyInviteAcceptedDesc": {
"message": "Ви отримаєте доступ до екстрених можливостей для цього користувача після підтвердження ваших облікових даних. Ми надішлемо вам електронний лист, коли це станеться."
},
"requestAccess": {
"message": "Запитати доступ"
},
"requestAccessConfirmation": {
"message": "Ви дійсно хочете запитати екстрений доступ? Вам надасться доступ через $WAITTIME$ днів, або коли користувач вручну схвалить запит.",
"placeholders": {
"waittime": {
"content": "$1",
"example": "1"
}
}
},
"requestSent": {
"message": "Для користувача $USER$ запитано екстрений доступ. Ми повідомимо вас електронною поштою, коли можна буде продовжити.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"approve": {
"message": "Схвалити"
},
"reject": {
"message": "Відхилити"
},
"approveAccessConfirmation": {
"message": "Ви впевнені, що хочете схвалити екстрений доступ? Це дозволить користувачу $USER$ $ACTION$ ваш обліковий запис.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
},
"action": {
"content": "$2",
"example": "View"
}
}
},
"emergencyApproved": {
"message": "Екстрений доступ схвалено."
},
"emergencyRejected": {
"message": "Екстрений доступ відхилено"
},
"passwordResetFor": {
"message": "Пароль для користувача $USER$ скинуто. Тепер ви можете увійти використовуючи новий пароль.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"personalOwnership": {
"message": "Особиста власність"
},
"personalOwnershipPolicyDesc": {
"message": "Вимагати від користувачів зберігати записи до організації, вилучивши можливість особистої власності."
},
"personalOwnershipExemption": {
"message": "Власники організації та адміністратори звільняються від дотримання цієї політики."
},
"personalOwnershipSubmitError": {
"message": "У зв'язку з корпоративною політикою, вам не дозволено зберігати записи до особистого сховища. Змініть налаштування власності на організацію та виберіть серед доступних збірок."
},
"disableSend": {
"message": "Вимкнути відправлення"
},
"disableSendPolicyDesc": {
"message": "Не дозволяти користувачам створювати чи змінювати відправлення Bitwarden. Видалення наявних відправлень все ще дозволяється.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"disableSendExemption": {
"message": "Користувачі організації, які можуть керувати політиками організації, звільняються від дотримання цієї політики."
},
"sendDisabled": {
"message": "Відправлення вимкнено",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendDisabledWarning": {
"message": "У зв'язку з політикою компанії, ви можете лише видалити наявне відправлення.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptions": {
"message": "Налаштування відправлень",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsPolicyDesc": {
"message": "Встановити налаштування для створення та редагування відправлень.",
"description": "'Sends' is a plural noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsExemption": {
"message": "Користувачі організації, які можуть керувати політиками організації, звільняються від дотримання цієї політики."
},
"disableHideEmail": {
"message": "Не дозволяти користувачам приховувати свою адресу електронної пошти від отримувачів під час створення чи редагування відправлень.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsPolicyInEffect": {
"message": "Наразі діють такі політики організації:"
},
"sendDisableHideEmailInEffect": {
"message": "Користувачам не дозволяється приховувати свою адресу електронної пошти від отримувачів під час створення чи редагування відправлень.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"modifiedPolicyId": {
"message": "Змінено політику $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Master Password"
}
}
},
"planPrice": {
"message": "Ціна тарифного плану"
},
"estimatedTax": {
"message": "Приблизний податок"
},
"custom": {
"message": "Спеціальний"
},
"customDesc": {
"message": "Дозволяє детальніший контроль дозволів користувача для розширеної конфігурації."
},
"permissions": {
"message": "Дозволи"
},
"accessEventLogs": {
"message": "Доступ до журналів подій"
},
"accessImportExport": {
"message": "Доступ до імпорту й експорту"
},
"accessReports": {
"message": "Доступ до звітів"
},
"missingPermissions": {
"message": "У вас недостатньо повноважень для виконання цієї дії."
},
"manageAllCollections": {
"message": "Керування всіма збірками"
},
"createNewCollections": {
"message": "Створювати нові збірки"
},
"editAnyCollection": {
"message": "Редагувати будь-яку збірку"
},
"deleteAnyCollection": {
"message": "Видаляти будь-яку збірку"
},
"manageAssignedCollections": {
"message": "Керування призначеними збірками"
},
"editAssignedCollections": {
"message": "Редагувати призначені колекції"
},
"deleteAssignedCollections": {
"message": "Видаляти призначені колекції"
},
"manageGroups": {
"message": "Керування групами"
},
"managePolicies": {
"message": "Керування політиками"
},
"manageSso": {
"message": "Керування SSO"
},
"manageUsers": {
"message": "Керування користувачами"
},
"manageResetPassword": {
"message": "Керувати скиданням пароля"
},
"disableRequiredError": {
"message": "Перш ніж вимкнути цю політику, ви повинні вручну вимкнути політику $POLICYNAME$.",
"placeholders": {
"policyName": {
"content": "$1",
"example": "Single Sign-On Authentication"
}
}
},
"personalOwnershipPolicyInEffect": {
"message": "Політика організації впливає на ваші параметри власності."
},
"personalOwnershipPolicyInEffectImports": {
"message": "Політика організації вимкнула імпортування елементів до вашого особистого сховища."
},
"personalOwnershipCheckboxDesc": {
"message": "Вимкнути особисту власність для користувачів організації"
},
"textHiddenByDefault": {
"message": "При доступі до відправлення типово приховувати текст",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendNameDesc": {
"message": "Опис цього відправлення.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendTextDesc": {
"message": "Текст, який ви хочете відправити."
},
"sendFileDesc": {
"message": "Файл, який ви хочете відправити."
},
"copySendLinkOnSave": {
"message": "Копіювати посилання, щоб поділитися відправленням після збереження."
},
"sendLinkLabel": {
"message": "Посилання на відправлення",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"send": {
"message": "Відправлення",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendAccessTaglineProductDesc": {
"message": "Відправлення Bitwarden легко та надійно передає вразливу, тимчасову інформацію іншим.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendAccessTaglineLearnMore": {
"message": "Дізнайтеся більше про",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read '**Learn more about** Bitwarden Send or sign up to try it today.'"
},
"sendVaultCardProductDesc": {
"message": "Обмінюйтесь текстом чи файлами безпосередньо з іншими."
},
"sendVaultCardLearnMore": {
"message": "Дізнайтеся більше",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read '**Learn more**, see how it works, or try it now. '"
},
"sendVaultCardSee": {
"message": "подивіться",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more, **see** how it works, or try it now.'"
},
"sendVaultCardHowItWorks": {
"message": "як це працює",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more, see **how it works**, or try it now.'"
},
"sendVaultCardOr": {
"message": "або",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more, see how it works, **or** try it now.'"
},
"sendVaultCardTryItNow": {
"message": "спробуйте",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more, see how it works, or **try it now**.'"
},
"sendAccessTaglineOr": {
"message": "або",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more about Bitwarden Send **or** sign up to try it today.'"
},
"sendAccessTaglineSignUp": {
"message": "зареєструйтеся",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more about Bitwarden Send or **sign up** to try it today.'"
},
"sendAccessTaglineTryToday": {
"message": "щоб спробувати.",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more about Bitwarden Send or sign up to **try it today.**'"
},
"sendCreatorIdentifier": {
"message": "Користувач Bitwarden $USER_IDENTIFIER$ ділиться з вами таким",
"placeholders": {
"user_identifier": {
"content": "$1",
"example": "An email address"
}
}
},
"viewSendHiddenEmailWarning": {
"message": "Користувач Bitwarden, який створив це відправлення, вирішив приховати свою адресу електронної пошти. Вам слід упевнитися в надійності джерела цього посилання перед його використанням чи завантаженням вмісту.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"expirationDateIsInvalid": {
"message": "Вказано недійсний термін дії."
},
"deletionDateIsInvalid": {
"message": "Вказано недійсну дату видалення."
},
"expirationDateAndTimeRequired": {
"message": "Необхідно вказати час і дату терміну дії."
},
"deletionDateAndTimeRequired": {
"message": "Необхідно вказати час і дату видалення."
},
"dateParsingError": {
"message": "При збереженні дат видалення і терміну дії виникла помилка."
},
"webAuthnFallbackMsg": {
"message": "Щоб засвідчити ваш 2FA, натисніть кнопку внизу."
},
"webAuthnAuthenticate": {
"message": "Авторизація WebAuthn"
},
"webAuthnNotSupported": {
"message": "WebAuthn не підтримується в цьому браузері."
},
"webAuthnSuccess": {
"message": "WebAuthn успішно підтверджено! Ви можете закрити цю вкладку."
},
"hintEqualsPassword": {
"message": "Підказка для пароля не може бути такою самою, як ваш пароль."
},
"enrollPasswordReset": {
"message": "Подати запит на скидання пароля"
},
"enrolledPasswordReset": {
"message": "Запит на скидання пароля подано"
},
"withdrawPasswordReset": {
"message": "Відмовитись від скидання пароля"
},
"enrollPasswordResetSuccess": {
"message": "Запит успішно подано!"
},
"withdrawPasswordResetSuccess": {
"message": "Відмову успішно прийнято!"
},
"eventEnrollPasswordReset": {
"message": "Користувач $ID$ подав запит на допомогу зі скиданням пароля.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventWithdrawPasswordReset": {
"message": "Користувач $ID$ відмовився від допомоги зі скиданням пароля.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventAdminPasswordReset": {
"message": "Головний пароль для користувача $ID$ скинуто.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventResetSsoLink": {
"message": "Скинути SSO-посилання для користувача $ID$",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"firstSsoLogin": {
"message": "$ID$ вперше виконує вхід з використанням SSO",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"resetPassword": {
"message": "Скинути пароль"
},
"resetPasswordLoggedOutWarning": {
"message": "Продовжуючи, користувач $NAME$ вийде зі свого поточного сеансу і йому необхідно буде виконати вхід знову. Активні сеанси на інших пристроях можуть залишатися активними протягом години.",
"placeholders": {
"name": {
"content": "$1",
"example": "John Smith"
}
}
},
"thisUser": {
"message": "цей користувач"
},
"resetPasswordMasterPasswordPolicyInEffect": {
"message": "Одна або декілька політик організації вимагають дотримання таких вимог для головного пароля:"
},
"resetPasswordSuccess": {
"message": "Пароль успішно скинуто!"
},
"resetPasswordEnrollmentWarning": {
"message": "Розгортання дозволить адміністраторам організації змінювати ваш головний пароль. Ви дійсно хочете розгорнути?"
},
"resetPasswordPolicy": {
"message": "Скидання головного пароля"
},
"resetPasswordPolicyDescription": {
"message": "Дозволити адміністраторам організації скидати головний пароль користувачів."
},
"resetPasswordPolicyWarning": {
"message": "Користувачі в організації повинні виконати самостійне розгортання, або отримати автоматичне розгортання, перш ніж адміністратори зможуть скинути їхній пароль."
},
"resetPasswordPolicyAutoEnroll": {
"message": "Автоматичне розгортання"
},
"resetPasswordPolicyAutoEnrollDescription": {
"message": "Усі користувачі отримають автоматичне розгортання на скидання пароля одразу після схвалення запрошення та не зможуть його відкликати."
},
"resetPasswordPolicyAutoEnrollWarning": {
"message": "Вже наявні користувачі організації не отримають активного розгортання на скидання пароля. Їм необхідно буде виконати самостійне розгортання, перш ніж адміністратори зможуть скинути їхній пароль."
},
"resetPasswordPolicyAutoEnrollCheckbox": {
"message": "Вимагати автоматичне розгортання нових користувачів"
},
"resetPasswordAutoEnrollInviteWarning": {
"message": "Ця організація має корпоративну політику, яка автоматично розгортає вас на скидання пароля. Розгортання дозволятиме адміністраторам організації змінювати ваш головний пароль."
},
"resetPasswordOrgKeysError": {
"message": "Порожня відповідь на ключі організації"
},
"resetPasswordDetailsError": {
"message": "Порожня відповідь на скидання пароля"
},
"trashCleanupWarning": {
"message": "Записи, що знаходяться в смітнику понад 30 днів, автоматично видалятимуться."
},
"trashCleanupWarningSelfHosted": {
"message": "Записи, що знаходяться в смітнику деякий час, автоматично видалятимуться."
},
"passwordPrompt": {
"message": "Повторний запит головного пароля"
},
"passwordConfirmation": {
"message": "Підтвердження головного пароля"
},
"passwordConfirmationDesc": {
"message": "Ця дія захищена. Щоб продовжити, повторно введіть головний пароль."
},
"reinviteSelected": {
"message": "Повторно надіслати запрошення"
},
"noSelectedUsersApplicable": {
"message": "Ця дія не застосовується для жодного з вибраних користувачів."
},
"removeUsersWarning": {
"message": "Ви дійсно хочете вилучити зазначених користувачів? Цей процес може тривати кілька секунд і його неможливо перервати чи скасувати."
},
"theme": {
"message": "Тема"
},
"themeDesc": {
"message": "Оберіть тему для вашого вебсховища."
},
"themeSystem": {
"message": "Використовувати системну тему"
},
"themeDark": {
"message": "Темна"
},
"themeLight": {
"message": "Світла"
},
"confirmSelected": {
"message": "Підтвердити вибір"
},
"bulkConfirmStatus": {
"message": "Стан масової дії"
},
"bulkConfirmMessage": {
"message": "Успішно підтверджено."
},
"bulkReinviteMessage": {
"message": "Повторне запрошення успішне."
},
"bulkRemovedMessage": {
"message": "Успішно вилучено"
},
"bulkFilteredMessage": {
"message": "Виключено, не застосовується для цієї дії."
},
"fingerprint": {
"message": "Цифровий відбиток"
},
"removeUsers": {
"message": "Вилучити користувачів"
},
"error": {
"message": "Помилка"
},
"resetPasswordManageUsers": {
"message": "Керування користувачами повинно також бути увімкнено з дозволом Керувати скиданням пароля"
},
"setupProvider": {
"message": "Налаштування постачальника"
},
"setupProviderLoginDesc": {
"message": "Вас запрошено налаштувати нового постачальника. Для продовження вам необхідно увійти чи створити новий обліковий запис Bitwarden."
},
"setupProviderDesc": {
"message": "Будь ласка, введіть наведені нижче подробиці, щоб завершити налаштування постачальника. Зверніться до служби підтримки, якщо у вас виникли будь-які запитання."
},
"providerName": {
"message": "Назва постачальника"
},
"providerSetup": {
"message": "Постачальника було налаштовано."
},
"clients": {
"message": "Клієнти"
},
"providerAdmin": {
"message": "Адміністратор постачальника"
},
"providerAdminDesc": {
"message": "Користувач з найвищими привілеями, який може керувати усіма аспектами вашого постачальника, а також отримувати доступ до керування організаціями клієнтів."
},
"serviceUser": {
"message": "Сервісний користувач"
},
"serviceUserDesc": {
"message": "Сервісні користувачі можуть отримувати доступ та керувати всіма організаціями клієнтів."
},
"providerInviteUserDesc": {
"message": "Запросіть нового користувача до вашого постачальника, ввівши адресу е-пошти його облікового запису Bitwarden. Якщо він ще не має облікового запису, він отримає запит на його створення."
},
"joinProvider": {
"message": "Приєднатися до постачальника"
},
"joinProviderDesc": {
"message": "Вас було запрошено приєднатися до зазначеного вгорі постачальника. Щоб підтвердити запрошення, вам необхідно увійти в обліковий запис Bitwarden, або створити його."
},
"providerInviteAcceptFailed": {
"message": "Не вдалося прийняти запрошення. Попросіть адміністратора постачальника надіслати вам нове."
},
"providerInviteAcceptedDesc": {
"message": "Ви можете отримати доступ до цього постачальника одразу після підтвердження адміністратором. Ми надішлемо вам електронне повідомлення, коли це станеться."
},
"providerUsersNeedConfirmed": {
"message": "У вас є користувачі, які підтвердили ваше запрошення, але все ще мають бути схвалені. Користувачі не матимуть доступу до постачальника доки ви їх не затвердите."
},
"provider": {
"message": "Постачальник"
},
"newClientOrganization": {
"message": "Нова організація клієнта"
},
"newClientOrganizationDesc": {
"message": "Створіть нову організацію клієнта, яка буде пов'язана з вами, як постачальником. Ви зможете отримати доступ та керувати цією організацією."
},
"addExistingOrganization": {
"message": "Додати наявну організацію"
},
"myProvider": {
"message": "Мій постачальник"
},
"addOrganizationConfirmation": {
"message": "Ви дійсно хочете додати $ORGANIZATION$ як клієнт для $PROVIDER$?",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
},
"provider": {
"content": "$2",
"example": "My Provider Name"
}
}
},
"organizationJoinedProvider": {
"message": "Організацію було успішно додано до постачальника"
},
"accessingUsingProvider": {
"message": "Доступ до організації з використанням постачальника $PROVIDER$",
"placeholders": {
"provider": {
"content": "$1",
"example": "My Provider Name"
}
}
},
"providerIsDisabled": {
"message": "Постачальника вимкнено."
},
"providerUpdated": {
"message": "Постачальника оновлено"
},
"yourProviderIs": {
"message": "Ваш постачальник $PROVIDER$. Він має адміністраторські та платіжні повноваження для вашої організації.",
"placeholders": {
"provider": {
"content": "$1",
"example": "My Provider Name"
}
}
},
"detachedOrganization": {
"message": "Організацію $ORGANIZATION$ було від'єднано від вашого постачальника.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"detachOrganizationConfirmation": {
"message": "Ви дійсно хочете від'єднати цю організацію? Організація продовжить існувати, але більше не керуватиметься провайдером."
},
"add": {
"message": "Додати"
},
"updatedMasterPassword": {
"message": "Головний пароль оновлено"
},
"updateMasterPassword": {
"message": "Оновити головний пароль"
},
"updateMasterPasswordWarning": {
"message": "Ваш головний пароль нещодавно був змінений адміністратором організації. Щоб отримати доступ до сховища, ви повинні оновити свій головний пароль зараз. Продовживши, ви вийдете з поточного сеансу, після чого необхідно буде повторно виконати вхід. Сеанси на інших пристроях можуть залишатися активними протягом однієї години."
},
"masterPasswordInvalidWarning": {
"message": "Ваш головний пароль не відповідає вимогам політики цієї організації. Щоб приєднатися до організації, ви повинні оновити свій головний пароль зараз. Продовживши, ви вийдете з поточного сеансу, після чого необхідно буде повторно виконати вхід. Сеанси на інших пристроях можуть залишатися активними протягом однієї години."
},
"maximumVaultTimeout": {
"message": "Час очікування сховища"
},
"maximumVaultTimeoutDesc": {
"message": "Налаштувати максимальний час очікування сховища для всіх користувачів."
},
"maximumVaultTimeoutLabel": {
"message": "Максимальний час очікування сховища"
},
"invalidMaximumVaultTimeout": {
"message": "Недійсний максимальний час очікування сховища."
},
"hours": {
"message": "Годин"
},
"minutes": {
"message": "Хвилин"
},
"vaultTimeoutPolicyInEffect": {
"message": "Політики вашої організації впливають на час очікування сховища. Максимальний дозволений час очікування сховища $HOURS$ годин, $MINUTES$ хвилин",
"placeholders": {
"hours": {
"content": "$1",
"example": "5"
},
"minutes": {
"content": "$2",
"example": "5"
}
}
},
"customVaultTimeout": {
"message": "Власний час очікування сховища"
},
"vaultTimeoutToLarge": {
"message": "Час очікування сховища перевищує обмеження, встановлене вашою організацією."
},
"disablePersonalVaultExport": {
"message": "Вимкнути експорт особистого сховища"
},
"disablePersonalVaultExportDesc": {
"message": "Забороняє користувачам експортувати їхні особисті дані сховища."
},
"vaultExportDisabled": {
"message": "Експорт сховища вимкнено"
},
"personalVaultExportPolicyInEffect": {
"message": "Одна чи декілька організаційних політик не дозволяють вам експортувати особисте сховище."
},
"selectType": {
"message": "Виберіть тип SSO"
},
"type": {
"message": "Тип"
},
"openIdConnectConfig": {
"message": "Конфігурація з'єднання OpenID"
},
"samlSpConfig": {
"message": "Конфігурація постачальника послуг SAML"
},
"samlIdpConfig": {
"message": "Конфігурація ідентифікації постачальника SAML"
},
"callbackPath": {
"message": "Шлях до зворотного виклику"
},
"signedOutCallbackPath": {
"message": "Вихід зі шляху зворотного виклику"
},
"authority": {
"message": "Установа"
},
"clientId": {
"message": "ID клієнта"
},
"clientSecret": {
"message": "Секретний ключ клієнта"
},
"metadataAddress": {
"message": "Адреса метаданих"
},
"oidcRedirectBehavior": {
"message": "Поведінка переспрямування OIDC"
},
"getClaimsFromUserInfoEndpoint": {
"message": "Отримувати запити від інформації користувача кінцевої точки"
},
"additionalScopes": {
"message": "Власні області"
},
"additionalUserIdClaimTypes": {
"message": "Власні типи запитів ID користувача"
},
"additionalEmailClaimTypes": {
"message": "Типи запитів е-пошти"
},
"additionalNameClaimTypes": {
"message": "Типи запитів власного імені"
},
"acrValues": {
"message": "Запитані значення посилання класу контексту автентифікації"
},
"expectedReturnAcrValue": {
"message": "Очікувалось значення запиту \"acr\" у відповіді"
},
"spEntityId": {
"message": "ID об'єкта SP"
},
"spMetadataUrl": {
"message": "URL метаданих SAML 2.0"
},
"spAcsUrl": {
"message": "URL-адреса служби підтвердження клієнтів (ACS)"
},
"spNameIdFormat": {
"message": "Формат ID назви"
},
"spOutboundSigningAlgorithm": {
"message": "Алгоритм вихідного підпису"
},
"spSigningBehavior": {
"message": "Поведінка при підписанні"
},
"spMinIncomingSigningAlgorithm": {
"message": "Мінімальний алгоритм вхідного підписання"
},
"spWantAssertionsSigned": {
"message": "Очікується підпис підтвердження"
},
"spValidateCertificates": {
"message": "Перевірка сертифікатів"
},
"idpEntityId": {
"message": "ID об'єкта"
},
"idpBindingType": {
"message": "Тип пов'язування"
},
"idpSingleSignOnServiceUrl": {
"message": "URL служби єдиного входу"
},
"idpSingleLogoutServiceUrl": {
"message": "URL служби єдиного виходу"
},
"idpX509PublicCert": {
"message": "Публічний сертифікат X509"
},
"idpOutboundSigningAlgorithm": {
"message": "Алгоритм вихідного підпису"
},
"idpAllowUnsolicitedAuthnResponse": {
"message": "Дозволити небажану відповідь авторизації"
},
"idpAllowOutboundLogoutRequests": {
"message": "Дозволити вихідні запити для виходу"
},
"idpSignAuthenticationRequests": {
"message": "Підписувати запити авторизації"
},
"ssoSettingsSaved": {
"message": "Конфігурацію єдиного входу збережено."
},
"sponsoredFamilies": {
"message": "Bitwarden Families безплатно"
},
"sponsoredFamiliesEligible": {
"message": "Ви та ваша сім'я маєте право на Bitwarden Families безплатно. Активуйте доступ з особистою електронною адресою, щоб зберігати свої дані захищеними навіть коли ви не на роботі."
},
"sponsoredFamiliesEligibleCard": {
"message": "Активуйте сьогодні безплатний тарифний план Bitwarden Families, щоб зберігати свої дані захищеними, навіть коли ви не на роботі."
},
"sponsoredFamiliesInclude": {
"message": "Тариф Bitwarden Families включає"
},
"sponsoredFamiliesPremiumAccess": {
"message": "Преміум-доступ до 6 користувачів"
},
"sponsoredFamiliesSharedCollections": {
"message": "Спільні збірки для обміну паролями"
},
"badToken": {
"message": "Посилання більше не дійсне. Попросіть спонсора повторно надіслати пропозицію."
},
"reclaimedFreePlan": {
"message": "Безплатний тариф відновлено"
},
"redeem": {
"message": "Активувати"
},
"sponsoredFamiliesSelectOffer": {
"message": "Оберіть організацію, від якої ви бажаєте бути спонсорованими"
},
"familiesSponsoringOrgSelect": {
"message": "Яку безплатну сімейну пропозицію ви бажаєте активувати?"
},
"sponsoredFamiliesEmail": {
"message": "Введіть особисту електронну адресу для активації Bitwarden Families"
},
"sponsoredFamiliesLeaveCopy": {
"message": "Якщо ви покинете цю спонсоровану організацію, ваш доступ до тарифного плану Bitwarden Families завершиться в кінці оплаченого періоду."
},
"acceptBitwardenFamiliesHelp": {
"message": "Прийняти пропозицію для наявної організації або створити нову сімейну організацію."
},
"setupSponsoredFamiliesLoginDesc": {
"message": "Вам запропоновано безплатний тарифний план Bitwarden Families від організації. Щоб продовжити, вам необхідно увійти в обліковий запис, на який вам прийшла пропозиція."
},
"sponsoredFamiliesAcceptFailed": {
"message": "Не вдалося прийняти пропозицію. Будь ласка, повторно надішліть лист з пропозицією зі свого корпоративного облікового запису та спробуйте знову."
},
"sponsoredFamiliesAcceptFailedShort": {
"message": "Не вдалося прийняти пропозицію. $DESCRIPTION$",
"placeholders": {
"description": {
"content": "$1",
"example": "You must have at least one existing Families Organization."
}
}
},
"sponsoredFamiliesOffer": {
"message": "Прийняти безплатно Bitwarden Families"
},
"sponsoredFamiliesOfferRedeemed": {
"message": "Пропозицію безплатного доступу Bitwarden Families успішно активовано"
},
"redeemed": {
"message": "Активовано"
},
"redeemedAccount": {
"message": "Обліковий запис активовано"
},
"revokeAccount": {
"message": "Відкликати обліковий запис $NAME$",
"placeholders": {
"name": {
"content": "$1",
"example": "My Sponsorship Name"
}
}
},
"resendEmailLabel": {
"message": "Повторно надіслати лист про спонсорування до $NAME$",
"placeholders": {
"name": {
"content": "$1",
"example": "My Sponsorship Name"
}
}
},
"freeFamiliesPlan": {
"message": "Безплатний сімейний план"
},
"redeemNow": {
"message": "Активувати зараз"
},
"recipient": {
"message": "Отримувач"
},
"removeSponsorship": {
"message": "Вилучити спонсорування"
},
"removeSponsorshipConfirmation": {
"message": "Після вилучення спонсорування, ви будете відповідальні за цю передплату та пов'язані рахунки. Ви дійсно хочете продовжити?"
},
"sponsorshipCreated": {
"message": "Спонсорування створено"
},
"revoke": {
"message": "Відкликати"
},
"emailSent": {
"message": "Лист надіслано"
},
"revokeSponsorshipConfirmation": {
"message": "Після вилучення цього облікового запису, власники сімейної організації будуть відповідальними за цю передплату та пов'язані рахунки. Ви дійсно хочете продовжити?"
},
"removeSponsorshipSuccess": {
"message": "Спонсорування вилучено"
},
"ssoKeyConnectorUnavailable": {
"message": "Не вдається отримати доступ до Key Connector. Спробуйте знову пізніше."
},
"keyConnectorUrl": {
"message": "URL-адреса Key Connector"
},
"sendVerificationCode": {
"message": "Надіслати код підтвердження е-поштою"
},
"sendCode": {
"message": "Надіслати код"
},
"codeSent": {
"message": "Код надіслано"
},
"verificationCode": {
"message": "Код підтвердження"
},
"confirmIdentity": {
"message": "Підтвердьте свої облікові дані для продовження."
},
"verificationCodeRequired": {
"message": "Потрібний код підтвердження."
},
"invalidVerificationCode": {
"message": "Недійсний код підтвердження"
},
"convertOrganizationEncryptionDesc": {
"message": "$ORGANIZATION$ використовує SSO з власним сервером ключів. Головний пароль для учасників цієї організації більше не вимагається.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"leaveOrganization": {
"message": "Покинути організацію"
},
"removeMasterPassword": {
"message": "Вилучити головний пароль"
},
"removedMasterPassword": {
"message": "Головний пароль вилучено."
},
"allowSso": {
"message": "Дозволити авторизацію SSO"
},
"allowSsoDesc": {
"message": "Після налаштування вашу конфігурацію буде збережено та учасники зможуть авторизуватися з використанням облікових даних їхнього постачальника."
},
"ssoPolicyHelpStart": {
"message": "Увімкнути",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Enable the SSO Authentication policy to require all members to log in with SSO.'"
},
"ssoPolicyHelpLink": {
"message": "Політика авторизації SSO",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Enable the SSO Authentication policy to require all members to log in with SSO.'"
},
"ssoPolicyHelpEnd": {
"message": "щоб вимагати в усіх учасників виконувати вхід з SSO.",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Enable the SSO Authentication policy to require all members to log in with SSO.'"
},
"ssoPolicyHelpKeyConnector": {
"message": "Для встановлення розшифрування Key Connector необхідні політики авторизації SSO та єдиної організації."
},
"memberDecryptionOption": {
"message": "Налаштування розшифрування учасників"
},
"memberDecryptionPassDesc": {
"message": "Після авторизації учасники розшифровуватимуть дані сховища з використанням їх головного пароля."
},
"keyConnector": {
"message": "Key Connector"
},
"memberDecryptionKeyConnectorDesc": {
"message": "Під'єднайте вхід з SSO до свого власного сервера ключів розшифрування. Скориставшись цією можливістю, учасникам не потрібен буде головний пароль для розшифрування даних сховища. Для отримання допомоги з налаштуванням зв'яжіться зі службою підтримки Bitwarden."
},
"keyConnectorPolicyRestriction": {
"message": "\"Вхід з SSO та розшифрування Key Connector\" увімкнено. Ця політика застосовується лише для власників та адміністраторів."
},
"enabledSso": {
"message": "SSO увімкнено"
},
"disabledSso": {
"message": "SSO вимкнено"
},
"enabledKeyConnector": {
"message": "Key Connector увімкнено"
},
"disabledKeyConnector": {
"message": "Key Connector вимкнено"
},
"keyConnectorWarning": {
"message": "Як тільки учасники почнуть користуватися Key Connector, ваша організація не зможе повернутися до розшифрування з головним паролем. Продовжуйте тільки якщо ви готові розгортати сервер ключів та керувати ним."
},
"migratedKeyConnector": {
"message": "Виконано перехід на Key Connector"
},
"paymentSponsored": {
"message": "Будь ласка, вкажіть спосіб оплати для організації. Не хвилюйтеся, гроші не списуватимуться доки ви не виберете додаткові функції чи не завершиться термін дії передплати. "
},
"orgCreatedSponsorshipInvalid": {
"message": "Термін дії спонсорської пропозиції завершився. Ви можете видалити створену організацію, щоб уникнути списання грошей після завершення 7 днів пробного періоду. Або ж ви можете закрити цей запит, щоб зберегти організацію та прийняти відповідальність за сплату рахунків."
},
"newFamiliesOrganization": {
"message": "Нова сімейна організація"
},
"acceptOffer": {
"message": "Прийняти пропозицію"
},
"sponsoringOrg": {
"message": "Організація спонсорування"
},
"keyConnectorTest": {
"message": "Тест"
},
"keyConnectorTestSuccess": {
"message": "Успішно! Key Connector під'єднано."
},
"keyConnectorTestFail": {
"message": "Неможливо під'єднатися до Key Connector. Перевірте URL."
},
"sponsorshipTokenHasExpired": {
"message": "Термін дії пропозиції спонсорування завершилась."
},
"freeWithSponsorship": {
"message": "БЕЗПЛАТНО зі спонсоруванням"
},
"formErrorSummaryPlural": {
"message": "$COUNT$ зазначених вище полів потребують вашої уваги.",
"placeholders": {
"count": {
"content": "$1",
"example": "5"
}
}
},
"formErrorSummarySingle": {
"message": "1 зазначене вище поле потребує вашої уваги."
},
"fieldRequiredError": {
"message": "$FIELDNAME$ є обов'язковим.",
"placeholders": {
"fieldname": {
"content": "$1",
"example": "Full name"
}
}
},
"required": {
"message": "обов’язково"
},
"idpSingleSignOnServiceUrlRequired": {
"message": "Обов'язково, якщо ID елемента не є URL."
},
"openIdOptionalCustomizations": {
"message": "Додаткові налаштування"
},
"openIdAuthorityRequired": {
"message": "Обов'язково, якщо установа недійсна."
},
"separateMultipleWithComma": {
"message": "Декілька значень розділених комою."
},
"sessionTimeout": {
"message": "Час вашого сеансу завершився. Поверніться назад і спробуйте увійти знову."
},
"exportingPersonalVaultTitle": {
"message": "Експортування особистого сховища"
},
"exportingOrganizationVaultTitle": {
"message": "Експортування сховища організації"
},
"exportingPersonalVaultDescription": {
"message": "Будуть експортовані лише записи особистого сховища, пов'язані з $EMAIL$. Записи сховища організації не буде включено.",
"placeholders": {
"email": {
"content": "$1",
"example": "name@example.com"
}
}
},
"exportingOrganizationVaultDescription": {
"message": "Будуть експортовані лише записи сховища організації, пов'язані з $ORGANIZATION$. Записи особистого сховища та записи з інших організацій не буде включено.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"backToReports": {
"message": "Повернутися до звітів"
},
"generator": {
"message": "Генератор"
},
"whatWouldYouLikeToGenerate": {
"message": "Що ви бажаєте згенерувати?"
},
"passwordType": {
"message": "Тип пароля"
},
"regenerateUsername": {
"message": "Повторно генерувати ім'я користувача"
},
"generateUsername": {
"message": "Генерувати ім'я користувача"
},
"usernameType": {
"message": "Тип імені користувача"
},
"plusAddressedEmail": {
"message": "Плюс адреса електронної пошти",
"description": "Username generator option that appends a random sub-address to the username. For example: address+subaddress@email.com"
},
"plusAddressedEmailDesc": {
"message": "Використовуйте розширені можливості адрес вашого постачальника електронної пошти."
},
"catchallEmail": {
"message": "Адреса е-пошти Catch-all"
},
"catchallEmailDesc": {
"message": "Використовуйте свою скриньку вхідних Catch-All власного домену."
},
"random": {
"message": "Випадково"
},
"randomWord": {
"message": "Випадкове слово"
},
"service": {
"message": "Послуга"
}
}
| bitwarden/web/src/locales/uk/messages.json/0 | {
"file_path": "bitwarden/web/src/locales/uk/messages.json",
"repo_id": "bitwarden",
"token_count": 107085
} | 164 |
.generated-wrapper {
min-width: 0;
white-space: pre-wrap;
word-break: break-all;
}
.password-row {
min-width: 0;
}
.password-letter {
@include themify($themes) {
color: themed("pwLetter");
}
}
.password-number {
@include themify($themes) {
color: themed("pwNumber");
}
}
.password-special {
@include themify($themes) {
color: themed("pwSpecial");
}
}
app-generator {
#lengthRange {
width: 100%;
}
.card-generated {
.card-body {
@include themify($themes) {
background: themed("foregroundColor");
}
align-items: center;
display: flex;
flex-wrap: wrap;
font-family: $font-family-monospace;
font-size: $font-size-lg;
justify-content: center;
text-align: center;
}
}
}
app-password-generator-history {
.list-group-item {
line-height: 1;
@include themify($themes) {
background: themed("backgroundColor");
}
.password {
font-family: $font-family-monospace;
}
}
}
app-import {
textarea {
height: 150px;
}
}
app-avatar {
img {
@extend .rounded;
}
}
app-user-billing {
.progress {
height: 20px;
.progress-bar {
min-width: 50px;
}
}
}
app-sponsored-families {
.inset-list {
padding-left: 1.5rem;
}
}
/* Register Layout Page */
.layout {
&.default,
&.teams,
&.teams1,
&.teams2,
&.enterprise,
&.enterprise1,
&.enterprise2,
&.cnetcmpgnent,
&.cnetcmpgnteams,
&.cnetcmpgnind {
header {
background: #175ddc;
color: #ced4da;
height: 70px;
&:before {
background: #175ddc;
content: "";
height: 520px;
left: 0;
position: absolute;
top: -80px;
transform: skewY(-3deg);
width: 100%;
z-index: -1;
}
img.logo {
height: 57px;
margin: 12px 0 0;
max-width: 284px;
width: 284px;
}
}
h1 {
color: #ffffff;
font-size: 3.5rem;
margin: 50px 0 0;
}
h2 {
color: #ffffff;
font-size: 2rem;
line-height: 1.5;
margin: 20px 0 140px;
}
p {
font-size: 2rem;
margin: 10px 0 70px 0;
&:before {
content: "/";
padding-right: 12px;
}
&:not(.highlight) {
&:before {
color: #1252a3;
}
}
b {
&:after {
content: "⟶";
font-size: 2rem;
padding-left: 6px;
}
}
}
figure {
margin: 0;
}
blockquote {
font-size: 1.4rem;
margin: 20px 0 0;
}
}
&.cnetcmpgnind {
p {
font-size: 1.5rem;
margin: 10px 0 50px 0;
}
}
}
.collapsable-row {
display: flex;
padding-top: 15px;
i {
margin-top: 3px;
}
.filter-title {
padding-left: 5px;
}
&.active {
@include themify($themes) {
color: themed("primary");
}
}
}
.vault-filter-option {
padding-bottom: 3px;
&.active {
@include themify($themes) {
color: themed("primary");
font-weight: bold;
}
}
button.org-options {
background: none;
border: none;
padding: 0;
&:hover,
&:focus {
@include themify($themes) {
color: themed("iconHover") !important;
box-shadow: none;
}
}
}
}
.org-filter-heading {
@include themify($themes) {
color: themed("textColor");
}
&.active {
@include themify($themes) {
color: themed("primary");
font-weight: bold;
}
}
}
| bitwarden/web/src/scss/pages.scss/0 | {
"file_path": "bitwarden/web/src/scss/pages.scss",
"repo_id": "bitwarden",
"token_count": 1774
} | 165 |
// Set theme on page load
// This is done outside the Angular app to avoid a flash of unthemed content before it loads
// The defaultTheme is also set in the html itself to make sure that some theming is always applied
(function () {
const defaultTheme = "light";
const htmlEl = document.documentElement;
let theme = defaultTheme;
const globalState = window.localStorage.getItem("global");
if (globalState != null) {
const globalStateJson = JSON.parse(globalState);
if (globalStateJson != null && globalStateJson.theme != null) {
if (globalStateJson.theme.indexOf("system") > -1) {
theme = window.matchMedia("(prefers-color-scheme: dark)").matches ? "dark" : "light";
} else if (globalStateJson.theme.indexOf("dark") > -1) {
theme = "dark";
}
}
if (!htmlEl.classList.contains("theme_" + theme)) {
htmlEl.classList.remove("theme_" + defaultTheme);
htmlEl.classList.add("theme_" + theme);
}
}
})();
| bitwarden/web/src/theme.js/0 | {
"file_path": "bitwarden/web/src/theme.js",
"repo_id": "bitwarden",
"token_count": 339
} | 166 |
# Spring4.X + Spring MVC + Mybatis3 零配置应用开发框架搭建详解(1) - 基本介绍
> 两年前一直在做后台的纯java开发,很少涉及web开发这块,最近换了个纯的互联网公司,需要做Web后台管理系统,之前都是用xml配置的项目,接触了公司Spring4.x的零配置项目,觉得非常有感觉,不仅仅配置简单,而且条理清晰,所以,这里把学习的内容记录下来,一来加深对这块技术的印象,另外准备做个简单的教程,如果给其他人分享的时候还可以拿来直接用。
> 首先讲讲为什么要做框架搭建?现在的开源软件,都是一些很有想法的一群技术大牛利用业余时间弄出来的,而刚开始做框架的时候,是要解决他们工作中面临的一些问题?比如解决javaBean的依赖管理,出现了spring,解决数据库访问操作的问题诞生了Hibernate,Mybatis,解决业务逻辑代码与视图代码的分离,诞生了Struts,SpringMVC......可能你会问,为什么不直接来一个包含全部解决方案的框架呢?我个人认为有以下几个原因:
<p>
<ul>
<li>一、刚开始的时候,框架只解决某个业务领域的问题,且这个框架的创始人精力有限,不可能做到面面俱到!</li>
<li>二、代码的维护、重构、升级的时间其实比开发更耗时间;</li>
<li>三、大而全的框架适应力不如解决某一领域框架好,软件开发面对的需求变化和场景已经足够多了,一个大而全的框架必定会因为种种原因,限制其发展,就像spring-side等框架。因为如果它已经与其他第三方框架集成好了,如果用户需要对某一部分修改,会涉及很多变更和适配。</li>
<li>四、由于这些软件受众小,遇到一些特殊场景,如果要集成不常用的第三方库和内容,学习成本、稳定性、安全性等因素变得比较重要了。虽然它已经将很多库集成了,看起来不需要那么繁琐的配置很管理,其实,如果你需要做一些适配和修改的工作,这种大集成的套件往往对技术的要求又很高,不是一般人就能改、也不是一时半会就能改出来的!</li>
</ul>
</p>
> 所以,用现有成熟、稳定的库去搭建一个属于自己的框架,对技术要求、学习成本的需求更低一点!
> 先来说说零配置的实现原理:Servlet3.0规范,支持将web.xml相关配置也硬编码到代码中[servlet,filter,listener,等等],并由javax.servlet.ServletContainerInitializer的实现类负责在容器启动时进行加载,spring提供了一个实现类SpringServletContainerInitializer(在spring-web包中的org.springframework.web目录),该类会调用所有org.springframework.web.WebApplicationInitializer实现类的onStartup方法,将相关的组件注册到服务器;而我们的WebApplicationInitializer继承自AbstractAnnotationConfigDispatcherServletInitializer,而AbstractAnnotationConfigDispatcherServletInitializer就实现了org.springframework.web.WebApplicationInitializer的onStartup方法,所以WebApplicationInitializer就是整个项目的关键,我们的整个项目就是通过它来启动。这个WebApplicationInitializer在我们例子的代码中会详细介绍。
###### 由于篇幅较长,所以我把它分成了以下几个部分,逐一进行讲解:
+ [(一)基本介绍][1]
+ [(二)基础框架搭建][2]
+ [(三)实现最基本的登录处理][3]
+ [(四)任务调度管理][4]
+ [(五)Redis缓存配置][5]
+ (六)安全框架集成
+ [(七)git版本源代码下载][7]
> 由于时间的关系,不可能一下全写完,所以会陆续更新。
> 提示:想学习Spring零配置的内容,最好是下载源码运行,然后自己照着写一遍,加深对框架的理解和认识。
[1]:http://blog.csdn.net/chwshuang/article/details/52164059 "基本介绍"
[2]:http://blog.csdn.net/chwshuang/article/details/52175907 "基础框架搭建"
[3]:http://blog.csdn.net/chwshuang/article/details/52182540 "实现最基本的登录处理"
[4]:http://blog.csdn.net/chwshuang/article/details/52209903 "调度任务实现"
[5]:http://blog.csdn.net/chwshuang/article/details/52238728 "缓存管理"
[7]:https://github.com/chwshuang/web.git "源代码下载"
| chwshuang/web/README.md/0 | {
"file_path": "chwshuang/web/README.md",
"repo_id": "chwshuang",
"token_count": 2852
} | 167 |
package com.aitongyi.web.cache;
/**
* 缓存Key统一管理类
* Created by admin on 16/8/18.
*/
public class CacheKey {
/**
* <pre>
* 登录用户缓存Key
* 格式 : str.login.user.{userId}
* </pre>
*/
public static final String LOGIN_USER_KEY = "str.login.user.";
}
| chwshuang/web/cache/src/main/java/com/aitongyi/web/cache/CacheKey.java/0 | {
"file_path": "chwshuang/web/cache/src/main/java/com/aitongyi/web/cache/CacheKey.java",
"repo_id": "chwshuang",
"token_count": 153
} | 168 |
package web
import (
"net/http"
"reflect"
"strings"
)
func (r *Router) genericOptionsHandler(ctx reflect.Value, methods []string) func(rw ResponseWriter, req *Request) {
return func(rw ResponseWriter, req *Request) {
if r.optionsHandler.IsValid() {
invoke(r.optionsHandler, ctx, []reflect.Value{reflect.ValueOf(rw), reflect.ValueOf(req), reflect.ValueOf(methods)})
} else {
rw.Header().Add("Access-Control-Allow-Methods", strings.Join(methods, ", "))
rw.WriteHeader(http.StatusOK)
}
}
}
| gocraft/web/options_handler.go/0 | {
"file_path": "gocraft/web/options_handler.go",
"repo_id": "gocraft",
"token_count": 185
} | 169 |
{
"$schema": "https://unpkg.com/@changesets/config@1.1.0/schema.json",
"changelog": "@changesets/cli/changelog",
"commit": false,
"linked": [],
"ignore": ["@web/test-runner-integration-tests"],
"access": "public",
"baseBranch": "master",
"updateInternalDependencies": "patch"
}
| modernweb-dev/web/.changeset/config.json/0 | {
"file_path": "modernweb-dev/web/.changeset/config.json",
"repo_id": "modernweb-dev",
"token_count": 114
} | 170 |
<svg version="1.1" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px"
viewBox="0 0 412 411" style="enable-background:new 0 0 412 411;" xml:space="preserve">
<title>Tilted sphere with longitudinal stripes</title>
<g fill="#ff0000">
<g>
<linearGradient id="logo-color-SVGID_1_" gradientUnits="userSpaceOnUse" x1="163.8164" y1="-672.4328" x2="163.8164" y2="-266.5325" gradientTransform="matrix(0.866 0.5 -0.5 0.866 -168.6902 527.1097)">
<stop offset="0" style="stop-color:#84CFF3"/>
<stop offset="0" style="stop-color:#A9E0F9"/>
<stop offset="0.5293" style="stop-color:#668CC1"/>
<stop offset="1" style="stop-color:#2C559C"/>
</linearGradient>
<path style="fill:url(#logo-color-SVGID_1_);" d="M224.26,216.546c-56.609,98.05-110.723,172.788-120.866,166.932
s27.525-90.089,84.134-188.139S298.252,22.551,308.395,28.407S280.87,118.496,224.26,216.546z"/>
</g>
<g>
<linearGradient id="logo-color-SVGID_2_" gradientUnits="userSpaceOnUse" x1="-219.7428" y1="-108.4554" x2="-219.7428" y2="214.2954" gradientTransform="matrix(0.9848 0.1736 -0.1736 0.9848 332.8062 206.2297)">
<stop offset="0" style="stop-color:#84CFF3"/>
<stop offset="0" style="stop-color:#A9E0F9"/>
<stop offset="0.5293" style="stop-color:#668CC1"/>
<stop offset="1" style="stop-color:#2C559C"/>
</linearGradient>
<path style="fill:url(#logo-color-SVGID_2_);" d="M168.388,67.113c0,0-56.017,42.973-75.193,229.181c-6.53,43.26-3.894,78.97,10.145,87.076
c-60.859-35.137-42.317-163.195,0.097-236.657c12.391-21.461,27.608-41.802,44.414-59.687
c6.623-7.047,13.492-13.714,20.533-19.916"/>
<linearGradient id="logo-color-SVGID_3_" gradientUnits="userSpaceOnUse" x1="-138.856" y1="-175.1664" x2="-138.856" y2="130.3041" gradientTransform="matrix(0.9848 0.1736 -0.1736 0.9848 332.8062 206.2297)">
<stop offset="0" style="stop-color:#84CFF3"/>
<stop offset="0" style="stop-color:#A9E0F9"/>
<stop offset="0.5293" style="stop-color:#668CC1"/>
<stop offset="1" style="stop-color:#2C559C"/>
</linearGradient>
<path style="fill:url(#logo-color-SVGID_3_);" d="M168.388,67.113c0,0-56.017,42.973-75.193,229.181
c6.413-42.484,21.664-92.249,43.634-130.303C184.706,83.068,279.401,11.591,308.341,28.3
c-39.614-22.871-93.509-2.11-139.956,38.81"/>
</g>
<g>
<linearGradient id="logo-color-SVGID_4_" gradientUnits="userSpaceOnUse" x1="-3595.6011" y1="-2655.7827" x2="-3572.4814" y2="-2228.2261" gradientTransform="matrix(-0.6428 -0.766 -0.766 0.6428 -3893.9177 -910.2711)">
<stop offset="0" style="stop-color:#84CFF3"/>
<stop offset="0" style="stop-color:#A9E0F9"/>
<stop offset="1" style="stop-color:#2C559C"/>
</linearGradient>
<path style="fill:url(#logo-color-SVGID_4_);" d="M344.658,168.607c0,0-9.208,69.999-160.881,179.709
c-34.2,27.285-66.443,42.858-80.482,34.752c60.859,35.137,162.489-44.95,204.903-118.413
c12.391-21.461,22.398-44.81,29.483-68.307c2.792-9.259,5.13-18.541,6.982-27.74"/>
<linearGradient id="logo-color-SVGID_5_" gradientUnits="userSpaceOnUse" x1="-3469.5286" y1="-2641.7751" x2="-3678.5356" y2="-2011.9231" gradientTransform="matrix(-0.6428 -0.766 -0.766 0.6428 -3893.9177 -910.2711)">
<stop offset="0" style="stop-color:#84CFF3"/>
<stop offset="0" style="stop-color:#A9E0F9"/>
<stop offset="0.5293" style="stop-color:#668CC1"/>
<stop offset="1" style="stop-color:#2C559C"/>
</linearGradient>
<path style="fill:url(#logo-color-SVGID_5_);" d="M344.658,168.607c0,0-9.208,69.999-160.881,179.709
c33.586-26.795,69.058-64.886,91.028-102.94c47.876-82.924,62.429-200.67,33.489-217.378
c39.614,22.871,48.582,79.926,36.368,140.61"/>
</g>
<g>
<linearGradient id="logo-color-SVGID_6_" gradientUnits="userSpaceOnUse" x1="61.3711" y1="-586.1053" x2="61.3711" y2="-260.8823" gradientTransform="matrix(0.866 0.5 -0.5 0.866 -168.6902 527.1097)">
<stop offset="0" style="stop-color:#84CFF3"/>
<stop offset="0" style="stop-color:#A9E0F9"/>
<stop offset="0.5293" style="stop-color:#668CC1"/>
<stop offset="1" style="stop-color:#2C559C"/>
</linearGradient>
<path style="fill:url(#logo-color-SVGID_6_);" d="M27.152,230.307C13.031,109.538,122.464,18.433,122.464,18.433l-0.001-0.002
c-1.687,0.753-3.365,1.529-5.033,2.328C81.438,38,50.093,65.908,28.632,103.079c-56.609,98.05-23.015,223.426,75.035,280.035
c-54.798-31.638-80.137-89.541-76.52-152.808"/>
<linearGradient id="logo-color-SVGID_7_" gradientUnits="userSpaceOnUse" x1="72.6895" y1="-670.8823" x2="72.6895" y2="-354.9577" gradientTransform="matrix(0.866 0.5 -0.5 0.866 -168.6902 527.1097)">
<stop offset="0" style="stop-color:#84CFF3"/>
<stop offset="0" style="stop-color:#A9E0F9"/>
<stop offset="0.5293" style="stop-color:#668CC1"/>
<stop offset="1" style="stop-color:#2C559C"/>
</linearGradient>
<path style="fill:url(#logo-color-SVGID_7_);" d="M27.152,230.307C13.031,109.538,122.464,18.433,122.464,18.433l-0.001-0.002
c57.946-25.86,127.049-24.54,186.205,9.613c-85.755-49.511-191.147-4.378-247.756,93.672
c-18.961,32.841-30.044,67.454-33.177,100.827c-0.244,2.596-0.439,5.185-0.587,7.764"/>
</g>
<g>
<linearGradient id="logo-color-SVGID_8_" gradientUnits="userSpaceOnUse" x1="-3053.2617" y1="-745.8848" x2="-3053.2617" y2="-206.5073" gradientTransform="matrix(-0.866 -0.5 -0.5 0.866 -2582.2083 -866.3355)">
<stop offset="0" style="stop-color:#84CFF3"/>
<stop offset="0" style="stop-color:#A9E0F9"/>
<stop offset="0.5293" style="stop-color:#668CC1"/>
<stop offset="1" style="stop-color:#2C559C"/>
</linearGradient>
<path style="fill:url(#logo-color-SVGID_8_);" d="M274.26,372.975C385.91,324.82,410.093,184.496,410.093,184.496l0.002,0
c0.191,1.838,0.358,3.679,0.5,5.522c3.065,39.791-5.432,80.89-26.893,118.062c-56.609,98.05-181.985,131.644-280.035,75.035
c54.798,31.638,117.614,24.63,170.595-10.136"/>
<linearGradient id="logo-color-SVGID_9_" gradientUnits="userSpaceOnUse" x1="-3041.9434" y1="-722.2291" x2="-3041.9434" y2="-60.6206" gradientTransform="matrix(-0.866 -0.5 -0.5 0.866 -2582.2083 -866.3355)">
<stop offset="0" style="stop-color:#84CFF3"/>
<stop offset="0" style="stop-color:#A9E0F9"/>
<stop offset="0.5293" style="stop-color:#668CC1"/>
<stop offset="1" style="stop-color:#2C559C"/>
</linearGradient>
<path style="fill:url(#logo-color-SVGID_9_);" d="M274.26,372.975C385.91,324.82,410.093,184.496,410.093,184.496l0.002,0
c-6.578-63.113-42.272-122.298-101.428-156.451c85.755,49.511,99.365,163.349,42.756,261.399
c-18.961,32.841-43.395,59.746-70.73,79.146c-2.126,1.509-4.27,2.973-6.431,4.39"/>
</g>
</g>
</svg>
| modernweb-dev/web/docs/_assets/logo.svg/0 | {
"file_path": "modernweb-dev/web/docs/_assets/logo.svg",
"repo_id": "modernweb-dev",
"token_count": 3404
} | 171 |
---
eleventyNavigation:
key: Dev Server >> Overview
title: Overview
parent: Dev Server
order: 1
---
# Web Dev Server
Web Dev Server helps developing for the web, using native browser features like es modules. It is ideal for buildless workflows, and has a plugin architecture for light code transformations.
- Efficient browser caching for fast reloads
- Transform code on older browsers for compatibility
- Resolve bare module imports for use in the browser (--node-resolve)
- Auto-reload on file changes with the (--watch)
- History API fallback for SPA routing (--app-index index.html)
- Plugin and middleware API for extensions
- Powered by [esbuild](plugins/esbuild.md) and [rollup plugins](plugins/rollup.md)
> Web Dev Server is the successor of [es-dev-server](https://www.npmjs.com/package/es-dev-server)
## Installation
Install Web Dev Server:
```
npm i --save-dev @web/dev-server
```
Then add the following to the `"scripts"` section in `package.json`:
```
"start": "web-dev-server --node-resolve --open --watch"
```
Or use the shorthand:
```
"start": "wds --node-resolve --open --watch"
```
Note, the examples below assume an npm script is used.
## Basic commands
Start the server:
```
web-dev-server --node-resolve --open
wds --node-resolve --open
```
Run in watch mode, reloading on file changes:
```
web-dev-server --node-resolve --watch --open
wds --node-resolve --watch --open
```
Use history API fallback for SPA routing:
```
web-dev-server --node-resolve --app-index demo/index.html --open
wds --node-resolve --app-index demo/index.html --open
```
Transform JS to a compatible syntax based on user agent:
```
web-dev-server --node-resolve --open --esbuild-target auto
wds --node-resolve --open --esbuild-target auto
```
## Example projects
Check out the <a href="https://github.com/modernweb-dev/example-projects" target="_blank" rel="noopener noreferrer">example projects</a> for a fully integrated setup.
| modernweb-dev/web/docs/docs/dev-server/overview.md/0 | {
"file_path": "modernweb-dev/web/docs/docs/dev-server/overview.md",
"repo_id": "modernweb-dev",
"token_count": 607
} | 172 |
# Storybook Builder >> Frameworks ||3
Storybook supports different technologies via [frameworks](https://storybook.js.org/docs/web-components/api/new-frameworks).
Frameworks simplify the configuration of the Storybook for a specific builder like `@web/storybook-builder`.
Currently we support only Web Components.
## @web/storybook-framework-web-components
Storybook framework for `@web/storybook-builder` + Web Components
### Installation
Install the framework:
```bash
npm install @web/storybook-framework-web-components --save-dev
```
### Configuration
Configure the type and framework name in the Storybook main configuration file:
```js
// .storybook/main.js
/** @type { import('@web/storybook-framework-web-components').StorybookConfig } */
const config = {
...
framework: {
name: '@web/storybook-framework-web-components',
...
},
...
};
```
| modernweb-dev/web/docs/docs/storybook-builder/frameworks.md/0 | {
"file_path": "modernweb-dev/web/docs/docs/storybook-builder/frameworks.md",
"repo_id": "modernweb-dev",
"token_count": 258
} | 173 |
# Test Runner ||1
| modernweb-dev/web/docs/docs/test-runner/index.md/0 | {
"file_path": "modernweb-dev/web/docs/docs/test-runner/index.md",
"repo_id": "modernweb-dev",
"token_count": 6
} | 174 |
# Test Runner >> Writing Tests ||3
Web test runners reads the configured test files, and runs them inside each of the configured browsers. Each test file runs in it's own browser environment, there is no shared state between tests. This enables concurrency and keeps tests isolated.
| modernweb-dev/web/docs/docs/test-runner/writing-tests/index.md/0 | {
"file_path": "modernweb-dev/web/docs/docs/test-runner/writing-tests/index.md",
"repo_id": "modernweb-dev",
"token_count": 58
} | 175 |
# Going Buildless ||10
| modernweb-dev/web/docs/guides/going-buildless/index.md/0 | {
"file_path": "modernweb-dev/web/docs/guides/going-buildless/index.md",
"repo_id": "modernweb-dev",
"token_count": 7
} | 176 |
{
"name": "@web/test-runner-integration-tests",
"version": "0.0.0",
"private": true,
"publishConfig": {
"access": "public"
},
"description": "Web Test Runner integration tests",
"license": "MIT",
"repository": {
"type": "git",
"url": "https://github.com/modernweb-dev/web.git",
"directory": "packages/test-runner-integration-tests"
},
"author": "modern-web",
"homepage": "https://github.com/modernweb-dev/web/tree/master/packages/test-runner-integration-tests",
"main": "index.js",
"scripts": {
"test": "mocha test/**/*.test.ts --require ts-node/register --reporter dot",
"test:watch": "mocha test/**/*.test.ts --require ts-node/register --watch --watch-files src,test --reporter dot"
},
"dependencies": {
"@web/dev-server-legacy": "^2.1.0",
"@web/test-runner-core": "^0.13.1"
},
"devDependencies": {
"@esm-bundle/chai": "^4.1.5"
}
}
| modernweb-dev/web/integration/test-runner/package.json/0 | {
"file_path": "modernweb-dev/web/integration/test-runner/package.json",
"repo_id": "modernweb-dev",
"token_count": 365
} | 177 |
import { expect } from '../../../../../node_modules/@esm-bundle/chai/esm/chai.js';
it('can run a test with focus e', async () => {
const input = document.createElement('input');
document.body.appendChild(input);
let firedEvent = false;
input.addEventListener('focus', () => {
firedEvent = true;
});
input.focus();
// await 2 frames for IE11
await new Promise(requestAnimationFrame);
await new Promise(requestAnimationFrame);
expect(firedEvent).to.be.true;
});
| modernweb-dev/web/integration/test-runner/tests/focus/browser-tests/focus-e.test.js/0 | {
"file_path": "modernweb-dev/web/integration/test-runner/tests/focus/browser-tests/focus-e.test.js",
"repo_id": "modernweb-dev",
"token_count": 154
} | 178 |
import { BrowserLauncher, TestRunnerCoreConfig } from '@web/test-runner-core';
import { runTests } from '@web/test-runner-core/test-helpers';
import { legacyPlugin } from '@web/dev-server-legacy';
import { resolve } from 'path';
export function runManyTests(
config: Partial<TestRunnerCoreConfig> & { browsers: BrowserLauncher[] },
) {
describe('many', async function () {
it('can run many test', async () => {
await Promise.all([
runTests({
...config,
files: [...(config.files ?? []), resolve(__dirname, 'browser-tests', '*.test.js')],
plugins: [...(config.plugins ?? []), legacyPlugin()],
}),
]);
});
});
}
| modernweb-dev/web/integration/test-runner/tests/many/runManyTests.ts/0 | {
"file_path": "modernweb-dev/web/integration/test-runner/tests/many/runManyTests.ts",
"repo_id": "modernweb-dev",
"token_count": 258
} | 179 |
export function throwErrorC() {
throw new Error('My error');
}
| modernweb-dev/web/integration/test-runner/tests/test-failure/browser-tests/fail-stack-trace-c.js/0 | {
"file_path": "modernweb-dev/web/integration/test-runner/tests/test-failure/browser-tests/fail-stack-trace-c.js",
"repo_id": "modernweb-dev",
"token_count": 19
} | 180 |
window.addEventListener('error', e => {
console.error(e.error);
});
window.addEventListener('unhandledrejection', e => {
e.promise.catch(error => {
console.error(
'An error was thrown in a Promise outside a test. Did you forget to await a function or assertion?',
);
console.error(error);
});
});
| modernweb-dev/web/packages/browser-logs/src/logUncaughtErrors.ts/0 | {
"file_path": "modernweb-dev/web/packages/browser-logs/src/logUncaughtErrors.ts",
"repo_id": "modernweb-dev",
"token_count": 109
} | 181 |
const ConfigLoaderError = require('./ConfigLoaderError');
// These strings may be node-version dependent and need updating over time
// They're just to display a helpful error message
const ESM_ERRORS = [
"SyntaxError: Unexpected token 'export'",
'SyntaxError: Cannot use import statement outside a module',
];
/**
* @param {string} path
*/
function requireConfig(path) {
try {
return require(path);
} catch (e) {
if (ESM_ERRORS.some(msg => /** @type {Error} **/(e).stack?.includes(msg))) {
throw new ConfigLoaderError(
'You are using es module syntax in a config loaded as CommonJS module. ' +
'Use require/module.exports syntax, or load the file as es module by using the .mjs ' +
'file extension or by setting type="module" in your package.json.',
);
}
throw e;
}
}
module.exports = requireConfig;
| modernweb-dev/web/packages/config-loader/src/requireConfig.js/0 | {
"file_path": "modernweb-dev/web/packages/config-loader/src/requireConfig.js",
"repo_id": "modernweb-dev",
"token_count": 291
} | 182 |
export class PluginSyntaxError extends Error {
constructor(
public message: string,
public filePath: string,
public code: string,
public line: number,
public column: number,
) {
super(message);
this.name = 'PluginSyntaxError';
}
}
| modernweb-dev/web/packages/dev-server-core/src/logger/PluginSyntaxError.ts/0 | {
"file_path": "modernweb-dev/web/packages/dev-server-core/src/logger/PluginSyntaxError.ts",
"repo_id": "modernweb-dev",
"token_count": 91
} | 183 |
import { Middleware } from 'koa';
import { Plugin } from '../plugins/Plugin';
import { Server } from 'net';
import chokidar from 'chokidar';
export type MimeTypeMappings = Record<string, string>;
export interface DevServerCoreConfig {
/**
* The port to run the server on.
*/
port?: number;
/**
* Root directory to serve files from. All served files must be accessible with
* this directory. If you are in a monorepository, you may need to set the to
* the root of the repository.
*/
rootDir: string;
/**
* Hostname to bind the server to.
*/
hostname?: string;
/**
* Whether to run server or not and allow to use as a middleware connected to another server.
*/
middlewareMode?: boolean | { server: Server };
basePath?: string;
/**
* The app's index.html file. When set, serves the index.html for non-file requests. Use this to enable SPA routing
*/
appIndex?: string;
/**
* Files to serve with a different mime type
*/
mimeTypes?: MimeTypeMappings;
/**
* Middleware used by the server to modify requests/responses, for example to proxy
* requests or rewrite urls
*/
middleware?: Middleware[];
/**
* Plugins used by the server to serve or transform files
*/
plugins?: Plugin[];
/**
* Whether to run the server with HTTP2
*/
http2?: boolean;
/**
* Path to SSL key
*/
sslKey?: string;
/**
* Path to SSL certificate
*/
sslCert?: string;
/**
* Whether to inject a script to set up a web socket connection into pages served
* by the dev server. Defaults to true.
*/
injectWebSocket?: boolean;
/**
* Whether to watch and rebuild served files.
* Useful when you want more control over when files are build (e.g. when doing a test run using @web/test-runner).
*/
disableFileWatcher?: boolean;
/**
* Additional options you want to provide to chokidar file watcher
*/
chokidarOptions?: chokidar.WatchOptions;
}
| modernweb-dev/web/packages/dev-server-core/src/server/DevServerCoreConfig.ts/0 | {
"file_path": "modernweb-dev/web/packages/dev-server-core/src/server/DevServerCoreConfig.ts",
"repo_id": "modernweb-dev",
"token_count": 616
} | 184 |
import { message } from 'my-module';
console.log(`The message is: ${message}`);
| modernweb-dev/web/packages/dev-server-core/test/fixtures/basic/src/foo.js/0 | {
"file_path": "modernweb-dev/web/packages/dev-server-core/test/fixtures/basic/src/foo.js",
"repo_id": "modernweb-dev",
"token_count": 27
} | 185 |
import { expect } from 'chai';
import { transformImports } from '../../src/plugins/transformModuleImportsPlugin.js';
import type { PluginSyntaxError } from '../../src/logger/PluginSyntaxError.js';
import { createTestServer } from '../helpers.js';
const defaultFilePath = '/root/my-file.js';
const defaultResolveImport = (src: string) => `RESOLVED__${src}`;
describe('transformImports()', () => {
it('resolves regular imports', async () => {
const result = await transformImports(
[
'import "my-module";',
'import foo from "my-module";',
'import { bar } from "my-module";',
'import "./my-module.js";',
'import "https://my-cdn.com/my-package.js";',
].join('\n'),
defaultFilePath,
defaultResolveImport,
);
expect(result.split('\n')).to.eql([
'import "RESOLVED__my-module";',
'import foo from "RESOLVED__my-module";',
'import { bar } from "RESOLVED__my-module";',
'import "RESOLVED__./my-module.js";',
'import "RESOLVED__https://my-cdn.com/my-package.js";',
]);
});
it('resolves basic exports', async () => {
const result = await transformImports(
[
//
"export * from 'my-module';",
"export { foo } from 'my-module';",
].join('\n'),
defaultFilePath,
defaultResolveImport,
);
expect(result.split('\n')).to.eql([
//
"export * from 'RESOLVED__my-module';",
"export { foo } from 'RESOLVED__my-module';",
]);
});
it('resolves imports to a file with bare import', async () => {
const result = await transformImports(
"import 'my-module/bar/index.js'",
defaultFilePath,
defaultResolveImport,
);
expect(result).to.eql("import 'RESOLVED__my-module/bar/index.js");
});
it('resolves dynamic imports', async () => {
const result = await transformImports(
[
'import("/bar.js");',
// 'function lazyLoad() { return import("my-module-2"); }',
// 'import("my-module");',
// 'import("./local-module.js");',
].join('\n'),
defaultFilePath,
defaultResolveImport,
);
expect(result.split('\n')).to.eql([
'import("RESOLVED__/bar.js");',
// 'function lazyLoad() { return import("RESOLVED__my-module-2"); }',
// 'import("RESOLVED__my-module");',
// 'import("RESOLVED__./local-module.js");',
]);
});
it('does not touch import.meta.url', async () => {
const result = await transformImports(
[
//
'console.log(import.meta.url);',
"import 'my-module';",
].join('\n'),
defaultFilePath,
defaultResolveImport,
);
expect(result.split('\n')).to.eql([
'console.log(import.meta.url);',
"import 'RESOLVED__my-module';",
]);
});
it('does not touch comments', async () => {
const result = await transformImports(
[
//
"import 'my-module';",
"// Example: import('my-module');",
].join('\n'),
defaultFilePath,
defaultResolveImport,
);
expect(result.split('\n')).to.eql([
"import 'RESOLVED__my-module';",
"// Example: import('my-module');",
]);
});
it('does not resolve imports in regular code', async () => {
const result = await transformImports(
[
//
'function myimport() { }',
'function my_import() { }',
'function importShim() { }',
"class Foo { import() { return 'foo' } }",
].join('\n'),
defaultFilePath,
defaultResolveImport,
);
expect(result.split('\n')).to.eql([
'function myimport() { }',
'function my_import() { }',
'function importShim() { }',
"class Foo { import() { return 'foo' } }",
]);
});
it('resolves the package of bare dynamic imports with string concatenation', async () => {
const result = await transformImports(
[
//
'import(`@namespace/my-module-3/dynamic-files/${file}.js`);',
'import(`my-module/dynamic-files/${file}.js`);',
'import("my-module/dynamic-files" + "/" + file + ".js");',
'import("my-module/dynamic-files/" + file + ".js");',
'import("my-module/dynamic-files".concat(file).concat(".js"));',
].join('\n'),
defaultFilePath,
defaultResolveImport,
);
expect(result.split('\n')).to.eql([
'import(`RESOLVED__@namespace/my-module-3/dynamic-files/${file}.js`);',
'import(`RESOLVED__my-module/dynamic-files/${file}.js`);',
'import("RESOLVED__my-module/dynamic-files" + "/" + file + ".js");',
'import("RESOLVED__my-module/dynamic-files/" + file + ".js");',
'import("RESOLVED__my-module/dynamic-files".concat(file).concat(".js"));',
]);
});
it('resolves dynamic imports', async () => {
const result = await transformImports(
[
//
'import("./a.js");',
"import('./b.js');",
].join('\n'),
defaultFilePath,
defaultResolveImport,
);
expect(result.split('\n')).to.eql([
'import("RESOLVED__./a.js");',
"import('RESOLVED__./b.js');",
]);
});
it('does not get confused by whitespace', async () => {
const result = await transformImports(
[
//
'import( "./a.js" );',
'import( "./b.js" );',
'import( "./c" + ".js" );',
`import(
'./d.js'
);`,
].join('\n'),
defaultFilePath,
defaultResolveImport,
);
expect(result.split('\n')).to.eql([
'import( "RESOLVED__./a.js" );',
'import( "RESOLVED__./b.js" );',
'import( "./c" + ".js" );',
'import(',
" 'RESOLVED__./d.js'",
' );',
]);
});
it('does not change import with string concatenation cannot be resolved', async () => {
await transformImports(
[
'const file = "a";',
'import(`@namespace/non-existing/dynamic-files/${file}.js`);',
'import(`non-existing/dynamic-files/${file}.js`);',
'import(totallyDynamic);',
'import(`${file}.js`);',
].join('\n'),
defaultFilePath,
defaultResolveImport,
);
});
it('does not change import with string concatenation cannot be resolved', async () => {
await transformImports(
[
'const file = "a";',
'import(`@namespace/non-existing/dynamic-files/${file}.js`);',
'import(`non-existing/dynamic-files/${file}.js`);',
'import(totallyDynamic);',
'import(`${file}.js`);',
].join('\n'),
defaultFilePath,
defaultResolveImport,
);
});
it('does not resolve dynamic imports with string concatenation', async () => {
const result = await transformImports(
[
//
'import(`./foo/${file}.js`);',
'import(`/${file}.js`);',
'import("./foo" + "/" + file + ".js");',
'import(file + ".js");',
'import(file);',
'import("./foo".concat(file).concat(".js"));',
].join('\n'),
defaultFilePath,
defaultResolveImport,
);
expect(result.split('\n')).to.eql([
'import(`./foo/${file}.js`);',
'import(`/${file}.js`);',
'import("./foo" + "/" + file + ".js");',
'import(file + ".js");',
'import(file);',
'import("./foo".concat(file).concat(".js"));',
]);
});
it('throws a syntax error on invalid imports', async () => {
let thrown = false;
try {
await transformImports('\n\nconst file = "a', defaultFilePath, defaultResolveImport);
} catch (error) {
thrown = true;
expect((error as PluginSyntaxError).message).to.equal('Syntax error');
expect((error as PluginSyntaxError).filePath).to.equal('/root/my-file.js');
expect((error as PluginSyntaxError).column).to.equal(16);
expect((error as PluginSyntaxError).line).to.equal(3);
}
expect(thrown).to.be.true;
});
});
describe('resolveImport', () => {
it('lets plugins resolve imports using the resolveImport hook', async () => {
const { server, host } = await createTestServer({
plugins: [
{
name: 'test',
resolveImport({ source }) {
return `RESOLVED__${source}`;
},
},
],
});
try {
const response = await fetch(`${host}/src/app.js`);
const responseText = await response.text();
expect(response.status).to.equal(200);
expect(responseText).to.include("import { message } from 'RESOLVED__my-module';");
} finally {
server.stop();
}
});
it('resolves imports in inline modules in HTML files', async () => {
const { server, host } = await createTestServer({
plugins: [
{
name: 'test',
resolveImport({ source }) {
return `RESOLVED__${source}`;
},
},
],
});
try {
const response = await fetch(`${host}/index.html`);
const responseText = await response.text();
expect(response.status).to.equal(200);
expect(responseText).to.include("import { message } from 'RESOLVED__my-module';");
} finally {
server.stop();
}
});
it('unmatched resolve leaves import untouched', async () => {
const { server, host } = await createTestServer({
plugins: [
{
name: 'test',
resolveImport() {
return undefined;
},
},
],
});
try {
const response = await fetch(`${host}/src/app.js`);
const responseText = await response.text();
expect(response.status).to.equal(200);
expect(responseText).to.include("import { message } from 'my-module';");
} finally {
server.stop();
}
});
it('first matching plugin takes priority', async () => {
const { server, host } = await createTestServer({
plugins: [
{
name: 'test-a',
resolveImport({ source, context }) {
if (context.path === '/src/foo.js') {
return `RESOLVED__A__${source}`;
}
},
},
{
name: 'test-b',
resolveImport({ source }) {
return `RESOLVED__B__${source}`;
},
},
],
});
try {
const responseA = await fetch(`${host}/src/foo.js`);
const responseB = await fetch(`${host}/src/app.js`);
const responseTextA = await responseA.text();
const responseTextB = await responseB.text();
expect(responseA.status).to.equal(200);
expect(responseB.status).to.equal(200);
expect(responseTextA).to.include("import { message } from 'RESOLVED__A__my-module';");
expect(responseTextB).to.include("import { message } from 'RESOLVED__B__my-module';");
} finally {
server.stop();
}
});
});
describe('transformImport', () => {
it('can transform imports', async () => {
const { server, host } = await createTestServer({
plugins: [
{
name: 'test',
transformImport({ source }) {
return `${source}?transformed-1`;
},
},
],
});
try {
const response = await fetch(`${host}/src/app.js`);
const responseText = await response.text();
expect(response.status).to.equal(200);
expect(responseText).to.include("import { message } from 'my-module?transformed-1';");
expect(responseText).to.include('./src/local-module.js?transformed-1');
} finally {
server.stop();
}
});
it('multiple plugins can transform an import', async () => {
const { server, host } = await createTestServer({
plugins: [
{
name: 'test-1',
transformImport({ source }) {
return `${source}?transformed-1`;
},
},
{
name: 'test-2',
transformImport({ source }) {
return `${source}&transformed-2`;
},
},
],
});
try {
const response = await fetch(`${host}/src/app.js`);
const responseText = await response.text();
expect(response.status).to.equal(200);
expect(responseText).to.include(
"import { message } from 'my-module?transformed-1&transformed-2';",
);
expect(responseText).to.include('./src/local-module.js?transformed-1&transformed-2');
} finally {
server.stop();
}
});
it('returning undefined does not overwrite result', async () => {
const { server, host } = await createTestServer({
plugins: [
{
name: 'test-1',
transformImport({ source }) {
return `${source}?transformed-1`;
},
},
{
name: 'test-2',
transformImport() {
return undefined;
},
},
{
name: 'test-3',
transformImport({ source }) {
return `${source}&transformed-2`;
},
},
],
});
try {
const response = await fetch(`${host}/src/app.js`);
const responseText = await response.text();
expect(response.status).to.equal(200);
expect(responseText).to.include(
"import { message } from 'my-module?transformed-1&transformed-2';",
);
expect(responseText).to.include('./src/local-module.js?transformed-1&transformed-2');
} finally {
server.stop();
}
});
it('transform comes after resolving imports', async () => {
const receivedImports: string[] = [];
const { server, host } = await createTestServer({
plugins: [
{
name: 'test-1',
resolveImport({ source }) {
return `RESOLVED__${source}`;
},
},
{
name: 'test-2',
transformImport({ source }) {
receivedImports.push(source);
},
},
],
});
try {
await fetch(`${host}/src/app.js`);
expect(receivedImports).to.eql(['RESOLVED__my-module', 'RESOLVED__./src/local-module.js']);
} finally {
server.stop();
}
});
});
| modernweb-dev/web/packages/dev-server-core/test/plugins/transformModuleImportsPlugin.test.ts/0 | {
"file_path": "modernweb-dev/web/packages/dev-server-core/test/plugins/transformModuleImportsPlugin.test.ts",
"repo_id": "modernweb-dev",
"token_count": 6291
} | 186 |
import { html, render } from 'lit-html';
const connectedElements = new WeakMap();
export class BaseElement extends HTMLElement {
/**
* Based on https://github.com/Polymer/lit-element/pull/802
*/
static hotReplaceCallback(classObj) {
const existingProps = new Set(Object.getOwnPropertyNames(this.prototype));
const newProps = new Set(Object.getOwnPropertyNames(classObj.prototype));
for (const prop of Object.getOwnPropertyNames(classObj.prototype)) {
Object.defineProperty(
this.prototype,
prop,
Object.getOwnPropertyDescriptor(classObj.prototype, prop),
);
}
for (const existingProp of existingProps) {
if (!newProps.has(existingProp)) {
delete this.prototype[existingProp];
}
}
const elements = connectedElements.get(this);
if (!elements) {
return;
}
for (const element of elements) {
element.update();
}
}
constructor() {
super();
this.attachShadow({ mode: 'open' });
}
connectedCallback() {
this.update();
let connected = connectedElements.get(this.constructor);
if (!connected) {
connected = new Set();
connectedElements.set(this.constructor, connected);
}
connected.add(this);
}
disconnectedCallback() {
connectedElements.get(this.constructor).delete(this);
}
get styles() {
return html``;
}
get template() {
return html``;
}
update() {
render(html`${this.styles}${this.template}`, this.shadowRoot);
}
}
if (import.meta.hot) {
import.meta.hot.accept(() => {});
}
| modernweb-dev/web/packages/dev-server-hmr/demo/lit-html/src/BaseElement.js/0 | {
"file_path": "modernweb-dev/web/packages/dev-server-hmr/demo/lit-html/src/BaseElement.js",
"repo_id": "modernweb-dev",
"token_count": 585
} | 187 |
import { Context } from 'koa';
export const mockFile = (path: string, source: string) => ({
name: `test-file:${path}`,
serve: (context: Context) => {
if (context.path === path) {
return source;
}
},
});
export const mockFiles = (files: Record<string, string>) => ({
name: `test-file:${Object.keys(files).join('_')}`,
serve: (context: Context) => {
for (const [path, source] of Object.entries(files)) {
if (context.path === path) {
return source;
}
}
},
});
| modernweb-dev/web/packages/dev-server-hmr/test/utils.ts/0 | {
"file_path": "modernweb-dev/web/packages/dev-server-hmr/test/utils.ts",
"repo_id": "modernweb-dev",
"token_count": 199
} | 188 |
import 'chai/chai.js';
it('it can import chai using a static import', () => {
if (typeof window.chai.expect !== 'function') {
throw new Error('expect should be a function');
}
});
| modernweb-dev/web/packages/dev-server-import-maps/test-browser/test/static-imports.test.js/0 | {
"file_path": "modernweb-dev/web/packages/dev-server-import-maps/test-browser/test/static-imports.test.js",
"repo_id": "modernweb-dev",
"token_count": 67
} | 189 |
export { legacyPlugin } from './legacyPlugin.js';
| modernweb-dev/web/packages/dev-server-legacy/src/index.ts/0 | {
"file_path": "modernweb-dev/web/packages/dev-server-legacy/src/index.ts",
"repo_id": "modernweb-dev",
"token_count": 15
} | 190 |
{
"name": "module-a"
} | modernweb-dev/web/packages/dev-server-rollup/test/node/fixtures/basic/node_modules/module-a/package.json/0 | {
"file_path": "modernweb-dev/web/packages/dev-server-rollup/test/node/fixtures/basic/node_modules/module-a/package.json",
"repo_id": "modernweb-dev",
"token_count": 13
} | 191 |
module.exports.namedFoo = 'foo';
module.exports.namedBar = 'bar';
| modernweb-dev/web/packages/dev-server-rollup/test/node/fixtures/commonjs/modules/named-exports.js/0 | {
"file_path": "modernweb-dev/web/packages/dev-server-rollup/test/node/fixtures/commonjs/modules/named-exports.js",
"repo_id": "modernweb-dev",
"token_count": 25
} | 192 |
import rollupAlias from '@rollup/plugin-alias';
import { createTestServer, fetchText, expectIncludes } from '../test-helpers.js';
import { fromRollup } from '../../../src/fromRollup.js';
const alias = fromRollup(rollupAlias);
describe('@rollup/plugin-alias', () => {
it('can resolve imports', async () => {
const { server, host } = await createTestServer({
plugins: [
alias({
entries: {
'module-a': './module-a-stub.js',
},
}),
],
});
try {
const text = await fetchText(`${host}/app.js`);
expectIncludes(text, "import moduleA from './module-a-stub.js'");
} finally {
server.stop();
}
});
});
| modernweb-dev/web/packages/dev-server-rollup/test/node/plugins/alias.test.ts/0 | {
"file_path": "modernweb-dev/web/packages/dev-server-rollup/test/node/plugins/alias.test.ts",
"repo_id": "modernweb-dev",
"token_count": 293
} | 193 |
module.exports = {
stories: ['../stories/**/*.stories.mdx', '../stories/**/*.stories.@(js|jsx|ts|tsx)'],
};
| modernweb-dev/web/packages/dev-server-storybook/demo/preact/.storybook/main.js/0 | {
"file_path": "modernweb-dev/web/packages/dev-server-storybook/demo/preact/.storybook/main.js",
"repo_id": "modernweb-dev",
"token_count": 45
} | 194 |
{
"name": "@web/dev-server-storybook",
"version": "2.0.1",
"publishConfig": {
"access": "public"
},
"description": "Dev server plugin for using storybook with es modules.",
"license": "MIT",
"repository": {
"type": "git",
"url": "https://github.com/modernweb-dev/web.git",
"directory": "packages/dev-server-storybook"
},
"author": "modern-web",
"homepage": "https://github.com/modernweb-dev/web/tree/master/packages/dev-server-storybook",
"main": "dist/index.js",
"bin": {
"build-storybook": "dist/build/cli.js"
},
"type": "module",
"exports": {
".": {
"import": "./dist/serve/storybookPlugin.js",
"types": "./dist/serve/storybookPlugin.d.ts"
}
},
"engines": {
"node": ">=18.0.0"
},
"scripts": {
"build:wc": "node dist/build/cli.js -c demo/wc/.storybook",
"start:build": "wds --root-dir storybook-static --open",
"start:preact": "wds --config demo/preact/web-dev-server.config.mjs",
"start:wc": "wds --config demo/wc/web-dev-server.config.mjs"
},
"files": [
"*.d.ts",
"*.js",
"*.mjs",
"CHANGELOG.md",
"dist",
"src"
],
"keywords": [
"web",
"dev",
"server",
"plugin",
"storybook",
"buildless",
"es modules",
"modules",
"esm"
],
"dependencies": {
"@babel/core": "^7.16.0",
"@babel/preset-env": "^7.16.4",
"@mdx-js/mdx": "^1.6.22",
"@rollup/plugin-babel": "^6.0.4",
"@rollup/plugin-node-resolve": "^15.0.1",
"@rollup/plugin-terser": "^0.4.4",
"@storybook/csf-tools": "^6.4.9",
"@web/dev-server-core": "^0.7.0",
"@web/rollup-plugin-html": "^2.1.2",
"@web/rollup-plugin-polyfills-loader": "^2.1.1",
"@web/storybook-prebuilt": "^0.1.37",
"babel-plugin-bundled-import-meta": "^0.3.2",
"babel-plugin-template-html-minifier": "^4.1.0",
"es-module-lexer": "^1.0.2",
"globby": "^11.0.1",
"path-is-inside": "^1.0.2",
"rollup": "^4.4.0",
"storybook-addon-markdown-docs": "^2.0.0"
},
"devDependencies": {
"@types/path-is-inside": "^1.0.0",
"@web/dev-server": "^0.4.0",
"htm": "^3.1.0"
}
}
| modernweb-dev/web/packages/dev-server-storybook/package.json/0 | {
"file_path": "modernweb-dev/web/packages/dev-server-storybook/package.json",
"repo_id": "modernweb-dev",
"token_count": 1043
} | 195 |
import fs from 'fs';
import { StorybookConfig } from '../config/StorybookConfig.js';
import { StorybookPluginConfig } from '../config/StorybookPluginConfig.js';
import { createBrowserImport } from '../utils.js';
function createPreviewImport(rootDir: string, previewJsPath: string) {
if (!fs.existsSync(previewJsPath)) {
return '';
}
const previewImport = createBrowserImport(rootDir, previewJsPath);
return `import * as preview from '${previewImport}'; registerPreviewEntry(preview);`;
}
export function createPreviewHtml(
pluginConfig: StorybookPluginConfig,
storybookConfig: StorybookConfig,
rootDir: string,
storyImports: string[],
) {
const previewImport = createPreviewImport(rootDir, storybookConfig.previewJsPath);
return `<!DOCTYPE html>
<html>
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1" />
<title>Storybook</title>
<base target="_parent" />
<style>
:not(.sb-show-main) > .sb-main,
:not(.sb-show-nopreview) > .sb-nopreview,
:not(.sb-show-errordisplay) > .sb-errordisplay {
display: none;
}
.sb-wrapper {
position: fixed;
top: 0;
bottom: 0;
left: 0;
right: 0;
padding: 20px;
font-family: 'Nunito Sans', -apple-system, '.SFNSText-Regular', 'San Francisco',
BlinkMacSystemFont, 'Segoe UI', 'Helvetica Neue', Helvetica, Arial, sans-serif;
-webkit-font-smoothing: antialiased;
overflow: auto;
}
.sb-heading {
font-size: 14px;
font-weight: 600;
letter-spacing: 0.2px;
margin: 10px 0;
padding-right: 25px;
}
.sb-nopreview {
display: flex;
align-content: center;
justify-content: center;
}
.sb-nopreview_main {
margin: auto;
padding: 30px;
border-radius: 10px;
background: rgba(0, 0, 0, 0.03);
}
.sb-nopreview_heading {
text-align: center;
}
.sb-errordisplay {
border: 20px solid rgb(187, 49, 49);
background: #222;
color: #fff;
z-index: 999999;
}
.sb-errordisplay_code {
padding: 10px;
background: #000;
color: #eee;
font-family: 'Operator Mono', 'Fira Code Retina', 'Fira Code', 'FiraCode-Retina',
'Andale Mono', 'Lucida Console', Consolas, Monaco, monospace;
}
.sb-errordisplay pre {
white-space: pre-wrap;
}
</style>
<script>
try {
if (window.top !== window) {
window.__REACT_DEVTOOLS_GLOBAL_HOOK__ = window.top.__REACT_DEVTOOLS_GLOBAL_HOOK__;
window.__VUE_DEVTOOLS_GLOBAL_HOOK__ = window.top.__VUE_DEVTOOLS_GLOBAL_HOOK__;
window.top.__VUE_DEVTOOLS_CONTEXT__ = window.document;
}
} catch (e) {
console.warn('unable to connect to top frame for connecting dev tools');
}
</script>
${storybookConfig.previewHead ?? ''}
</head>
<body>
${storybookConfig.previewBody ?? ''}
<div id="root"></div>
<div id="docs-root"></div>
<div class="sb-errordisplay sb-wrapper">
<div id="error-message" class="sb-heading"></div>
<pre class="sb-errordisplay_code"><code id="error-stack"></code></pre>
</div>
<script type="module">
import { registerPreviewEntry, configure } from '@web/storybook-prebuilt/${
pluginConfig.type
}.js';
${previewImport}
${storyImports.map((s, i) => `import * as stories${i} from '${s}';`).join('')}
setTimeout(() => {
configure(() => [${storyImports.map((s, i) => `stories${i}`)}], {}, false);
});
</script>
</body>
</html>`;
}
| modernweb-dev/web/packages/dev-server-storybook/src/shared/html/createPreviewHtml.ts/0 | {
"file_path": "modernweb-dev/web/packages/dev-server-storybook/src/shared/html/createPreviewHtml.ts",
"repo_id": "modernweb-dev",
"token_count": 1685
} | 196 |
-----BEGIN CERTIFICATE-----
MIIClTCCAf6gAwIBAgIJRhJ5Yf7uQ2ZGMA0GCSqGSIb3DQEBBQUAMGkxFDASBgNV
BAMTC2V4YW1wbGUub3JnMQswCQYDVQQGEwJVUzERMA8GA1UECBMIVmlyZ2luaWEx
EzARBgNVBAcTCkJsYWNrc2J1cmcxDTALBgNVBAoTBFRlc3QxDTALBgNVBAsTBFRl
c3QwHhcNMTkwNjI1MTcwMzExWhcNMjAwNjI0MTcwMzExWjBpMRQwEgYDVQQDEwtl
eGFtcGxlLm9yZzELMAkGA1UEBhMCVVMxETAPBgNVBAgTCFZpcmdpbmlhMRMwEQYD
VQQHEwpCbGFja3NidXJnMQ0wCwYDVQQKEwRUZXN0MQ0wCwYDVQQLEwRUZXN0MIGf
MA0GCSqGSIb3DQEBAQUAA4GNADCBiQKBgQDOeTymomQwK//9598FeiNppQC+n+2S
Fa66YtzX2PQgXuVGVJvSinDsbo6ZY6CzzxiWSomauC281ZXC7S6sGwplUKvGlZkG
fG+WiZO37PCkatb7VQGQ77gL0iJSZJnq2lW/o4gJ4y3331VIevdx4bcFLR6fZZYO
wAUMVO1l5bMZUQIDAQABo0UwQzAMBgNVHRMEBTADAQH/MAsGA1UdDwQEAwIC9DAm
BgNVHREEHzAdhhtodHRwOi8vZXhhbXBsZS5vcmcvd2ViaWQjbWUwDQYJKoZIhvcN
AQEFBQADgYEAZX7IaqDmpzIvMGx+1B+304QWAxi4+fO6oggskrCOoXL1BcoxXox4
7cNxYGYsniteuTt/u9OYxmX2J/gWaRVo5dlTM5sBoQUBpnvrowDCRpnQNPJpaj+S
s86T0GqVx3Mn/fzNXBBHGBgWmU8OYfwDQDS7tE5c5OHtXNeNLOAA3PE=
-----END CERTIFICATE-----
| modernweb-dev/web/packages/dev-server/demo/http2/certs/.self-signed-dev-server-ssl.cert/0 | {
"file_path": "modernweb-dev/web/packages/dev-server/demo/http2/certs/.self-signed-dev-server-ssl.cert",
"repo_id": "modernweb-dev",
"token_count": 678
} | 197 |
import { html, render } from 'lit-html';
window.__noExtension = !!html && !!render;
| modernweb-dev/web/packages/dev-server/demo/node-resolve/no-extension.js/0 | {
"file_path": "modernweb-dev/web/packages/dev-server/demo/node-resolve/no-extension.js",
"repo_id": "modernweb-dev",
"token_count": 28
} | 198 |
import { nodeResolve, rollupAdapter, RollupNodeResolveOptions } from '@web/dev-server-rollup';
import { Plugin } from '@web/dev-server-core';
import deepmerge from 'deepmerge';
export function nodeResolvePlugin(
rootDir: string,
preserveSymlinks?: boolean,
userOptions?: RollupNodeResolveOptions,
): Plugin {
const userOptionsObject = typeof userOptions === 'object' ? userOptions : {};
const options: RollupNodeResolveOptions = deepmerge(
{
rootDir,
extensions: ['.mjs', '.js', '.cjs', '.jsx', '.json', '.ts', '.tsx'],
moduleDirectories: ['node_modules', 'web_modules'],
// allow resolving polyfills for nodejs libs
preferBuiltins: false,
},
userOptionsObject,
);
// use user config exportConditions if present. otherwise use ['development']
options.exportConditions = userOptionsObject.exportConditions || ['development'];
return rollupAdapter(
nodeResolve(options),
{ preserveSymlinks },
{ throwOnUnresolvedImport: true },
);
}
| modernweb-dev/web/packages/dev-server/src/plugins/nodeResolvePlugin.ts/0 | {
"file_path": "modernweb-dev/web/packages/dev-server/src/plugins/nodeResolvePlugin.ts",
"repo_id": "modernweb-dev",
"token_count": 331
} | 199 |
export { mockRollupPlugin } from './rollup-plugin.js';
export { mockPlugin } from './wds-plugin.js';
| modernweb-dev/web/packages/mocks/plugins.js/0 | {
"file_path": "modernweb-dev/web/packages/mocks/plugins.js",
"repo_id": "modernweb-dev",
"token_count": 34
} | 200 |
# parse5-utils
Utils for using parse5.
## Usage
Examples:
```js
import { parse } from 'parse5';
import { createElement, getTagName, appendChild, findElement } from '@web/parse5-utils';
const doc = parse(`
<html>
<body>
<my-element></my-element>
<div id="foo"></div>
</body>
</html>`);
const body = findElement(doc, e => getTagName(e) === 'body');
const script = createElement('script', { src: './foo.js' });
appendChild(body, script);
```
```js
import { parse } from 'parse5';
import { getTagName, getAttribute, findElements } from '@web/parse5-utils';
const doc = parse(`
<html>
<body>
<script src="./a.js"></script>
<script type="module" src="./b.js"></script>
<script type="module" src="./c.js"></script>
</body>
</html>`);
const allModuleScripts = findElements(
doc,
e => getTagName(e) === 'script' && getAttribute(e, 'type') === 'module',
);
```
`appendToDocument` and `prependToDocument` will inject a snippet of HTML into the page, making sure it is executed last or first respectively.
It tries to avoid changing the formatting of the original file, using parse5 to find out the location of `body` and `head` tags and string concatenation in the original code to do the actual injection. In case of incomplete or invalid HTML it may fall back parse5 to generate a valid document and inject using AST manipulation.
```js
import { prependToDocument, appendToDocument } from '@web/parse5-utils';
const html = '<html><body></body></html>';
const htmlWithInjectedScript = appendToDocument(
html,
'<scrip type="module" src="./injected-script.js"></script>',
);
```
## Available functions
- createDocument
- createDocumentFragment
- createElement
- createScript
- createCommentNode
- appendChild
- insertBefore
- setTemplateContent
- getTemplateContent
- setDocumentType
- setDocumentMode
- getDocumentMode
- detachNode
- insertText
- insertTextBefore
- adoptAttributes
- getFirstChild
- getChildNodes
- getParentNode
- getAttrList
- getTagName
- getNamespaceURI
- getTextNodeContent
- getCommentNodeContent
- getDocumentTypeNodeName
- getDocumentTypeNodePublicId
- getDocumentTypeNodeSystemId
- isTextNode
- isCommentNode
- isDocumentTypeNode
- isElementNode
- setNodeSourceCodeLocation
- getNodeSourceCodeLocation
- updateNodeSourceCodeLocation
- isHtmlFragment
- hasAttribute
- getAttribute
- getAttributes
- setAttribute
- setAttributes
- setTextContent
- getTextContent
- removeAttribute
- remove
- findNode
- findNodes
- findElement
- findElements
- prependToDocument
- appendToDocument
| modernweb-dev/web/packages/parse5-utils/README.md/0 | {
"file_path": "modernweb-dev/web/packages/parse5-utils/README.md",
"repo_id": "modernweb-dev",
"token_count": 816
} | 201 |
import { Attribute } from 'parse5';
export interface PolyfillsLoaderConfig {
// files to load on modern browsers. loaded when there are no
// legacy entrypoints which match
modern?: ModernEntrypoint;
// legacy entrypoints to load on older browsers, each entrypoint
// consists of a test when to load it. tests are executed in the order
// that they appear using if else statement where the final else
// is the modern entrypoint for when no legacy entrypoint matches
// only one entrypoint is loaded in total
legacy?: LegacyEntrypoint[];
// polyfills to load
polyfills?: PolyfillsConfig;
// directory to output polyfills into
polyfillsDir?: string;
// relative path from the html file the loader is being injected into to the
// polyfills directory
relativePathToPolyfills?: string;
// whether to minify the loader output
minify?: boolean;
// whether to preload the modern entrypoint, best for performance
// defaults to true
preload?: boolean;
// whether to inject the loader as an external script instead of inline
externalLoaderScript?: boolean;
}
export interface PolyfillsConfig {
// custom polyfills provided by the user
custom?: PolyfillConfig[];
// whether to hash polyfill filenames
hash?: boolean;
// js language polyfills (array functions, map etc.)
coreJs?: boolean;
// if the value is 'always' it is always loaded, otherwise only on browsers
// which don't support modules
regeneratorRuntime?: boolean | 'always';
// custom-elements and shady-dom
webcomponents?: boolean;
fetch?: boolean;
abortController?: boolean;
intersectionObserver?: boolean;
resizeObserver?: boolean;
dynamicImport?: boolean;
URLPattern?: boolean;
// systemjs s.js
systemjs?: boolean;
// systemjs extended version with import maps
systemjsExtended?: boolean;
esModuleShims?: boolean | 'always';
constructibleStylesheets?: boolean;
// shady-css-custom-style and shady-css-scoped-element
shadyCssCustomStyle?: boolean;
scopedCustomElementRegistry?: boolean;
}
export interface PolyfillConfig {
// name of the polyfill
name: string;
// polyfill path
path: string | string[];
// expression which should evaluate to true to load the polyfill
test?: string;
// how to load the polyfill, defaults to script
fileType?: FileType;
// whether to minify the polyfill
minify?: boolean;
// code used to initialze the module
initializer?: string;
}
export interface ModernEntrypoint {
// files to loa for the modern entrypoint
files: File[];
}
export interface LegacyEntrypoint {
// runtime feature detection instructing when to load the legacy entrypoint
test: string;
// files to load for this legacy entrypoint
files: File[];
}
export type FileType = 'script' | 'module' | 'systemjs' | 'module-shim';
export interface File {
// the type of script, instructing how to load it
type: FileType;
// the path of the file
path: string;
attributes?: Attribute[];
}
export interface GeneratedFile extends File {
// the content of the generated file
content: string;
}
export interface PolyfillFile extends GeneratedFile {
// name of the polyfill
name: string;
// runtime feature detection to load this polyfill
test?: string;
// code run after the polyfill is loaded to initialize the polyfill
initializer?: string;
}
export interface PolyfillsLoader {
// the polyfills loader code
code: string;
// files generated for polyfills
polyfillFiles: GeneratedFile[];
}
| modernweb-dev/web/packages/polyfills-loader/src/types.ts/0 | {
"file_path": "modernweb-dev/web/packages/polyfills-loader/src/types.ts",
"repo_id": "modernweb-dev",
"token_count": 954
} | 202 |
<script type="module" src="./src/my-app.js"></script>
<script>
console.log('no module script inline');
</script>
<script src="./src/no-module.js"></script>
<meta property="og:image" content="./src/image-social.png">
<link rel="canonical" href="/">
<meta property="og:url" content="/">
| modernweb-dev/web/packages/rollup-plugin-html/demo/spa/index.html/0 | {
"file_path": "modernweb-dev/web/packages/rollup-plugin-html/demo/spa/index.html",
"repo_id": "modernweb-dev",
"token_count": 103
} | 203 |
import { findElements, getAttribute, getTagName, getTextContent, remove } from '@web/parse5-utils';
import { Document, Attribute } from 'parse5';
import path from 'path';
import crypto from 'crypto';
import { resolveAssetFilePath } from '../../assets/utils.js';
import { getAttributes } from '@web/parse5-utils';
import { ScriptModuleTag } from '../../RollupPluginHTMLOptions.js';
export interface ExtractModulesParams {
document: Document;
htmlDir: string;
rootDir: string;
absolutePathPrefix?: string;
}
function createContentHash(content: string) {
return crypto.createHash('md5').update(content).digest('hex');
}
function isAbsolute(src: string) {
try {
new URL(src);
return true;
} catch {
return false;
}
}
export function extractModules(params: ExtractModulesParams) {
const { document, htmlDir, rootDir, absolutePathPrefix } = params;
const scriptNodes = findElements(
document,
e => getTagName(e) === 'script' && getAttribute(e, 'type') === 'module',
);
const moduleImports: ScriptModuleTag[] = [];
const inlineModules: ScriptModuleTag[] = [];
for (const scriptNode of scriptNodes) {
const src = getAttribute(scriptNode, 'src');
const allAttributes = getAttributes(scriptNode);
const attributes: Attribute[] = [];
for (const attributeName of Object.keys(allAttributes)) {
if (attributeName !== 'src' && attributeName !== 'type') {
attributes.push({ name: attributeName, value: allAttributes[attributeName] });
}
}
if (!src) {
// turn inline module (<script type="module"> ...code ... </script>)
const code = getTextContent(scriptNode);
// inline modules should be relative to the HTML file to resolve relative imports
// we make it unique with a content hash, so that duplicate modules are deduplicated
const importPath = path.posix.join(htmlDir, `/inline-module-${createContentHash(code)}.js`);
if (!inlineModules.find(tag => tag.importPath === importPath)) {
inlineModules.push({
importPath,
attributes,
code,
});
}
remove(scriptNode);
} else {
if (!isAbsolute(src)) {
// external script <script type="module" src="./foo.js"></script>
const importPath = resolveAssetFilePath(src, htmlDir, rootDir, absolutePathPrefix);
moduleImports.push({
importPath,
attributes,
});
remove(scriptNode);
}
}
}
return { moduleImports, inlineModules };
}
| modernweb-dev/web/packages/rollup-plugin-html/src/input/extract/extractModules.ts/0 | {
"file_path": "modernweb-dev/web/packages/rollup-plugin-html/src/input/extract/extractModules.ts",
"repo_id": "modernweb-dev",
"token_count": 883
} | 204 |
<html>
<head>
<link rel="apple-touch-icon" sizes="180x180" href="./image-a.png" />
<link rel="icon" type="image/png" sizes="32x32" href="./image-b.png" />
<link rel="manifest" href="./webmanifest.json" />
<link rel="mask-icon" href="./image-a.svg" color="#3f93ce" />
<link rel="stylesheet" href="./styles.css" />
<link rel="stylesheet" href="./foo/x.css" />
<link rel="stylesheet" href="./foo/bar/y.css" />
</head>
<body>
<img src="./image-c.png" />
<div>
<img src="./image-b.svg" />
</div>
</body>
</html>
| modernweb-dev/web/packages/rollup-plugin-html/test/fixtures/assets/index.html/0 | {
"file_path": "modernweb-dev/web/packages/rollup-plugin-html/test/fixtures/assets/index.html",
"repo_id": "modernweb-dev",
"token_count": 262
} | 205 |
g | modernweb-dev/web/packages/rollup-plugin-html/test/fixtures/resolves-assets-in-styles-images/images/star.webp/0 | {
"file_path": "modernweb-dev/web/packages/rollup-plugin-html/test/fixtures/resolves-assets-in-styles-images/images/star.webp",
"repo_id": "modernweb-dev",
"token_count": 1
} | 206 |
<html>
<head></head>
<body>
<script type="module">
import './foo.js';
</script>
</body>
</html>
| modernweb-dev/web/packages/rollup-plugin-html/test/fixtures/rollup-plugin-html/foo/foo.html/0 | {
"file_path": "modernweb-dev/web/packages/rollup-plugin-html/test/fixtures/rollup-plugin-html/foo/foo.html",
"repo_id": "modernweb-dev",
"token_count": 55
} | 207 |
<h1>hello world</h1>
| modernweb-dev/web/packages/rollup-plugin-html/test/fixtures/rollup-plugin-html/pure-index.html/0 | {
"file_path": "modernweb-dev/web/packages/rollup-plugin-html/test/fixtures/rollup-plugin-html/pure-index.html",
"repo_id": "modernweb-dev",
"token_count": 11
} | 208 |
{
"name": "@web/rollup-plugin-import-meta-assets",
"version": "2.2.1",
"publishConfig": {
"access": "public"
},
"description": "Rollup plugin that detects assets references relative to modules using patterns such as `new URL('./path/to/asset.ext', import.meta.url)`. The assets are added to the rollup pipeline, allowing them to be transformed and hash the filenames.",
"license": "MIT",
"repository": {
"type": "git",
"url": "https://github.com/modernweb-dev/web.git",
"directory": "packages/rollup-plugin-import-meta-assets"
},
"author": "modern-web",
"homepage": "https://github.com/modernweb-dev/web/tree/master/packages/rollup-plugin-import-meta-assets",
"main": "src/index.js",
"exports": {
".": {
"import": "./index.mjs",
"require": "./src/index.js"
}
},
"engines": {
"node": ">=18.0.0"
},
"scripts": {
"test": "npm run test:node",
"test:node": "mocha test/**/*.test.js test/*.test.js --reporter dot",
"test:update-snapshots": "mocha test/**/*.test.js test/*.test.js --update-snapshots",
"test:watch": "npm run test:node -- --watch"
},
"files": [
"*.js",
"*.mjs",
"dist",
"src"
],
"keywords": [
"rollup",
"plugin",
"import-meta"
],
"dependencies": {
"@rollup/plugin-dynamic-import-vars": "^2.1.0",
"@rollup/pluginutils": "^5.0.2",
"estree-walker": "^2.0.2",
"globby": "^13.2.2",
"magic-string": "^0.30.0"
},
"types": "dist/index"
}
| modernweb-dev/web/packages/rollup-plugin-import-meta-assets/package.json/0 | {
"file_path": "modernweb-dev/web/packages/rollup-plugin-import-meta-assets/package.json",
"repo_id": "modernweb-dev",
"token_count": 634
} | 209 |
const nameOne = 'one-name';
const imageOne = new URL('../one-deep.svg', import.meta.url).href;
const nameTwo = 'two-name';
const imageTwo = new URL('./two-deep.svg', import.meta.url).href;
const nameThree = 'three-name';
const imageThree = new URL('./three/three-deep.svg', import.meta.url).href;
const nameFour = 'four-name';
const imageFour = new URL('./three/four/four-deep.svg', import.meta.url).href;
console.log({
[nameOne]: imageOne,
[nameTwo]: imageTwo,
[nameThree]: imageThree,
[nameFour]: imageFour,
});
| modernweb-dev/web/packages/rollup-plugin-import-meta-assets/test/fixtures/one/two/different-asset-levels-entrypoint.js/0 | {
"file_path": "modernweb-dev/web/packages/rollup-plugin-import-meta-assets/test/fixtures/one/two/different-asset-levels-entrypoint.js",
"repo_id": "modernweb-dev",
"token_count": 192
} | 210 |
<svg xmlns="http://www.w3.org/2000/svg"
xmlns:xlink="http://www.w3.org/1999/xlink">
<rect x="10" y="10" height="100" width="100"
style="stroke:#000000; fill: #800000"/>
</svg>
| modernweb-dev/web/packages/rollup-plugin-import-meta-assets/test/snapshots/five/0 | {
"file_path": "modernweb-dev/web/packages/rollup-plugin-import-meta-assets/test/snapshots/five",
"repo_id": "modernweb-dev",
"token_count": 97
} | 211 |
console.log('shared');
| modernweb-dev/web/packages/rollup-plugin-polyfills-loader/test/fixtures/shared.js/0 | {
"file_path": "modernweb-dev/web/packages/rollup-plugin-polyfills-loader/test/fixtures/shared.js",
"repo_id": "modernweb-dev",
"token_count": 7
} | 212 |
import { expect } from 'chai';
import { fileTypes } from '@web/polyfills-loader';
import { shouldInjectLoader } from '../../src/utils.js';
describe('shouldInjectLoader', () => {
it('returns true when modern contains non-module or script', () => {
expect(
shouldInjectLoader({
modern: { files: [{ type: fileTypes.SYSTEMJS, path: '' }] },
}),
).to.equal(true);
});
it('returns true when there are legacy files', () => {
expect(
shouldInjectLoader({
modern: { files: [{ type: fileTypes.MODULE, path: '' }] },
legacy: [{ test: '', files: [{ type: fileTypes.SYSTEMJS, path: '' }] }],
}),
).to.equal(true);
});
it('returns true when there are polyfills', () => {
expect(
shouldInjectLoader({
modern: { files: [{ type: fileTypes.MODULE, path: '' }] },
polyfills: {
fetch: true,
},
}),
).to.equal(true);
expect(
shouldInjectLoader({
modern: { files: [{ type: fileTypes.MODULE, path: '' }] },
polyfills: {
regeneratorRuntime: 'always',
},
}),
).to.equal(true);
});
it('returns true when there are custom polyfills', () => {
expect(
shouldInjectLoader({
modern: { files: [{ type: fileTypes.MODULE, path: '' }] },
polyfills: {
custom: [{ test: '', path: '', name: '' }],
},
}),
).to.equal(true);
});
});
| modernweb-dev/web/packages/rollup-plugin-polyfills-loader/test/src/utils.test.ts/0 | {
"file_path": "modernweb-dev/web/packages/rollup-plugin-polyfills-loader/test/src/utils.test.ts",
"repo_id": "modernweb-dev",
"token_count": 628
} | 213 |
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8" />
<title>Storybook</title>
<meta name="viewport" content="width=device-width, initial-scale=1" />
<link
rel="prefetch"
href="./sb-common-assets/nunito-sans-regular.woff2"
as="font"
type="font/woff2"
crossorigin
/>
<link
rel="prefetch"
href="./sb-common-assets/nunito-sans-italic.woff2"
as="font"
type="font/woff2"
crossorigin
/>
<link
rel="prefetch"
href="./sb-common-assets/nunito-sans-bold.woff2"
as="font"
type="font/woff2"
crossorigin
/>
<link
rel="prefetch"
href="./sb-common-assets/nunito-sans-bold-italic.woff2"
as="font"
type="font/woff2"
crossorigin
/>
<link rel="stylesheet" href="./sb-common-assets/fonts.css" />
<script>
window.CONFIG_TYPE = '[CONFIG_TYPE HERE]';
window.LOGLEVEL = '[LOGLEVEL HERE]';
window.FRAMEWORK_OPTIONS = '[FRAMEWORK_OPTIONS HERE]';
window.CHANNEL_OPTIONS = '[CHANNEL_OPTIONS HERE]';
window.FEATURES = '[FEATURES HERE]';
window.STORIES = '[STORIES HERE]';
// window.DOCS_OPTIONS = '[DOCS_OPTIONS HERE]';
window.SERVER_CHANNEL_URL = '[SERVER_CHANNEL_URL HERE]';
// TODO: check if it's relevant for us
// We do this so that "module && module.hot" etc. in Storybook source code
// doesn't fail (it will simply be disabled)
window.module = undefined;
window.global = window;
</script>
<!-- [HEAD HTML SNIPPET HERE] -->
</head>
<body>
<!-- [BODY HTML SNIPPET HERE] -->
<div id="storybook-root"></div>
<div id="storybook-docs"></div>
<script type="module">
// must be inside a script to be externalized
import './sb-preview/runtime.js';
// must be inside a script to be resolved
import '[APP MODULE SRC HERE]';
</script>
</body>
</html>
| modernweb-dev/web/packages/storybook-builder/static/iframe-template.html/0 | {
"file_path": "modernweb-dev/web/packages/storybook-builder/static/iframe-template.html",
"repo_id": "modernweb-dev",
"token_count": 884
} | 214 |
import type { StorybookConfig as StorybookConfigBase } from '@storybook/types';
import type { BuilderOptions, StorybookConfigWds } from '@web/storybook-builder';
type FrameworkName = '@web/storybook-framework-web-components';
type BuilderName = '@web/storybook-builder';
export type FrameworkOptions = {
builder?: BuilderOptions;
};
type StorybookConfigFramework = {
framework:
| FrameworkName
| {
name: FrameworkName;
options: FrameworkOptions;
};
core?: StorybookConfigBase['core'] & {
builder?:
| BuilderName
| {
name: BuilderName;
options: BuilderOptions;
};
};
};
/**
* The interface for Storybook configuration in `main.ts` files.
*/
export type StorybookConfig = Omit<
StorybookConfigBase,
keyof StorybookConfigWds | keyof StorybookConfigFramework
> &
StorybookConfigWds &
StorybookConfigFramework;
| modernweb-dev/web/packages/storybook-framework-web-components/src/types.ts/0 | {
"file_path": "modernweb-dev/web/packages/storybook-framework-web-components/src/types.ts",
"repo_id": "modernweb-dev",
"token_count": 309
} | 215 |
import { runIntegrationTests } from '../../../integration/test-runner/index.js';
import { chromeLauncher } from '../src/index.js';
describe('test-runner-chrome', function testRunnerChrome() {
this.timeout(20000);
function createConfig() {
return {
browsers: [chromeLauncher()],
};
}
runIntegrationTests(createConfig, {
basic: true,
many: true,
focus: true,
groups: true,
parallel: true,
testFailure: true,
locationChanged: true,
});
});
| modernweb-dev/web/packages/test-runner-chrome/test/chromeLauncher.test.ts/0 | {
"file_path": "modernweb-dev/web/packages/test-runner-chrome/test/chromeLauncher.test.ts",
"repo_id": "modernweb-dev",
"token_count": 178
} | 216 |
import { a11ySnapshot, findAccessibilityNode } from '../../browser/commands.mjs';
import { expect } from '../chai.js';
it('returns an accessibility tree with appropriately labelled element in it', async () => {
const buttonText = 'Button Text';
const labelText = 'Label Text';
const fullText = `${labelText} ${buttonText}`;
const label = document.createElement('label');
label.textContent = labelText;
label.id = 'label';
const button = document.createElement('button');
button.textContent = buttonText;
button.id = 'button';
button.setAttribute('aria-labelledby', 'label button');
document.body.append(label, button);
const snapshot = await a11ySnapshot();
const foundNode = findAccessibilityNode(
snapshot,
node => node.name === fullText && node.role === 'button',
);
expect(foundNode, 'A node with the supplied name has been found').to.not.be.null;
label.remove();
button.remove();
});
| modernweb-dev/web/packages/test-runner-commands/test/a11y-snapshot/browser-test.js/0 | {
"file_path": "modernweb-dev/web/packages/test-runner-commands/test/a11y-snapshot/browser-test.js",
"repo_id": "modernweb-dev",
"token_count": 279
} | 217 |
import path from 'path';
import { runTests } from '@web/test-runner-core/test-helpers';
import { chromeLauncher } from '@web/test-runner-chrome';
import { playwrightLauncher } from '@web/test-runner-playwright';
import { sendKeysPlugin } from '../../src/sendKeysPlugin.js';
describe('sendKeysPlugin', function test() {
this.timeout(20000);
it('can send keys on puppeteer', async () => {
await runTests({
files: [path.join(__dirname, 'browser-test.js')],
browsers: [chromeLauncher()],
plugins: [sendKeysPlugin()],
});
});
it('can send keys on playwright', async () => {
await runTests({
files: [path.join(__dirname, 'browser-test.js')],
browsers: [
playwrightLauncher({ product: 'chromium' }),
playwrightLauncher({ product: 'firefox' }),
playwrightLauncher({ product: 'webkit' }),
],
plugins: [sendKeysPlugin()],
});
});
});
| modernweb-dev/web/packages/test-runner-commands/test/send-keys/sendKeysPlugin.test.ts/0 | {
"file_path": "modernweb-dev/web/packages/test-runner-commands/test/send-keys/sendKeysPlugin.test.ts",
"repo_id": "modernweb-dev",
"token_count": 347
} | 218 |
import { TestSession, TestResultError, TestSuiteResult, TestResult } from '../dist/index.js';
export interface RuntimeConfig {
testFile: string;
watch: boolean;
debug: boolean;
testFrameworkConfig?: unknown;
}
export type BrowserSessionResult = Pick<TestSession, 'passed' | 'errors' | 'testResults'>;
export interface FullBrowserSessionResult extends BrowserSessionResult {
userAgent: string;
logs: string[];
}
/**
* @returns the config for this test session
*/
export function getConfig(): Promise<RuntimeConfig>;
/**
* Indicate that the test session failed
* @param error the reason why the session failed
*/
export function sessionFailed(error: TestResultError): Promise<void>;
/**
* Indicate that the test session started, this is to track timeouts
* starting the browser.
*/
export function sessionStarted(): Promise<void>;
/**
* Indicate that the test session finished.
* @param result the test results
*/
export function sessionFinished(result: BrowserSessionResult): Promise<void>;
export { TestSession, TestResultError, TestSuiteResult, TestResult };
| modernweb-dev/web/packages/test-runner-core/browser/session.d.ts/0 | {
"file_path": "modernweb-dev/web/packages/test-runner-core/browser/session.d.ts",
"repo_id": "modernweb-dev",
"token_count": 290
} | 219 |
import {
createCoverageMap,
CoverageSummaryData,
CoverageMap,
CoverageMapData,
BranchMapping,
FunctionMapping,
Location,
Range,
} from 'istanbul-lib-coverage';
import { TestSession } from '../test-session/TestSession';
import { CoverageConfig } from '../config/TestRunnerCoreConfig';
export const coverageTypes: (keyof CoverageSummaryData)[] = [
'lines',
'statements',
'branches',
'functions',
];
export interface TestCoverage {
passed: boolean;
coverageMap: CoverageMap;
summary: CoverageSummaryData;
}
const locEquals = (a: Location, b: Location) => a.column === b.column && a.line === b.line;
const locBefore = (a: Location, b: Location) =>
a.line < b.line || (a.line === b.line && a.column <= b.column);
const rangeEquals = (a: Range, b: Range) => locEquals(a.start, b.start) && locEquals(a.end, b.end);
const rangeEncompass = (a: Range, b: Range) =>
locBefore(a.start, b.start) && locBefore(b.end, a.end);
function getRangeDistance(encompassing: Range, range: Range) {
const startDistanceLine = range.start.line - encompassing.start.line;
const startDistanceColumn = startDistanceLine
? range.start.column - encompassing.start.column
: 0;
const endDistanceLine = encompassing.end.line - range.end.line;
const endDistanceColumn = endDistanceLine ? encompassing.end.column - range.end.column : 0;
// Multiply each line by 100_000, as lines length are unknown but should never reach this size
return (
startDistanceLine * 100_000 +
endDistanceLine * 100_000 +
startDistanceColumn +
endDistanceColumn
);
}
function findKey<T extends BranchMapping | FunctionMapping>(items: Record<string, T>, item: T) {
for (const [key, m] of Object.entries(items)) {
if (rangeEquals(m.loc, item.loc)) {
return key;
}
}
}
function findEncompassingKey<T extends BranchMapping | FunctionMapping>(
items: Record<string, T>,
item: T,
) {
// Get all encompassing branches
const encompassingEntries = Object.entries(items).filter(([, m]) =>
rangeEncompass(m.loc, item.loc),
);
if (encompassingEntries.length) {
// Sort the encompassing branches by distance to the searched branch
encompassingEntries.sort(
(a, b) => getRangeDistance(a[1].loc, item.loc) - getRangeDistance(b[1].loc, item.loc),
);
// Return the key of the narrowest encompassing branch
return encompassingEntries[0][0];
}
}
function collectCoverageItems<T extends BranchMapping | FunctionMapping>(
filePath: string,
itemsPerFile: Map<string, Record<string, T>>,
itemMap: Record<string, T>,
) {
let items = itemsPerFile.get(filePath);
if (!items) {
items = {};
itemsPerFile.set(filePath, items);
}
for (const item of Object.values(itemMap)) {
if (findKey(items, item) == null) {
const key = Object.keys(items).length;
items[key] = item;
}
}
}
function patchCoverageItems<T extends BranchMapping | FunctionMapping, U extends number | number[]>(
filePath: string,
itemsPerFile: Map<string, Record<string, T>>,
itemMap: Record<string, T>,
itemIndex: Record<string, U>,
findOriginalKey: (items: Record<string, T>, item: T) => string | undefined,
defaultIndex: () => U,
) {
const items = itemsPerFile.get(filePath)!;
const originalItems = itemMap;
const originalIndex = itemIndex;
itemMap = items;
itemIndex = {};
for (const [key, mapping] of Object.entries(items)) {
const originalKey = findOriginalKey(originalItems, mapping);
if (originalKey != null) {
itemIndex[key] = originalIndex[originalKey];
} else {
itemIndex[key] = defaultIndex();
}
}
return { itemMap, itemIndex };
}
/**
* Cross references coverage mapping data, looking for missing code branches and
* functions and adding empty entries for them if found. This is necessary
* because istanbul expects code branch and function data to be equal for all
* coverage entries. V8 only outputs actual covered code branches and functions
* that are defined at runtime (for example methods defined in a constructor
* that isn't run will not be included).
*
* See https://github.com/istanbuljs/istanbuljs/issues/531,
* https://github.com/istanbuljs/v8-to-istanbul/issues/121 and
* https://github.com/modernweb-dev/web/issues/689 for more.
* @param coverages
*/
function addingMissingCoverageItems(coverages: CoverageMapData[]) {
const branchesPerFile = new Map<string, Record<string, BranchMapping>>();
const functionsPerFile = new Map<string, Record<string, FunctionMapping>>();
// collect functions and code branches from all code coverage entries
for (const coverage of coverages) {
for (const [filePath, fileCoverage] of Object.entries(coverage)) {
collectCoverageItems(filePath, branchesPerFile, fileCoverage.branchMap);
collectCoverageItems(filePath, functionsPerFile, fileCoverage.fnMap);
}
}
// patch coverage entries to add missing code branches
for (const coverage of coverages) {
for (const [filePath, fileCoverage] of Object.entries(coverage)) {
const patchedBranches = patchCoverageItems(
filePath,
branchesPerFile,
fileCoverage.branchMap,
fileCoverage.b,
findEncompassingKey,
() => [0],
);
fileCoverage.branchMap = patchedBranches.itemMap;
fileCoverage.b = patchedBranches.itemIndex;
const patchedFunctions = patchCoverageItems(
filePath,
functionsPerFile,
fileCoverage.fnMap,
fileCoverage.f,
findKey,
() => 0,
);
fileCoverage.fnMap = patchedFunctions.itemMap;
fileCoverage.f = patchedFunctions.itemIndex;
}
}
}
export function getTestCoverage(
sessions: Iterable<TestSession>,
config?: CoverageConfig,
): TestCoverage {
const coverageMap = createCoverageMap();
let coverages = Array.from(sessions)
.map(s => s.testCoverage)
.filter(c => c) as CoverageMapData[];
// istanbul mutates the coverage objects, which pollutes coverage in watch mode
// cloning prevents this. JSON stringify -> parse is faster than a fancy library
// because we're only working with objects and arrays
coverages = JSON.parse(JSON.stringify(coverages));
addingMissingCoverageItems(coverages);
for (const coverage of coverages) {
coverageMap.merge(coverage);
}
const summary = coverageMap.getCoverageSummary().data;
if (config?.threshold) {
for (const type of coverageTypes) {
const { pct } = summary[type];
if (pct < config.threshold[type]) {
return { coverageMap, summary, passed: false };
}
}
}
return { coverageMap, summary, passed: true };
}
| modernweb-dev/web/packages/test-runner-core/src/coverage/getTestCoverage.ts/0 | {
"file_path": "modernweb-dev/web/packages/test-runner-core/src/coverage/getTestCoverage.ts",
"repo_id": "modernweb-dev",
"token_count": 2230
} | 220 |
import { MapStackLocation, parseStackTrace } from '@web/browser-logs';
import { MapBrowserUrl } from '@web/browser-logs';
import { TestRunnerCoreConfig } from '../../../config/TestRunnerCoreConfig.js';
import {
TestResult,
TestResultError,
TestSession,
TestSuiteResult,
} from '../../../test-session/TestSession.js';
import { forEachAsync } from '../../../utils/async.js';
export async function replaceErrorStack(
error: TestResultError,
mapBrowserUrl: MapBrowserUrl,
mapStackLocation: MapStackLocation,
rootDir: string,
) {
try {
error.stack = await parseStackTrace(error.message, error.stack!, {
mapBrowserUrl,
mapStackLocation,
browserRootDir: rootDir,
});
} catch (error) {
console.error('Error while parsing browser error');
console.error(error);
}
}
export async function parseSessionErrors(
config: TestRunnerCoreConfig,
mapBrowserUrl: MapBrowserUrl,
mapStackLocation: MapStackLocation,
result: Partial<TestSession>,
) {
if (!result.errors) {
return;
}
await forEachAsync(result.errors, err => {
if (err.stack) {
return replaceErrorStack(err, mapBrowserUrl, mapStackLocation, config.rootDir);
}
});
}
export async function parseTestResults(
config: TestRunnerCoreConfig,
mapBrowserUrl: MapBrowserUrl,
mapStackLocation: MapStackLocation,
result: Partial<TestSession>,
) {
if (!result.testResults) {
return;
}
async function iterateTests(tests: TestResult[]) {
await forEachAsync(tests, async test => {
if (test.error?.stack) {
await replaceErrorStack(test.error, mapBrowserUrl, mapStackLocation, config.rootDir);
}
});
}
async function iterateSuite(suite: TestSuiteResult) {
await Promise.all([iterateSuites(suite.suites), iterateTests(suite.tests)]);
}
async function iterateSuites(suites: TestSuiteResult[]) {
await forEachAsync(suites, s => iterateSuite(s));
}
await iterateSuite(result.testResults);
}
| modernweb-dev/web/packages/test-runner-core/src/server/plugins/api/parseBrowserErrors.ts/0 | {
"file_path": "modernweb-dev/web/packages/test-runner-core/src/server/plugins/api/parseBrowserErrors.ts",
"repo_id": "modernweb-dev",
"token_count": 673
} | 221 |
import { EventEmitter as NodeEventEmitter } from 'events';
type EventMap = Record<string, any>;
type EventKey<T extends EventMap> = string & keyof T;
type EventReceiver<T> = (params: T) => void;
interface Emitter<T extends EventMap> {
on<K extends EventKey<T>>(eventName: K, fn: EventReceiver<T[K]>): void;
emit<K extends EventKey<T>>(eventName: K, params: T[K]): void;
}
export class EventEmitter<T extends EventMap> implements Emitter<T> {
private __emitter = new NodeEventEmitter();
on<K extends EventKey<T>>(eventName: K, fn: EventReceiver<T[K]>) {
this.__emitter.on(eventName, fn);
}
off<K extends EventKey<T>>(eventName: K, fn: EventReceiver<T[K]>) {
this.__emitter.off(eventName, fn);
}
emit<K extends EventKey<T>>(eventName: K, params?: T[K]) {
this.__emitter.emit(eventName, params);
}
}
| modernweb-dev/web/packages/test-runner-core/src/utils/EventEmitter.ts/0 | {
"file_path": "modernweb-dev/web/packages/test-runner-core/src/utils/EventEmitter.ts",
"repo_id": "modernweb-dev",
"token_count": 313
} | 222 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.